23 KiB
		
	
	
	
	
	
			
		
		
	
	| stage | group | info | 
|---|---|---|
| Growth | Product Intelligence | To determine the technical writer assigned to the Stage/Group associated with this page, see https://about.gitlab.com/handbook/engineering/ux/technical-writing/#assignments | 
Implement Snowplow tracking
This page describes how to:
- Implement Snowplow frontend and backend tracking
- Test Snowplow events
Snowplow JavaScript frontend tracking
GitLab provides a Tracking interface that wraps the Snowplow JavaScript tracker
to track custom events.
For the recommended frontend tracking implementation, see Usage recommendations.
Structured events and page views include the gitlab_standard
context, using the window.gl.snowplowStandardContext object which includes
default data
as base. This object can be modified for any subsequent structured event fired,
although it's not recommended.
Tracking implementations must have an action and a category. You can provide additional
properties from the structured event taxonomy, in
addition to an extra object that accepts key-value pairs.
| Property | Type | Default value | Description | 
|---|---|---|---|
| category | string | document.body.dataset.page | Page or subsection of a page in which events are captured. | 
| action | string | 'generic' | Action the user is taking. Clicks must be clickand activations must beactivate. For example, focusing a form field isactivate_form_input, and clicking a button isclick_button. | 
| data | object | {} | Additional data such as label,property,valueas described in Structured event taxonomy,contextfor custom contexts, andextra(key-value pairs object). | 
Usage recommendations
- Use data attributes on HTML elements that emit click,show.bs.dropdown, orhide.bs.dropdownevents.
- Use the Vue mixin for tracking custom events, or if the supported events for data attributes are not propagating. For example, clickable components that don't emit click.
- Use the tracking class when tracking in vanilla JavaScript files.
Implement data attribute tracking
To implement tracking for HAML or Vue templates, add a data-track attribute to the element.
The following example shows data-track-* attributes assigned to a button:
%button.btn{ data: { track: { action: "click_button", label: "template_preview", property: "my-template" } } }
// or
// %button.btn{ data: { track_action: "click_button", track_label: "template_preview", track_property: "my-template" } }
<button class="btn"
  data-track-action="click_button"
  data-track-label="template_preview"
  data-track-property="my-template"
  data-track-extra='{ "template_variant": "primary" }'
/>
data-track attributes
| Attribute | Required | Description | 
|---|---|---|
| data-track-action | true | Action the user is taking. Clicks must be prepended with clickand activations must be prepended withactivate. For example, focusing a form field isactivate_form_inputand clicking a button isclick_button. Replacesdata-track-event, which was deprecated in GitLab 13.11. | 
| data-track-label | false | The specific element or object to act on. This can be: the label of the element, for example, a tab labeled 'Create from template' for create_from_template; a unique identifier if no text is available, for example,groups_dropdown_closefor closing the Groups dropdown in the top bar; or the name or title attribute of a record being created. | 
| data-track-property | false | Any additional property of the element, or object being acted on. | 
| data-track-value | false | Describes a numeric value (decimal) directly related to the event. This could be the value of an input. For example, 10when clickinginternalvisibility. If omitted, this is the element'svalueproperty orundefined. For checkboxes, the default value is the element's checked attribute or0when unchecked. | 
| data-track-extra | false | A key-value pair object passed as a valid JSON string. This attribute is added to the extraproperty in ourgitlab_standardschema. | 
| data-track-context | false | To append a custom context object, passed as a valid JSON string. | 
Event listeners
Event listeners bind at the document level to handle click events in elements with data attributes. This allows them to be handled when the DOM re-renders or changes. Document-level binding reduces the likelihood that click events stop propagating up the DOM tree.
If click events stop propagating, you must implement listeners and Vue component tracking or raw JavaScript tracking.
Helper methods
You can use the following Ruby helper:
tracking_attrs(label, action, property) # { data: { track_label... } }
You can also use it on HAML templates:
%button{ **tracking_attrs('main_navigation', 'click_button', 'navigation') }
// When adding additional data
// %button{ data: { platform: "...", **tracking_attrs('main_navigation', 'click_button', 'navigation') } }
If you use the GitLab helper method nav_link, you must wrap html_options under the html_options keyword argument. If you
use the ActionView helper method link_to, you don't need to wrap html_options.
# Bad
= nav_link(controller: ['dashboard/groups', 'explore/groups'], data: { track_label: "explore_groups",
track_action: "click_button" })
# Good
= nav_link(controller: ['dashboard/groups', 'explore/groups'], html_options: { data: { track_label:
"explore_groups", track_action: "click_button" } })
# Good (other helpers)
= link_to explore_groups_path, title: _("Explore"), data: { track_label: "explore_groups", track_action:
"click_button" }
Implement Vue component tracking
For custom event tracking, use the Vue mixin. It exposes Tracking.event as the track method.
You can specify tracking options by creating a tracking data object or
computed property, and as a second parameter: this.track('click_button', opts).
These options override any defaults and allow the values to be dynamic from props or based on state:
| Property | Type | Default | Example | 
|---|---|---|---|
| category | string | document.body.dataset.page | 'code_quality_walkthrough' | 
| label | string | '' | 'process_start_button' | 
| property | string | '' | 'asc'or'desc' | 
| value | integer | undefined | 0,1,500 | 
| extra | object | {} | { selectedVariant: this.variant } | 
To implement Vue component tracking:
- 
Import the Trackinglibrary and call themixinmethod:import Tracking from '~/tracking'; const trackingMixin = Tracking.mixin(); // Optionally provide default properties // const trackingMixin = Tracking.mixin({ label: 'right_sidebar' });
- 
Use the mixin in the component: export default { mixins: [trackingMixin], // Or // mixins: [Tracking.mixin()], // mixins: [Tracking.mixin({ label: 'right_sidebar' })], data() { return { expanded: false, }; }, };
- 
You can specify tracking options in by creating a trackingdata object or computed property:export default { name: 'RightSidebar', mixins: [Tracking.mixin()], data() { return { expanded: false, variant: '', tracking: { label: 'right_sidebar', // property: '', // value: '', // experiment: '', // extra: {}, }, }; }, // Or // computed: { // tracking() { // return { // property: this.variant, // extra: { expanded: this.expanded }, // }; // }, // }, };
- 
Call the trackmethod. Tracking options can be passed as the second parameter:this.track('click_button', { label: 'right_sidebar', });Or use the trackmethod in the template:<template> <div> <button data-testid="toggle" @click="toggle">Toggle</button> <div v-if="expanded"> <p>Hello world!</p> <button @click="track('click_button')">Track another event</button> </div> </div> </template>
Testing example
export default {
  name: 'CountDropdown',
  mixins: [Tracking.mixin({ label: 'count_dropdown' })],
  data() {
    return {
      variant: 'counter',
      count: 0,
    };
  },
  methods: {
    handleChange({ target }) {
      const { variant } = this;
      this.count = Number(target.value);
      this.track('change_value', {
        value: this.count,
        extra: { variant }
      });
    },
  },
};
import { mockTracking } from 'helpers/tracking_helper';
// mockTracking(category, documentOverride, spyMethod)
describe('CountDropdown.vue', () => {
  let trackingSpy;
  let wrapper;
  ...
  beforeEach(() => {
    trackingSpy = mockTracking(undefined, wrapper.element, jest.spyOn);
  });
  const findDropdown = () => wrapper.find('[data-testid="dropdown"]');
  it('tracks change event', () => {
    const dropdown = findDropdown();
    dropdown.element.value = 30;
    dropdown.trigger('change');
    expect(trackingSpy).toHaveBeenCalledWith(undefined, 'change_value', {
      value: 30,
      label: 'count_dropdown',
      extra: { variant: 'counter' },
    });
  });
});
Implement raw JavaScript tracking
To track from a vanilla JavaScript file, use the Tracking.event static function
(calls dispatchSnowplowEvent).
The following example demonstrates tracking a click on a button by manually calling Tracking.event.
import Tracking from '~/tracking';
const button = document.getElementById('create_from_template_button');
button.addEventListener('click', () => {
  Tracking.event(undefined, 'click_button', {
    label: 'create_from_template',
    property: 'template_preview',
    extra: {
      templateVariant: 'primary',
      valid: 1,
    },
  });
});
Testing example
import Tracking from '~/tracking';
describe('MyTracking', () => {
  let wrapper;
  beforeEach(() => {
    jest.spyOn(Tracking, 'event');
  });
  const findButton = () => wrapper.find('[data-testid="create_from_template"]');
  it('tracks event', () => {
    findButton().trigger('click');
    expect(Tracking.event).toHaveBeenCalledWith(undefined, 'click_button', {
      label: 'create_from_template',
      property: 'template_preview',
      extra: {
        templateVariant: 'primary',
        valid: true,
      },
    });
  });
});
Form tracking
To enable Snowplow automatic form tracking:
- Call Tracking.enableFormTrackingwhen the DOM is ready.
- Provide a configobject that includes at least one of the following elements:- formsdetermines the forms to track. Identified by the CSS class name.
- fieldsdetermines the fields inside the tracked forms to track. Identified by the field- name.
 
- Optional. Provide a list of contexts as the second argument. The gitlab_standardschema is excluded from these events.
Tracking.enableFormTracking({
  forms: { allow: ['sign-in-form', 'password-recovery-form'] },
  fields: { allow: ['terms_and_conditions', 'newsletter_agreement'] },
});
Testing example
import Tracking from '~/tracking';
describe('MyFormTracking', () => {
  let formTrackingSpy;
  beforeEach(() => {
    formTrackingSpy = jest
      .spyOn(Tracking, 'enableFormTracking')
      .mockImplementation(() => null);
  });
  it('initialized with the correct configuration', () => {
    expect(formTrackingSpy).toHaveBeenCalledWith({
      forms: { allow: ['sign-in-form', 'password-recovery-form'] },
      fields: { allow: ['terms_and_conditions', 'newsletter_agreement'] },
    });
  });
});
Implement Ruby backend tracking
Gitlab::Tracking is an interface that wraps the Snowplow Ruby Tracker for tracking custom events.
Backend tracking provides:
- User behavior tracking
- Instrumentation to monitor and visualize performance over time in a section or aspect of code.
To add custom event tracking and instrumentation, call the GitLab::Tracking.event class method.
For example:
class Projects::CreateService < BaseService
  def execute
    project = Project.create(params)
    Gitlab::Tracking.event('Projects::CreateService', 'create_project', label: project.errors.full_messages.to_sentence,
                           property: project.valid?.to_s, project: project, user: current_user, namespace: namespace)
  end
end
Use the following arguments:
| Argument | Type | Default value | Description | 
|---|---|---|---|
| category | String | Area or aspect of the application. For example, HealthCheckControllerorLfs::FileTransformer. | |
| action | String | The action being taken. For example, a controller action such as create, or an Active Record callback. | |
| label | String | nil | The specific element or object to act on. This can be one of the following: the label of the element, for example, a tab labeled 'Create from template' for create_from_template; a unique identifier if no text is available, for example,groups_dropdown_closefor closing the Groups dropdown in the top bar; or the name or title attribute of a record being created. | 
| property | String | nil | Any additional property of the element, or object being acted on. | 
| value | Numeric | nil | Describes a numeric value (decimal) directly related to the event. This could be the value of an input. For example, 10when clickinginternalvisibility. | 
| context | Array[SelfDescribingJSON] | nil | An array of custom contexts to send with this event. Most events should not have any custom contexts. | 
| project | Project | nil | The project associated with the event. | 
| user | User | nil | The user associated with the event. | 
| namespace | Namespace | nil | The namespace associated with the event. | 
| extra | Hash | {} | Additional keyword arguments are collected into a hash and sent with the event. | 
Unit testing
To test backend Snowplow events, use the expect_snowplow_event helper. For more information, see
testing best practices.
Performance
We use the AsyncEmitter when tracking events, which allows for instrumentation calls to be run in a background thread. This is still an active area of development.
Develop and test Snowplow
To develop and test a Snowplow event, there are several tools to test frontend and backend events:
| Testing Tool | Frontend Tracking | Backend Tracking | Local Development Environment | Production Environment | Production Environment | 
|---|---|---|---|---|---|
| Snowplow Analytics Debugger Chrome Extension | Yes | No | Yes | Yes | Yes | 
| Snowplow Inspector Chrome Extension | Yes | No | Yes | Yes | Yes | 
| Snowplow Micro | Yes | Yes | Yes | No | No | 
Test frontend events
Before you test frontend events in development, you must:
- Enable Snowplow tracking in the Admin Area.
- Turn off ad blockers that could prevent Snowplow JavaScript from loading in your environment.
- Turn off "Do Not Track" (DNT) in your browser.
All URLs are pseudonymized. The entity identifier replaces personally identifiable
information (PII). PII includes usernames, group, and project names.
Page titles are hardcoded as GitLab for the same reason.
Snowplow Analytics Debugger Chrome Extension
Snowplow Analytics Debugger is a browser extension for testing frontend events. It works in production, staging, and local development environments.
- Install the Snowplow Analytics Debugger Chrome browser extension.
- Open Chrome DevTools to the Snowplow Analytics Debugger tab.
Snowplow Inspector Chrome Extension
Snowplow Inspector Chrome Extension is a browser extension for testing frontend events. This works in production, staging, and local development environments.
- Install Snowplow Inspector.
- To open the extension, select the Snowplow Inspector icon beside the address bar.
- Click around on a webpage with Snowplow to see JavaScript events firing in the inspector window.
Test backend events
Snowplow Micro
Snowplow Micro is a Docker-based solution for testing backend and frontend in a local development environment. Snowplow Micro records the same events as the full Snowplow pipeline. To query events, use the Snowplow Micro API.
It can be set up automatically using GitLab Development Kit (GDK). See the how-to docs for more details.
Optionally, you can set it up manually, using the following instructions.
Set up Snowplow Micro manually
To install and run Snowplow Micro, complete these steps to modify the GitLab Development Kit (GDK):
- 
Ensure Docker is installed and running. 
- 
To install Snowplow Micro, clone the settings in this project. 
- 
Navigate to the directory with the cloned project, and start the appropriate Docker container: ./snowplow-micro.sh
- 
Set the environment variable to tell the GDK to use Snowplow Micro in development. This overrides two application_settingsoptions:- snowplow_enabledsetting will instead return- truefrom- Gitlab::Tracking.enabled?
- snowplow_collector_hostnamesetting will instead always return- localhost:9090(or whatever is set for- SNOWPLOW_MICRO_URI) from- Gitlab::Tracking.collector_hostname.
 export SNOWPLOW_MICRO_ENABLE=1Optionally, you can set the URI for you Snowplow Micro instance as well (the default value is http://localhost:9090):export SNOWPLOW_MICRO_URI=https://127.0.0.1:8080
- 
Restart GDK: gdk restart
- 
Send a test Snowplow event from the Rails console: Gitlab::Tracking.event('category', 'action')
- 
Navigate to localhost:9090/micro/goodto see the event.
Useful links
Troubleshoot
To control content security policy warnings when using an external host, modify config/gitlab.yml
to allow or disallow them. To allow them, add the relevant host for connect_src. For example, for
https://snowplow.trx.gitlab.net:
development:
  <<: *base
  gitlab:
    content_security_policy:
      enabled: true
      directives:
        connect_src: "'self' http://localhost:* http://127.0.0.1:* ws://localhost:* wss://localhost:* ws://127.0.0.1:* https://snowplow.trx.gitlab.net/"