Skip to main content

Tracking Events

caution
You are reading documentation for an outdated version. Here’s the latest one!

Snowplow has been built to enable users to track a wide range of events that occur when consumers interact with their websites and webapps.

Snowplow has a number of "built-in" events but offers unlimited event types through Self Describing Events. In addition to this, events can havse additional data properties attached them by adding "context" to each event.

Typical Snowplow web tracking plans often leverage the following event types:

This page goes on to discuss more advanced topics in tracking events:

Page Views

Page views are tracked using the trackPageView method. This is generally part of the first Snowplow tag to fire on a particular web page. As a result, the trackPageView method is usually deployed straight after the tag that also invokes the Snowplow JavaScript (sp.js) e.g.

import { 
newTracker,
enableActivityTracking,
trackPageView
} from '@snowplow/browser-tracker';

newTracker('sp', '{{collector_url_here}}', {
appId: 'my-app-id',
});

enableActivityTracking({
minimumVisitLength: 30,
heartbeatDelay: 10
});

trackPageView();

trackPageView

Track pageview is called using the simple:

import { trackPageView } from '@snowplow/browser-tracker';

trackPageView();

This method automatically captures the URL, referrer and page title (inferred from the <title> tag).

If you wish, you can override the title with a custom value:

import { trackPageView } from '@snowplow/browser-tracker';

trackPageView({ title: 'my custom page title' });

trackPageView can also be passed an array of custom context as an additional parameter. See custom context for more information.

Additionally, you can pass a function which returns an array of zero or more contexts to trackPageView. For the page view and for all subsequent page pings, the function will be called and the contexts it returns will be added to the event.

For example:

import { 
enableActivityTracking,
trackPageView
} from '@snowplow/browser-tracker';

// Turn on page pings every 10 seconds
enableActivityTracking({
minimumVisitLength: 10,
heartbeatDelay: 10
});

trackPageView({
// The usual array of static contexts
context: [{
schema: 'iglu:com.acme/static_context/jsonschema/1-0-0',
data: {
staticValue: new Date().toString()
}
}],
// Function which returns an array of custom context
// Gets called once per page view / page ping
contextCallback: function() {
return [{
schema: 'iglu:com.acme/dynamic_context/jsonschema/1-0-0',
data: {
dynamicValue: new Date().toString()
}
}];
}
});

The page view and every subsequent page ping will have both a static_context and a dynamic_context attached. The static_contexts will all have the same staticValue, but the dynamic_contexts will have different dynamicValues since a new context is created for every event.

Activity Tracking: page pings

As well as tracking page views, we can monitor whether users continue to engage with pages over time, and record how they digest content on each page over time.

That is accomplished using 'page ping' events. If activity tracking is enabled, the web page is monitored to see if a user is engaging with it. (E.g. is the tab in focus, does the mouse move over the page, does the user scroll, is updatePageActivity called, etc.) If any of these things occur in a set period of time, a page ping event fires, and records the maximum scroll left / right and up / down in the last ping period. If there is no activity in the page (e.g. because the user is on a different browser tab), no page ping fires.

enableActivityTracking

Page pings are enabled by:

import { 
enableActivityTracking
} from '@snowplow/browser-tracker';

enableActivityTracking({
minimumVisitLength: number,
heartbeatDelay: number
});

where minimumVisitLength is the time period from page load before the first page ping occurs, in seconds. heartbeat is the number of seconds between each page ping, once they have started. So, if you executed:

import { 
enableActivityTracking,
trackPageView
} from '@snowplow/browser-tracker';

enableActivityTracking({
minimumVisitLength: 30,
heartbeatDelay: 10
});

trackPageView();

The first ping would occur after 30 seconds, and subsequent pings every 10 seconds as long as the user continued to browse the page actively.

Notes:

  • In general this is executed as part of the main Snowplow tracking tag. As a result, you can elect to enable this on specific pages.
  • The enableActivityTracking method must be called before the trackPageView method.
  • Activity tracking will be disabled if either minimumVisitLength or heartbeatDelay is not integer. This is to prevent relentless callbacks.

enableActivityTrackingCallback

You can now perform edge analytics in the browser to reduce the number of events sent to you collector whilst still tracking user activity. The Snowplow JavaScript Tracker enabled this by allowing a callback to be specified in place of a page ping being sent. This is enabled by:

import { 
enableActivityTrackingCallback
} from '@snowplow/browser-tracker';

enableActivityTrackingCallback({
minimumVisitLength: number,
heartbeatDelay: number,
callback: (data: ActivityCallbackData) => void
});

where minimumVisitLength is the time period from page load before the first page ping occurs, in seconds. heartbeat is the number of seconds between each page ping, once they have started. The callback should be a function which will receive an event object containing the page ping activity information, including pageivew_id, and any Page View contexts.

type ActivityCallbackData = {
/**
* All context for the activity tracking
* Often generated by the page view events context callback
*/
context: Array<SelfDescribingJson>;
/** The current page view id */
pageViewId: string;
/** The minimum X scroll position for the current page view */
minXOffset: number;
/** The maximum X scroll position for the current page view */
minYOffset: number;
/** The minimum Y scroll position for the current page view */
maxXOffset: number;
/** The maximum Y scroll position for the current page view */
maxYOffset: number;
};

A full example of how this might be used to aggregate page ping information and then send an event on page unload is below:

import { 
newTracker,
enableActivityTrackingCallback,
trackPageView,
trackSelfDescribingEvent
} from '@snowplow/browser-tracker';

newTracker('sp', '{{collector_url_here}}', {
appId: 'my-app-id',
eventMethod: 'beacon'
});
var aggregatedEvent = {
pageViewId: null,
minXOffset: 0,
maxXOffset: 0,
minYOffset: 0,
maxYOffset: 0,
numEvents: 0
};
enableActivityTrackingCallback({
minimumVisitLength: 10,
heartbeatDelay: 10,
callback: function (event) {
aggregatedEvent = {
pageViewId: event.pageViewId,
minXOffset: aggregatedEvent.minXOffset < event.minXOffset ? aggregatedEvent.minXOffset : event.minXOffset,
maxXOffset: aggregatedEvent.maxXOffset > event.maxXOffset ? aggregatedEvent.maxXOffset : event.maxXOffset,
minYOffset: aggregatedEvent.minYOffset < event.minYOffset ? aggregatedEvent.minYOffset : event.minYOffset,
maxYOffset: aggregatedEvent.maxYOffset > event.maxYOffset ? aggregatedEvent.maxYOffset : event.maxYOffset,
numEvents: aggregatedEvent.numEvents + 1
};
});
document.addEventListener('visibilitychange', function() {
if (document.visibilityState == 'hidden') {
trackSelfDescribingEvent({
event: {
schema: 'iglu:com.acme_company/page_unload/jsonschema/1-0-0',
data: {
minXOffset: Math.max(0, Math.round(aggregatedEvent.minXOffset)),
maxXOffset: Math.max(0, Math.round(aggregatedEvent.maxXOffset)),
minYOffset: Math.max(0, Math.round(aggregatedEvent.minYOffset)),
maxYOffset: Math.max(0, Math.round(aggregatedEvent.maxYOffset)),
activeSeconds: aggregatedEvent.numEvents * 10
}
}
});
}
});
trackPageView();

Note: For this technique of sending on visibility change to work reliably, we recommend initialising the Snowplow tracker with eventMethod: 'beacon' and/or stateStorageStrategy: 'cookieAndLocalStorage' (if navigating to a page that also contains the JS Tracker). Using the visibility change technique may not work as expected for Single Page Applications (SPA), you would need to send the aggregated event to the Snowplow collector on navigation within your application.

We are using visibilitychange events as beforeunload isn't a reliable option for mobile devices when using beacon. You can read more about this on MDN. An idea on the different levels of compatibility of the different Page Visiblity API across browsers and mobile can here found here.

updatePageActivity

You can also mark the user as active with:

import { updatePageActivity } from '@snowplow/browser-tracker';

updatePageActivity();

On the next interval after this call, a ping will be generated even if the user had no other activity.

This is particularly useful when a user is passively engaging with your content, e.g. watching a video.

disableActivityTracking

note

Available since version 3.14 of the tracker.

To disable activity tracking, you can use the disableActivityTracking method.

import { disableActivityTracking } from '@snowplow/browser-tracker';

disableActivityTracking();

Disabling activity tracking will stop page activity intervals and will not send additional activity tracking events.

disableActivityTrackingCallback

note

Available since version 3.14 of the tracker.

To disable the activity tracking callback, you can use the disableActivityTrackingCallback method.

import { disableActivityTrackingCallback } from '@snowplow/browser-tracker';

disableActivityTrackingCallback();

This will stop any further activity tracking callback from being executed.

Tracking custom self-describing events

You may wish to track events which are not directly supported by Snowplow and which structured event tracking does not adequately capture. Your event may have more than the five fields offered by Structured events, or its fields may not fit into the category-action-label-property-value model. The solution is Snowplow’s self-describing events. Self-describing events are a data structure based on JSON Schemas and can have arbitrarily many fields.

To define your own custom event, you will need to create a corresponding schema. Snowplow uses the schema to validate that the JSON containing the event properties is well-formed.

trackSelfDescribingEvent

To track a self-describing event, you make use the trackSelfDescribingEvent method:

import { trackSelfDescribingEvent } from '@snowplow/browser-tracker';

trackSelfDescribingEvent({
event: {
schema: 'iglu:com.acme_company/viewed_product/jsonschema/1-0-0',
data: {
productId: 'ASO01043',
category: 'Dresses',
brand: 'ACME',
returning: true,
price: 49.95,
sizes: ['xs', 's', 'l', 'xl', 'xxl'],
availableSince: new Date(2013,3,7)
}
}
});

The event property is a self-describing JSON. It has two fields:

  • data field, containing the properties of the event
  • schema field, containing the location of the JSON schema against which the data field should be validated.

trackSelfDescribingEvent can also be passed an array of custom context as an additional parameter. See custom context for more information.

Tracking custom structured events

There are likely to be a large number of events that can occur on your site, for which a specific tracking method is part of Snowplow.

Our philosophy in creating Snowplow is that users should capture important consumer interactions and design suitable data structures for this data capture. You can read more about that philosophy here. Using trackSelfDescribingEvent captures these interactions with custom schemas, as described above.

However, as part of a Snowplow implementation there may be interactions where custom Self Describing events are perhaps too complex or unwarranted. They are then candidates to track using trackStructEvent, if none of the other event-specific methods outlined above are appropriate.

trackStructEvent

There are five parameters can be associated with each structured event. Of them, only the first two are required:

NameRequired?Description
CategoryYesThe name you supply for the group of objects you want to track e.g. 'media', 'ecomm'
ActionYesA string which defines the type of user interaction for the web object e.g. 'play-video', 'add-to-basket'
LabelNoAn optional string which identifies the specific object being actioned e.g. ID of the video being played, or the SKU or the product added-to-basket
PropertyNoAn optional string describing the object or the action performed on it. This might be the quantity of an item added to basket
ValueNoAn optional float to quantify or further describe the user action. This might be the price of an item added-to-basket, or the starting time of the video where play was just pressed

The async specification for the trackStructEvent method is:

import { trackStructEvent } from '@snowplow/browser-tracker';

trackStructEvent({
category: 'category',
action: 'action',
label: 'label',
property: 'property',
value: 0.0
});

An example of tracking a user listening to a music mix:

import { trackStructEvent } from '@snowplow/browser-tracker';

trackStructEvent({
category: 'Mixes',
action: 'Play',
label: 'MrC/fabric-0503-mix',
value: 0.0
});

Note that in the above example no value is set for the event property.

trackStructEvent can also be passed an array of custom context as an additional parameter. See custom context for more information.

Custom context

Custom context can be used to augment any standard Snowplow event type, including self-describing events, with additional data. We refer to this custom context as entities.

The context is an array of entities. More than one entity (of either different or the same type) can be attached to an event. The context argument (if it is provided at all) should be a non-empty array.

As with self-describing events, if you want to create your own custom context, you will need to create a corresponding schema. Snowplow uses the schema to validate that the JSON containing the context properties is well-formed.

Custom context can be added as an extra argument to any of Snowplow's track..() methods and to addItem and addTrans.

Important: Even if only one custom context is being attached to an event, it still needs to be wrapped in an array.

Here are two example custom context JSONs. One describes a page:

{
schema: 'iglu:com.example_company/page/jsonschema/1-2-1',
data: {
pageType: 'test',
lastUpdated: new Date(2014,1,26)
}
}

and the other describes a user on that page:

{
schema: 'iglu:com.example_company/user/jsonschema/2-0-0',
data: {
userType: 'tester'
}
}

Tracking events with Custom Context

How to track a page view with both of these contexts attached:

trackPageView({
context: [{
schema: 'iglu:com.example_company/page/jsonschema/1-2-1',
data: {
pageType: 'test',
lastUpdated: new Date(2021,04,01)
}
},
{
schema: 'iglu:com.example_company/user/jsonschema/2-0-0',
data: {
userType: 'tester'
}
}]
});

How to track a self describing event with both of these contexts attached:

trackSelfDescribingEvent({
event: {
schema: 'iglu:com.example_company/product_viewed/jsonschema/1-0-1',
data: {
productId: '12345',
price: 10.99
}
},
context: [{
schema: 'iglu:com.example_company/page/jsonschema/1-2-1',
data: {
pageType: 'test',
lastUpdated: new Date(2021,04,01)
}
},
{
schema: "iglu:com.example_company/user/jsonschema/2-0-0",
data: {
userType: 'tester'
}
}]
});

For more information on custom contexts, see here.

Global context

Global context lets you define your own contexts once (e.g. on tracker initialization) and then have this context sent with every single event subsequently recorded on the page. This saves having to manually build and send the context array with every single event fired.

Here is an example that adds a global context entity to all subsequently tracked events:

import { addGlobalContexts } from "@snowplow/browser-tracker";

// Create a context entity and add it to global context
let contextEntity = {
schema: 'iglu:com.acme/user_context/jsonschema/1-0-0',
data: { userid: 1234, name: 'John Doe' }
};
addGlobalContexts([contextEntity]);

// The global context will be added to this page view event as well
trackPageView();

You may not want to add the same context entity to all tracked events. There are several ways to make global context dynamic:

  1. Using a context generator that generates context entities on the fly when events are sent.
  2. Using filter functions that filter which events to add global context entities to.
  3. Using rulesets that define rules which types of events to accept or reject when generating global context entities.

Context generators

Generating context on-the-fly is accomplished with context generators. A context generator is a callback that will be evaluated with an optional argument that contains useful information.

A sample context generator that conditionally generates a context entity could look like this:

const contextGenerator = (args) => {
if (args.eventType == 'pv') {
return {
schema: 'iglu:com.acme.marketing/some_event/jsonschema/1-0-0',
data: { test: 1 },
};
}
};
addGlobalContexts([contextGenerator]);

The optional input is an associative array that contains three elements:

  • event : self-describing JSON
  • eventType : string
  • eventSchema : string (schema URI)

Keep in mind that the arguments eventType and eventSchema are data found in eventeventType and eventSchema are provided for convenience, so that simple tasks don't require users to search through the event payload.

eventType

This argument is a string taken from the event payload field, e.

eventType takes the following values:

Typee
Pageview trackingpv
Page pingspp
Link clickue
Ad impression trackingue
Ecommerce transaction trackingtr and ti
Custom structured eventse
Custom self describing eventue

Further information about the event payload can be found in the tracker protocol documentation.

eventSchema

Users should be aware of the behavior of the argument eventSchema. Since 'first-class events' (e.g. structured events, transactions, pageviews, etc.) lack a proper schema (their event type is determined by the e field), callbacks will be provided the upper-level schema that defines the payload of all events:

iglu:com.snowplowanalytics.snowplow/payload_data/jsonschema/1-0-4

For self describing events, eventSchema will be the schema that describes the self describing event, not the event payload. Again, this behavior isn't necessarily uniform, but provides more utility to differentiate events.

Conditional context providers

We can augment context primitives by allowing them to be sent conditionally. While it's possible to define this functionality within context generators (with conditional logic), conditional context providers simplify common ways of sending contexts that follow certain rules.

The general form is an array of two objects:

[conditional part, context primitive or [array of primitives]]

The conditional part is standardized into two options:

  • a filter function
  • a schema ruleset

Filter functions

Filter functions take the standard callback arguments defined for context generators, but instead of returning a Self Describing JSON, return a boolean value. As should be expected: true will attach the context part, false will not attach the context part.

Example

// A filter that will only attach contexts to structured events
function structuredEventFilter(args) {
return args['eventType'] === 'se';
}
var globalContextDefinition = [structuredEventFilter, contextEntityToBeAdded];
addGlobalContexts([globalContextDefinition]);

Rulesets

Rulesets define when to attach context primitives based on the event schema. This follows the standard behavior for all callbacks (the schema used to evaluate is the same provided in eventSchema, namely the payload schema for "first-class events" and otherwise the schema found within the self describing event).

Here's the specific structure of a ruleset, it's an object with certain optional rules that take the form of fields, each holding an array of strings:

{
accept: [],
reject: []
}

Some examples, take note that wild-card matching URI path components is defined with an asterisk, *, in place of the component:

// Only attaches contexts to this one schema
var ruleSetAcceptOne = {
accept: ['iglu:com.mailchimp/cleaned_email/jsonschema/1-0-0']
};

// Only attaches contexts to these schemas
var ruleSetAcceptTwo = {
accept: ['iglu:com.mailchimp/cleaned_email/jsonschema/1-0-0',
'iglu:com.mailchimp/subscribe/jsonschema/1-0-0']
};

// Only attaches contexts to schemas with mailchimp vendor
var ruleSetAcceptVendor = {
accept: ['iglu:com.mailchimp/*/jsonschema/*-*-*']
};

// Only attaches contexts to schemas that aren't mailchimp vendor
var ruleSetRejectVendor = {
reject: ['iglu:com.mailchimp/*/jsonschema/*-*-*']
};

// Only attach to Snowplow first class events
var ruleSet = {
accept: ['iglu:com.snowplowanalytics.snowplow/payload_data/jsonschema/1-0-4']
};

You can add a global context entity with a ruleset as follows:

var globalContextDefinition = [ruleSet, contextEntityToAdd];
addGlobalContexts([globalContextDefinition]);

Rule requirements

All rules and schemas follow a standard form:

protocol:vendor/event_name/format/version

And rules must meet some requirements to be considered valid:

  • Two parts are invariant: protocol and format. They are always iglu and jsonschema respectively.
    • Wildcards can therefore be used only in vendorevent_name and version.
  • Version matching must be specified like so: *-*-*, where any part of the versioning can be defined, e.g. 1-*-*, but only sequential parts are to be wildcarded, e.g. 1-*-1 is invalid but 1-*-* is valid.
  • Vendors require the first two "larger parts":
    • com.acme.*
  • Vendors cannot be defined with non-wildcarded parts between wildcarded parts:
    • com.acme.*.marketing.* is invalid
    • com.acme.*.* is valid

Global contexts methods

These are the standard methods to add and remove global contexts:

addGlobalContexts

To add global contexts: addGlobalContexts([array of global contexts])

removeGlobalContexts

To remove a global context: removeGlobalContexts([array of global contexts]).

Global context entities are removed by doing a JSON match of the context to be removed with the added context. So the objects have to be the same in order for them to be matched.

For example:

var entity = {
schema: 'iglu:com.acme.marketing/some_event/jsonschema/1-0-0',
data: { test: 1 },
};
addGlobalContexts([entity]); // add a global context
removeGlobalContexts([entity]); // remove the global context

clearGlobalContexts

To remove all global contexts: clearGlobalContexts()

This is part of the @snowplow/browser-plugin-link-click-tracking plugin. You need to install it with your favourite package manager: npm install @snowplow/browser-plugin-link-click-tracking and then initialize it:

import { newTracker } from '@snowplow/browser-tracker';
import { LinkClickTrackingPlugin } from '@snowplow/browser-plugin-link-click-tracking';

newTracker('sp', '{{collector_url_here}}', {
appId: 'my-app-id',
plugins: [ LinkClickTrackingPlugin() ]
});

Link click tracking is enabled using the enableLinkClickTracking method. Use this method once and the Tracker will add click event listeners to all link elements. Link clicks are tracked as self describing events. Each link click event captures the link's href attribute. The event also has fields for the link's id, classes, and target (where the linked document is opened, such as a new tab or new window).

Here is the JSON schema for a link click event.

enableLinkClickTracking

Turn on link click tracking like this:

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

enableLinkClickTracking();

This is its signature:

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

enableLinkClickTracking({
options?: FilterCriterion,
pseudoClicks?: boolean,
trackContent?: boolean
context?: SelfDescribingJson[]
});

Where FilterCriterion is an object:

interface FilterCriterion {
/** A collection of class names to include */
allowlist?: string[];
/** A collector of class names to exclude */
denylist?: string[];
/** A callback which returns a boolean as to whether the element should be included */
filter?: (elt: HTMLElement) => boolean;
}

You can control which links are tracked using the second argument. There are three ways to do this: a denylist, an allow, and a filter function.

An optional parameter is pseudoClicks. If this is not turned on, Firefox will not recognize middle clicks. If it is turned on, there is a small possibility of false positives (click events firing when they shouldn't). Turning this feature on is recommended:

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

enableLinkClickTracking({ pseudoClicks: true });

Denylists

This is an array of CSS classes which should be ignored by link click tracking. For example, the below code will stop link click events firing for links with the class "barred" or "untracked", but will fire link click events for all other links:

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

enableLinkClickTracking({
options: {
denylist: ['barred', 'untracked']
}
});

If there is only one class name you wish to deny, you should still put it in an array:

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

enableLinkClickTracking({ options: { 'denylist': ['barred'] } });

Allowlists

The opposite of a denylist. This is an array of the CSS classes of links which you do want to be tracked. Only clicks on links with a class in the list will be tracked.

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

enableLinkClickTracking({
options: {
'allowlist': ['unbarred', 'tracked']
}
});

If there is only one class name you wish to whitelist, you should still put it in an array:

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

enableLinkClickTracking({ options: { 'allowlist': ['unbarred'] } });

Filter functions

You can provide a filter function which determines which links should be tracked. The function should take one argument, the link element, and return either 'true' (in which case clicks on the link will be tracked) or 'false' (in which case they won't).

The following code will track clicks on those and only those links whose id contains the string "interesting":

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

function myFilter (linkElement) {
return linkElement.id.indexOf('interesting') > -1;
}

enableLinkClickTracking({ options: { 'filter': myFilter } });

Another optional parameter is trackContent. Set it to true if you want link click events to capture the innerHTML of the clicked link:

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

enableLinkClickTracking({ trackContent: true });

The innerHTML of a link is all the text between the a tags. Note that if you use a base 64 encoded image as a link, the entire base 64 string will be included in the event.

Each link click event will include (if available) the destination URL, id, classes and target of the clicked link. (The target attribute of a link specifies a window or frame where the linked document will be loaded.)

Context

enableLinkClickTracking can also be passed an array of custom context to attach to every link click event as an additional final parameter.

Link click tracking supports dynamic contexts. Callbacks passed in the contexts argument will be evaluated with the source element passed as the only argument. The self-describing JSON context object returned by the callback will be sent with the link click event.

A dynamic context could therefore look something like this for link click events:

import { enableLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

let dynamicContext = function (element) {
// perform operations here to construct the context
return context;
};

enableLinkClickTracking({ context: [ dynamicContext ] });

See custom context for more information.

refreshLinkClickTracking

enableLinkClickTracking only tracks clicks on links which exist when the page has loaded. If new links can be added to the page after then which you wish to track, just use refreshLinkClickTracking. This will add Snowplow click listeners to all links which do not already have them (and which match the denylist, allowlist, or filter function you specified when enableLinkClickTracking was originally called). Use it like this:

import { refreshLinkClickTracking } from '@snowplow/browser-plugin-link-click-tracking';

refreshLinkClickTracking();

trackLinkClick

You can manually track individual link click events with the trackLinkClick method. This is its signature:

import { trackLinkClick } from '@snowplow/browser-plugin-link-click-tracking';

trackLinkClick({
/** The target URL of the link */
targetUrl: string;
/** The ID of the element clicked if present */
elementId?: string;
/** An array of class names from the element clicked */
elementClasses?: Array<string>;
/** The target value of the element if present */
elementTarget?: string;
/** The content of the element if present and enabled */
elementContent?: string;
});

Of these arguments, only targetUrl is required. This is how to use trackLinkClick:

import { trackLinkClick } from '@snowplow/browser-plugin-link-click-tracking';

trackLinkClick({
targetUrl: 'http://www.example.com',
elementId: 'first-link',
elementClasses: ['class-1', 'class-2'],
elementTarget: '',
elementContent: 'this page'
});

trackLinkClick can also be passed an array of custom context as an additional parameter. See custom context for more information.

Form tracking

This is part of the @snowplow/browser-plugin-form-tracking plugin. You need to install it with your favorite package manager: npm install @snowplow/browser-plugin-form-tracking and then initialize it:

import { newTracker } from '@snowplow/browser-tracker';
import { FormTrackingPlugin, enableFormTracking } from '@snowplow/browser-plugin-form-tracking';

newTracker('sp', '{{collector_url_here}}', {
appId: 'my-app-id',
plugins: [ FormTrackingPlugin() ]
});

enableFormTracking();

Snowplow automatic form tracking detects three event types:

  1. change_form – form field changed.
  2. submit_form – form submitted.
  3. focus_form – form field focused.

By default, all three event types are tracked. However, it is possible to subscribe only to specific event types using the options.events option when enabling form tracking:

enableFormTracking({
options: {
events: ['submit_form', 'focus_form', 'change_form']
},
});
change_form

When a user changes the value of a textareainput, or select element inside a form, a change_form event will be fired. It will capture the name, type, and new value of the element, and the id of the parent form.

submit_form

When a user submits a form, a submit_form event will be fired. It will capture the id and classes of the form and the name, type, and value of all textareainput, and select elements inside the form.

Note that this will only work if the original form submission event is actually fired. If you prevent it from firing, for example by using a jQuery event handler which returns false to handle clicks on the form's submission button, the Snowplow submit_form event will not be fired.

focus_form

When a user focuses on a form element, a focus_form event will be fired. It will capture the id and classes of the form and the name, type, and value of the textareainput, or select element inside the form that received focus.

enableFormTracking

Use the enableFormTracking method to turn on form tracking by adding event listeners to all form elements and to all interactive elements inside forms (that is, all inputtextarea, and select elements).

enableFormTracking();

This will only work for form elements which exist when it is called. If you are creating a form programmatically, call enableFormTracking again after adding it to the document to track it. You can call enableFormTracking multiple times without risk of duplicated events. From v3.2.0, if you are programmatically adding additional fields to a form after initially calling enableFormTracking then calling it again after the new form fields are added will include them in form tracking.

Note: that events on password fields will not be tracked.

Custom form tracking

It may be that you do not want to track every field in a form, or every form on a page. You can customize form tracking by passing a configuration argument to the enableFormTracking method. This argument should be an object with two elements named "forms" and "fields". The "forms" element determines which forms will be tracked; the "fields" element determines which fields inside the tracked forms will be tracked. As with link click tracking, there are three ways to configure each field: a denylist, an allowlist, or a filter function. You do not have to use the same method for both fields.

Denylists

This is an array of strings used to prevent certain elements from being tracked. Any form with a CSS class in the array will be ignored. Any field whose name property is in the array will be ignored. All other elements will be tracked.

Allowlists

This is an array of strings used to turn on certail. Any form with a CSS class in the array will be tracked. Any field in a tracked form whose name property is in the array will be tracked. All other elements will be ignored.

Filter functions

This is a function used to determine which elements are tracked. The element is passed as the argument to the function and is tracked if and only if the value returned by the function is truthy.

Transform functions

This is a function used to transform data in each form field. The value and element (2.15.0+ only) are passed as arguments to the function and the tracked value is replaced by the value returned.

Contexts

Contexts can be sent with all form tracking events by supplying them in an array in the contexts argument.

snowplow('enableFormTracking', { options: {}, context: [] });

These contexts can be dynamic, i.e. they can be traditional self-describing JSON objects, or callbacks that generate valid self-describing JSON objects.

For form change events, context generators are passed (elt, type, value), and form submission events are passed (elt, innerElements).

A dynamic context could therefore look something like this for form change events:

import { enableFormTracking } from '@snowplow/browser-plugin-form-tracking';

var dynamicContext = function (elt, type, value) {
// perform operations here to construct the context
return context;
};

enableFormTracking({ options: {}, context: [dynamicContext] });

Examples

To track every form element and every field except those fields named "password":

import { enableFormTracking } from '@snowplow/browser-plugin-form-tracking';

var options = {
forms: {
denylist: []
},
fields: {
denylist: ['password']
}
};

enableFormTracking({ options });

To track only the forms with CSS class "tracked", and only those fields whose ID is not "private":

import { enableFormTracking } from '@snowplow/browser-plugin-form-tracking';

var opts = {
forms: {
allowlist: ["tracked"]
},
fields: {
filter: function (elt) {
return elt.id !== "private";
}
}
};

enableFormTracking({ options: opts });

To transform the form fields with an MD5 hashing function:

import { enableFormTracking } from '@snowplow/browser-plugin-form-tracking';

var options = {
forms: {
allowlist: ["tracked"]
},
fields: {
filter: function (elt) {
return elt.id !== "private";
},
transform: function (value, elt) {
// can use elt to make transformation decisions
return MD5(value);
}
}
};

enableFormTracking({ options });

Tracking forms embedded inside iframes

The options for tracking forms inside of iframes are limited – browsers block access to contents of iframes that are from different domains than the parent page. We are not able to provide a solution to track events using trackers initialized on the parent page in such cases. However, since version 3.4, it is possible to track events from forms embedded in iframes loaded from the same domain as the parent page or iframes created using JavaScript on the parent page (e.g., HubSpot forms).

In case you are able to access form elements inside an iframe, you can pass them in the options.forms argument when calling enableFormTracking on the parent page. This will enable form tracking for the specific form elements. The feature may also be used for forms not embedded in iframes, but it's most useful in this particular case.

The following example shows how to identify the form elements inside an iframe and pass them to the enableFormTracking function:

let iframe = document.getElementById('form_iframe'); // find the element for the iframe
let forms = iframe.contentWindow.document.getElementsByTagName('form'); // find form elements inside the iframe
enableFormTracking({
options: {
forms: forms // pass the embedded forms when enabling form tracking
},
});

Ecommerce tracking

This is part of the @snowplow/browser-plugin-ecommerce plugin. You need to install it with your favorite package manager: npm install @snowplow/browser-plugin-ecommerce and then initialize it:

import { newTracker } from '@snowplow/browser-tracker';
import { EcommercePlugin } from '@snowplow/browser-plugin-ecommerce';

newTracker('sp', '{{collector_url_here}}', {
appId: 'my-app-id',
plugins: [ EcommercePlugin() ]
});

This feature is modeled on Google Analytics ecommerce tracking capability, Snowplow uses three methods that have to be used together to track online transactions:

  1. Create a transaction object. Use addTrans() method to initialize a transaction object. This will be the object that is loaded with all the data relevant to the specific transaction that is being tracked including all the items in the order, the prices of the items, the price of shipping and the order_id.
  2. Add items to the transaction. Use the addItem() method to add data about each individual item to the transaction object.
  3. Submit the transaction to Snowplow using the trackTrans() method, once all the relevant data has been loaded into the object.

addTrans

The addTrans method creates a transaction object. It takes nine possible parameters, two of which are required:

ParameterDescriptionRequired?Example value
orderIdInternal unique order id number for this transactionYes'1234'
affiliationPartner or store affiliationNo'Womens Apparel'
totalTotal amount of the transactionYes'19.99'
taxTax amount of the transactionNo'1.00'
shippingShipping charge for the transactionNo'2.99'
cityCity to associate with transactionNo'San Jose'
stateState or province to associate with transactionNo'California'
countryCountry to associate with transactionNo'USA'
currencyCurrency to associate with this transactionNo'USD'

For example:

import { addTrans } from '@snowplow/browser-plugin-ecommerce'

addTrans({
orderId: '1234', // required
total: 11.99, // required
affiliation: 'Acme Clothing',
tax: 1.29,
shipping: 5,
city: 'San Jose',
state: 'California',
country: 'USA',
currency: 'USD'
});

addTrans can also be passed an array of custom context as an additional parameter. See custom context for more information.

addItem

The addItem method is used to capture the details of each product item included in the transaction. It should therefore be called once for each item.

There are six potential parameters that can be passed with each call, four of which are required:

ParameterDescriptionRequired?Example value
orderIdOrder ID of the transaction to associate with itemYes'1234'
skuItem's SKU codeYes'pbz0001234'
nameProduct nameNo, but advisable (to make interpreting SKU easier)'Black Tarot'
categoryProduct categoryNo'Large'
priceProduct priceYes9.99
quantityPurchase quantityYes1
currencyProduct price currencyNo'USD'

For example:

import { addItem } from '@snowplow/browser-plugin-ecommerce'

addItem({
orderId: '1234', // required
sku: 'DD44', // required
name: 'T-Shirt',
category: 'Green Medium',
price: 11.99,
quantity: 1,
currency: 'USD'
});

addItem can also be passed an array of custom context as an additional parameter. See custom context for more information.

trackTrans

Once the transaction object has been created (using addTrans) and the relevant item data added to it using the addItem method, we are ready to send the data to the collector. This is initiated using the trackTrans method:

import { trackTrans } from '@snowplow/browser-plugin-ecommerce';

trackTrans();

trackAddToCart and trackRemoveFromCart

These methods are also part of @snowplow/browser-plugin-ecommerce and let you track users adding and removing items from a cart on an ecommerce site. Their arguments are identical:

NameRequired?DescriptionType
skuYesItem SKUstring
nameNoItem namestring
categoryNoItem categorystring
unitPriceYesItem pricenumber
quantityYesQuantity added to or removed from cartnumber
currencyNoItem price currencystring

An example:

import { trackAddToCart, trackRemoveFromCart } from '@snowplow/browser-plugin-ecommerce';

trackAddToCart({
sku: '000345',
name: 'blue tie',
category: 'clothing',
unitPrice: 3.49,
quantity: 2,
currency: 'GBP'
});

trackRemoveFromCart({
sku: '000345',
name: 'blue tie',
category: 'clothing',
unitPrice: 3.49,
quantity: 2,
currency: 'GBP'
});

Both methods are implemented as Snowplow self describing events. You can see schemas for the add_to_cart and remove_from_cart events.

Both methods can also be passed an array of custom context as an additional parameter. See custom context for more information.

Social tracking

This is part of the @snowplow/browser-plugin-site-tracking plugin. You need to install it with your favorite package manager: npm install @snowplow/browser-plugin-site-tracking and then initialize it:

import { newTracker } from '@snowplow/browser-tracker';
import { SiteTrackingPlugin } from '@snowplow/browser-plugin-site-tracking';

newTracker('sp', '{{collector_url_here}}', {
appId: 'my-app-id',
plugins: [ SiteTrackingPlugin() ]
});

Social tracking will be used to track the way users interact with Facebook, Twitter and Google + widgets, e.g. to capture "like this" or "tweet this" events.

trackSocialInteraction

The trackSocialInteraction method takes three parameters:

ParameterDescriptionRequired?Example value
actionSocial action performedYes'like', 'retweet'
networkSocial networkYes'facebook', 'twitter'
targetObject social action is performed on e.g. page ID, product IDNo'19.99'

The method is executed in as:

import { trackSocialInteraction } from '@snowplow/browser-plugin-site-tracking';

trackSocialInteraction({
action: string,
network: string,
target: string
});

For example:

import { trackSocialInteraction } from '@snowplow/browser-plugin-site-tracking';

trackSocialInteraction({
action: 'like',
network: 'facebook',
target: 'pbz00123'
});

trackSocialInteraction can also be passed an array of custom context as an additional parameter. See custom context for more information.

trackSiteSearch

Use the trackSiteSearch method to track users searching your website. Here are its arguments:

NameRequired?DescriptionType
termsYesSearch termsarray
filtersNoSearch filtersJSON
totalResultsNoResults foundnumber
pageResultsNoResults displayed on first pagenumber

An example:

import { trackSiteSearch } from '@snowplow/browser-plugin-site-tracking';

trackSiteSearch({
terms: ['unified', 'log'],
filters: {'category': 'books', 'sub-category': 'non-fiction'},
totalResults: 14,
pageResults: 8
});

Site search events are implemented as Snowplow self describing events. Here is the schema for a site_search event.

trackSiteSearch can also be passed an array of custom context as an additional parameter. See custom context for more information.

trackTiming

Use the trackTiming method to track user timing events such as how long resources take to load. Here are its arguments:

NameRequired?DescriptionType
categoryYesTiming categorystring
variableYesTimed variablestring
timingYesNumber of milliseconds elapsednumber
labelNoLabel for the eventstring

An example:

import { trackTiming } from '@snowplow/browser-plugin-site-tracking';

trackTiming({
category: 'load',
variable: 'map_loaded',
timing: 50,
label: 'Map loading time'
});

Site search events are implemented as Snowplow self describing events. Here is the schema for a timing event.

trackTiming can also be passed an array of custom context as an additional parameter. See custom context for more information.

Campaign tracking

Campaign tracking is used to identify the source of traffic coming to a website.

At the highest level, we can distinguish paid traffic (that derives from ad spend) with non paid traffic: visitors who come to the website by entering the URL directly, clicking on a link from a referrer site or clicking on an organic link returned in a search results, for example.

In order to identify paid traffic, Snowplow users need to set five query parameters on the links used in ads. Snowplow checks for the presence of these query parameters on the web pages that users load: if it finds them, it knows that that user came from a paid source, and stores the values of those parameters so that it is possible to identify the paid source of traffic exactly.

If the query parameters are not present, Snowplow reasons that the user is from a non paid source of traffic. It then checks the page referrer (the url of the web page the user was on before visiting our website), and uses that to deduce the source of traffic:

  1. If the URL is identified as a search engine, the traffic medium is set to "organic" and Snowplow tries to derive the search engine name from the referrer URL domain and the keywords from the query string.
  2. If the URL is a non-search 3rd party website, the medium is set to "referrer". Snowplow derives the source from the referrer URL domain.

Identifying paid sources

Your different ad campaigns (PPC campaigns, display ads, email marketing messages, Facebook campaigns etc.) will include one or more links to your website e.g.:

<a href="http://mysite.com/myproduct.html">Visit website</a>

We want to be able to identify people who've clicked on ads e.g. in a marketing email as having come to the site having clicked on a link in that particular marketing email. To do that, we modify the link in the marketing email with query parameters, like so:

<a href="http://mysite.com/myproduct.html?utm_source=newsletter-october&utm_medium=email&utm_campaign=cn0201">Visit website</a>

For the prospective customer clicking on the link, adding the query parameters does not change the user experience. (The user is still directed to the webpage at http://mysite.com/myproduct.html.) But Snowplow then has access to the fields given in the query string, and uses them to identify this user as originating from the October Newsletter, an email marketing campaign with campaign id = cn0201.

Anatomy of the query parameters

Snowplow uses the same query parameters used by Google Analytics. Because of this, Snowplow users who are also using GA do not need to do any additional work to make their campaigns trackable in Snowplow as well as GA. Those parameters are:

ParameterNameDescription
utm_sourceCampaign sourceIdentify the advertiser driving traffic to your site e.g. Google, Facebook, autumn-newsletter etc.
utm_mediumCampaign mediumThe advertising / marketing medium e.g. cpc, banner, email newsletter, in-app ad, cpa
utm_campaignCampaign idA unique campaign id. This can be a descriptive name or a number / string that is then looked up against a campaign table as part of the analysis
utm_termCampaign term(s)Used for search marketing in particular, this field is used to identify the search terms that triggered the ad being displayed in the search results.
utm_contentCampaign contentUsed either to differentiate similar content or two links in the same ad. (So that it is possible to identify which is generating more traffic.)

The parameters are described in the Google Analytics help page. Google also provides a urlbuilder which can be used to construct the URL incl. query parameters to use in your campaigns.

Ad tracking methods

This is part of the @snowplow/browser-plugin-ad-tracking plugin. You need to install it with your favorite package manager: npm install @snowplow/browser-plugin-ad-tracking and then initialize it:

import { newTracker } from '@snowplow/browser-tracker';
import { AdTrackingPlugin } from '@snowplow/browser-plugin-ad-tracking';

newTracker('sp', '{{collector_url_here}}', {
appId: 'my-app-id',
plugins: [ AdTrackingPlugin() ]
});

Snowplow tracking code can be included in ad tags in order to track impressions and ad clicks. This is used by e.g. ad networks to identify which sites and web pages users visit across a network, so that they can be segmented, for example.

Each ad tracking method has a costModel field and a cost field. If you provide the cost field, you must also provide one of 'cpa''cpc', and 'cpm' for the costModel field.

trackAdImpression

Ad impression tracking is accomplished using the trackAdImpression method. Here are the arguments it accepts:

NameRequired?DescriptionType
impressionIdNoIdentifier for the particular impression instancestring
costModelNoThe cost model for the campaign: 'cpc', 'cpm', or 'cpa'string
costNoAd costnumber
targetUrlNoThe destination URLstring
bannerIdNoAdserver identifier for the ad banner (creative) being displayedstring
zoneIdNoAdserver identifier for the zone where the ad banner is locatedstring
advertiserIDNoAdserver identifier for the advertiser which the campaign belongs tostring
campaignIdNoAdserver identifier for the ad campaign which the banner belongs tostring

NOTE: All properties are optional but you must specify at least 1 for this to be a valid call to trackAdImpression.

An example:

import { trackAdImpression } from '@snowplow/browser-plugin-ad-tracking';

trackAdImpression({
impressionId: '67965967893',
costModel: 'cpm', // 'cpa', 'cpc', or 'cpm'
cost: 5.5,
targetUrl: 'http://www.example.com',
bannerId: '23',
zoneId: '7',
advertiserId: '201',
campaignId: '12'
});

Ad impression events are implemented as Snowplow self describing events. Here is the JSON schema for an ad impression event.

trackAdImpression can also be passed an array of custom context as an additional parameter. See custom context for more information.

trackAdClick

Ad click tracking is accomplished using the trackAdClick method. Here are the arguments it accepts:

NameRequired?DescriptionType
targetUrlYesThe destination URLstring
clickIdNoIdentifier for the particular click instancestring
costModelNoThe cost model for the campaign: 'cpc', 'cpm', or 'cpa'string
costNoAd costnumber
bannerIdNoAdserver identifier for the ad banner (creative) being displayedstring
zoneIdNoAdserver identifier for the zone where the ad banner is locatedstring
advertiserIDNoAdserver identifier for the advertiser which the campaign belongs tostring
campaignIdNoAdserver identifier for the ad campaign which the banner belongs tostring

An example:

import { trackAdClick } from '@snowplow/browser-plugin-ad-tracking';

trackAdClick({
targetUrl: 'http://www.example.com',
clickId: '12243253',
costModel: 'cpm',
cost: 2.5,
bannerId: '23',
zoneId: '7',
impressionId: '67965967893', // the same as in trackAdImpression
advertiserId: '201',
campaignId: '12'
});

Ad click events are implemented as Snowplow self describing events.Here is the JSON schema for an ad click event.

trackAdClick can also be passed an array of custom context as an additional parameter. See custom context for more information.

trackAdConversion

Use the trackAdConversion method to track ad conversions. Here are the arguments it accepts:

NameRequired?DescriptionType
conversionIdNoIdentifier for the particular conversion instancestring
costModelNoThe cost model for the campaign: 'cpc', 'cpm', or 'cpa'string
costNoAd costnumber
categoryNoConversion categorynumber
actionNoThe type of user interaction, e.g. 'purchase'string
propertyNoDescribes the object of the conversionstring
initialValueNoHow much the conversion is initially worthnumber
advertiserIDNoAdserver identifier for the advertiser which the campaign belongs tostring
campaignIdNoAdserver identifier for the ad campaign which the banner belongs tostring

NOTE: All properties are optional but you must specify at least 1 for this to be a valid call to trackAdConversion.

An example:

import { trackAdConversion } from '@snowplow/browser-plugin-ad-tracking';

trackAdConversion({
conversionId: '743560297',
costModel: 'cpa',
cost: 10,
category: 'ecommerce',
action: 'purchase',
property: '',
initialValue: 99,
advertiserId: '201',
campaignId: '12'
});

Ad conversion events are implemented as Snowplow self describing events. Here is the schema for an ad conversion event.

trackAdConversion can also be passed an array of custom context as an additional parameter. See custom context for more information.

Enhanced Ecommerce tracking

For more information on the Enhanced Ecommerce functions please see the Google Analytics documentation.

addEnhancedEcommerceActionContext

Use the addEnhancedEcommerceActionContext method to add a GA Enhanced Ecommerce Action Context to the Tracker:

NameRequired?Type
idYesstring
affiliationNostring
revenueNonumber OR string
taxNonumber OR string
shippingNonumber OR string
couponNostring
listNostring
stepNointeger OR string
optionNostring
currencyNostring

Adding an action using Google Analytics:

ga('ec:setAction', 'purchase', {
'id': 'T12345',
'affiliation': 'Google Store - Online',
'revenue': '37.39',
'tax': '2.85',
'shipping': '5.34',
'coupon': 'SUMMER2013'
});

NOTE: The action type is passed with the action context in the Google Analytics example. We have separated this by asking you to call the trackEnhancedEcommerceAction function to actually send the context and the action.

Adding an action using Snowplow:

addEnhancedEcommerceActionContext({
id: 'T12345',
affiliation: 'Google Store - Online',
revenue: '37.39', // Can also pass as number
tax: '2.85', // Can also pass as number
shipping: '5.34', // Can also pass as number
coupon: 'WINTER2016'
});

addEnhancedEcommerceImpressionContext

Use the addEnhancedEcommerceImpressionContext method to add a GA Enhanced Ecommerce Impression Context to the Tracker:

NameRequired?Type
idYesstring
nameNostring
listNostring
brandNostring
categoryNostring
variantNostring
positionNointeger OR string
priceNonumber OR string
currencyNostring

Adding an impression using Google Analytics:

ga('ec:addImpression', {
'id': 'P12345',
'name': 'Android Warhol T-Shirt',
'list': 'Search Results',
'brand': 'Google',
'category': 'Apparel/T-Shirts',
'variant': 'Black',
'position': 1
});

Adding an impression using Snowplow:

addEnhancedEcommerceImpressionContext({
id: 'P12345',
name: 'Android Warhol T-Shirt',
list: 'Search Results',
brand: 'Google',
category: 'Apparel/T-Shirts',
variant: 'Black',
position: 1
});

addEnhancedEcommerceProductContext

Use the addEnhancedEcommerceProductContext method to add a GA Enhanced Ecommerce Product Field Context:

NameRequired?Type
idYesstring
nameNostring
listNostring
brandNostring
categoryNostring
variantNostring
priceNonumber OR string
quantityNointeger OR string
couponNostring
positionNointeger OR string
currencyNostring

Adding a product using Google Analytics:

ga('ec:addProduct', {
'id': 'P12345',
'name': 'Android Warhol T-Shirt',
'brand': 'Google',
'category': 'Apparel/T-Shirts',
'variant': 'Black',
'position': 1
});

Adding a product using Snowplow:

addEnhancedEcommerceProductContext({
id: 'P12345',
name: 'Android Warhol T-Shirt',
list: 'Search Results',
brand: 'Google',
category: 'Apparel/T-Shirts',
variant: 'Black',
quantity: 1
});

addEnhancedEcommercePromoContext

Use the addEnhancedEcommercePromoContext method to add a GA Enhanced Ecommerce Promotion Field Context:

NameRequired?Type
idYesstring
nameNostring
creativeNostring
positionNostring
currencyNostring

Adding a promotion using Google Analytics:

ga('ec:addPromo', {
'id': 'PROMO_1234',
'name': 'Summer Sale',
'creative': 'summer_banner2',
'position': 'banner_slot1'
});

Adding a promotion using Snowplow:

addEnhancedEcommercePromoContext({
id: 'PROMO_1234', // The Promotion ID
name: 'Summer Sale', // The name
creative: 'summer_banner2', // The name of the creative
position: 'banner_slot1' // The position
});

trackEnhancedEcommerceAction

Use the trackEnhancedEcommerceAction method to track a GA Enhanced Ecommerce Action. When this function is called all of the added Ecommerce Contexts are attached to this action and flushed from the Tracker.

NameRequired?Type
actionYesstring

The allowed actions:

  • click
  • detail
  • add
  • remove
  • checkout
  • checkout_option
  • purchase
  • refund
  • promo_click
  • view

Adding an action using Google Analytics:

ga('ec:setAction', 'refund', {
'id': 'T12345'
});

Adding an action using Snowplow:

addEnhancedEcommerceActionContext({
id: 'T12345'
});
snowplow('trackEnhancedEcommerceAction', {
action: 'refund'
});

trackConsentGranted

Use the trackConsentGranted method to track a user opting into data collection. A consent document context will be attached to the event if at least the id and version arguments are supplied. The method arguments are:

NameDescriptionRequired?Type
idIdentifier for the document granting consentYesString
versionVersion of the document granting consentYesString
nameName of the document granting consentNoString
descriptionDescription of the document granting consentNoString
expiryDate-time string specifying when consent document expiresNoString
contextCustom context for the eventNoArray
tstampWhen the event occurredNoPositive integer

The expiry field specifies that the user consents to the attached documents until the date-time provided, after which the consent is no longer valid.

Tracking a consent granted event:

trackConsentGranted({
id: '1234',
version: '5',
name: 'consent_document',
description: 'a document granting consent',
expiry: '2020-11-21T08:00:00.000Z'
});

trackConsentWithdrawn

Use the trackConsentWithdrawn method to track a user withdrawing consent for data collection. A consent document context will be attached to the event if at least the id and version arguments are supplied. To specify that a user opts out of all data collection, all should be set to true.

The method arguments are:

NameDescriptionRequired?Type
allSpecifies whether all consent should be withdrawnNoBoolean
idIdentifier for the document withdrawing consentNoString
versionVersion of the document withdrawing consentNostring
nameName of the document withdrawing consentNoString
descriptionDescription of the document withdrawing consentNoString
contextCustom context for the eventNoArray
tstampWhen the event occurredNoPositive integer

Tracking a consent withdrawn event:

trackConsentWithdrawn({
all: false,
id: '1234',
version: '5',
name: 'consent_document',
description: 'a document withdrawing consent'
});

Consent documents are stored in the context of a consent event. Each consent method adds a consent document to the event. The consent document is a custom context storing the arguments supplied to the method (in both granted and withdrawn events, this will be: id, version, name, and description). In either consent method, additional documents can be appended to the event by passing an array of consent document self-describing JSONs in the context argument.

The fields of a consent document are:

NameDescriptionRequired?Type
idIdentifier for the documentYesString
versionVersion of the documentYesString
nameName of the documentNoString
descriptionDescription of the documentNoString

A consent document self-describing JSON looks like this:

{
schema: 'iglu:com.snowplowanalytics.snowplow/consent_document/jsonschema/1-0-0',
data: {
id: '1234',
version: '5',
name: 'consent_document_name',
description: 'here is a description'
}
}

As an example, trackConsentGranted will store one consent document as a custom context:

trackConsentGranted({
id: '1234',
version: '5',
name: 'consent_document',
description: 'a document granting consent',
expiry: '2020-11-21T08:00:00.000Z'
});

The method call will generate this event:

{
e: 'ue',
ue_pr: {
schema: 'iglu:com.snowplowanalytics.snowplow/unstruct_event/jsonschema/1-0-0',
data: {
schema: 'iglu:com.snowplowanalytics.snowplow/consent_granted/jsonschema/1-0-0',
data: {
expiry: '2020-11-21T08:00:00.000Z'
}
}
},
co: {
schema: 'iglu:com.snowplowanalytics.snowplow/contexts/jsonschema/1-0-0',
data: {
schema: 'iglu:com.snowplowanalytics.snowplow/consent_document/jsonschema/1-0-0',
data: {
id: '1234',
version: '5',
name: 'consent_document',
description: 'a document granting consent'
}
}
}
}

GDPR context

The GDPR context attaches a context with the GDPR basis for processing and the details of a related document (eg. a consent document) to all events which are fired after it is set.

It takes the following arguments:

NameDescriptionRequired?Type
basisForProcessingGDPR Basis for processingYesEnum String
documentIdID of a GDPR basis documentNoString
documentVersionVersion of the documentNoString
documentDescriptionDescription of the documentNoString
{
e: 'ue',
ue_pr: {
schema: 'iglu:com.snowplowanalytics.snowplow/unstruct_event/jsonschema/1-0-0',
data: {
schema: 'iglu:com.snowplowanalytics.snowplow/consent_granted/jsonschema/1-0-0',
data: {
expiry: '2020-11-21T08:00:00.000Z'
}
}
},
co: {
schema: 'iglu:com.snowplowanalytics.snowplow/contexts/jsonschema/1-0-0',
data: {
schema: 'iglu:com.snowplowanalytics.snowplow/consent_document/jsonschema/1-0-0',
data: {
id: '1234',
version: '5',
name: 'consent_document',
description: 'a document granting consent'
}
}
}
}

The required basisForProcessing accepts only the following literals: consentcontractlegalObligationvitalInterestspublicTasklegitimateInterests - in accordance with the five legal bases for processing

The GDPR context is enabled by calling the enableGdprContext method once the tracker has been initialized, for example:

enableGdprContext({
basisForProcessing: 'consent',
documentId: 'consentDoc-abc123',
documentVersion: '0.1.0',
documentDescription: 'this document describes consent basis for processing'
});

Error tracking

Snowplow JS tracker provides two ways of tracking exceptions: manual tracking of handled exceptions using trackError and automatic tracking of unhandled exceptions using enableErrorTracking.

trackError

Use the trackError method to track handled exceptions (application errors) in your JS code. This is its signature:

trackError({
/** The error message */
message: string;
/** The filename where the error occurred */
filename?: string;
/** The line number which the error occurred on */
lineno?: number;
/** The column number which the error occurred on */
colno?: number;
/** The error object */
error?: Error;
});
NameRequired?DescriptionType
messageYesError messagestring
filenameNoFilename or URLstring
linenoNoLine number of problem code chunknumber
colnoNoColumn number of problem code chunknumber
errorNoJS ErrorEventErrorEvent

Of these arguments, only message is required. Signature of this method defined to match window.onerror callback in modern browsers.

try {
var user = getUser()
} catch(e) {
trackError({
message: 'Cannot get user object',
filename: 'shop.js',
error: e
});
}

trackError can also be passed an array of custom context as an additional parameter. See custom context for more information.

Using trackError it's assumed that developer knows where error could happen, which is not often the case. Therefor it's recommended to use enableErrorTracking as it allows you to discover errors that weren't expected.

enableErrorTracking

Use the enableErrorTracking method to track unhandled exceptions (application errors) in your JS code. This is its signature:

enableErrorTracking({
/** A callback which allows on certain errors to be tracked */
filter?: (error: ErrorEvent) => boolean;
/** A callback to dynamically add extra context based on the error */
contextAdder?: (error: ErrorEvent) => Array<SelfDescribingJson>;
/** Context to be added to every error */
context?: Array<SelfDescribingJson>;
});
NameRequired?DescriptionType
filterNoPredicate to filter exceptions(ErrorEvent) => Boolean
contextAdderNoFunction to get dynamic context(ErrorEvent) => Array<SelfDescribingJson>
contextNoAdditional custom contextArray<SelfDescribingJson>

Unlike trackError you need enable error tracking only once:

enableErrorTracking();

Application error events are implemented as Snowplow self describing events. Here is the schema for a application_error event.

Setting the true timestamp

As standard, every event tracked by the Javascript tracker will be recorded with two timestamps:

  1. device_created_tstamp - set when the event occurred
  2. device_sent_tstamp - set when the event was sent by the tracker to the collector

These are combined downstream in the Snowplow pipeline (with the collector_tstamp) to calculate the derived_tstamp, which is our best estimate of when the event actually occurred.

In certain circumstances you might want to set the timestamp yourself e.g. if the JS tracker is being used to process historical event data, rather than tracking the events live. In this case you can set the true_timestamp for the event. When set, this will be used as the value in the derived_tstamp rather than a combination of the device_created_tstampdevice_sent_tstamp and collector_tstamp.

To set the true timestamp add an extra argument to your track method:

{type: 'ttm', value: unixTimestampInMs}

e.g. to set a true timestamp with a page view event:

trackPageView({
timestamp: { type: 'ttm', value: 1361553733371 }
});

e.g. to set a true timestamp for a self-describing event:

trackSelfDescribingEvent({
event: {
schema: 'iglu:com.acme_company/viewed_product/jsonschema/2-0-0',
data: {
productId: 'ASO01043',
category: 'Dresses',
brand: 'ACME',
returning: true,
price: 49.95,
sizes: ['xs', 's', 'l', 'xl', 'xxl'],
availableSince: new Date(2013,3,7)
}
},
timestamp: { type: 'ttm', value: 1361553733371 }
});
Was this page helpful?