Universal Analytics removed the utm_nooverride=1 functionality, still we can define a list domain referrals to be treated as direct visits within our properties configuration section, but what about when we can’t control the source domains?, for example for emailings, or some display campaign that we don’t want to override our users original attribution?.
We’re going to use Google Tag Manager, so bring back this functionality to our implementations.
First we need a Variable to read if is there a querystring parameter named utm_nooverride and that it’s value.
Ok, this variable will hold the value “1” when the utm_nooverride parameter is present. Now we’re going to use it to force the “dr” (document referrer) parameter just under that situation.
For that we’re going to need an extra Custom JavaScript variable with the following code on it:
Let’s be lazy!, you can copy this little piece of code below:
We’re almost set, now we want to force our pageview tag to use this last created variable for the “referrer” field.
We’re done!, now if the utm_nooverride parameter is present on the landing page, Google Tag Manager will send the current domain name as a referrer, forcing that new visit to be threated as direct traffic.
UPDATE: I don’t recall if the override had preference over campaign parameters, if you know about it, please drop a comment :). Else I’ll be checking it on the next days.
Sometimes we may be in the situation that we need to know if some info had been already pushed into Google Tag Manager’s dataLayer in order to take some action. For example we may need to know if some custom event it’s already in the dataLayer in order to prevent something to be fired twice, or we may need to check if some value is already in place.
The following snippet, will help us to know that info, looping thru all the dataLayer pushes and returning -1 if the key-value was not found, or the current dataLayer push index that matches.
var isValueInDatalayer = function($key, $val) {
var res = -1;
var dlname;
for (i in window.google_tag_manager) {
if(typeof(window.google_tag_manager[i])=="object" && window.google_tag_manager[i].gtmDom)
dlname = i;
}
if (typeof (window.google_tag_manager) != "undefined") {
for (i in window[dlname]) {
if (!$val & $val!='') {
if (window[dlname][i][$key]) {
return i;
}
} else {
if (window[dlname][i][$key] && window[dlname][i][$key] == $val) {
return i;
}
}
}
}
return res;
};
Let’s see how why can use it, we’re going to imagine that we are on a vanilla GTM container and with no dataLayer pushes from the page:
isValueInDatalayer('event');
This call above will return 0, since it will match the first event key pushed.
isValueInDatalayer('event','gtm.load');
The call above will return 2, and the gtm.load event was found on the 2 position within the dataLayer pushes array (take note that it starts with on 0).
The two last example will return -1, since they won’t match the current data in our dataLayer.
If you’re using a custom dataLayer variable name, there’s no need for you to modify the code since it’ll autodiscover your current dataLayer variable name.
Let me know any improvement or ideas for this useful function on the comments ๐
When we’re switching a site domain name we always have in mind some basic steps to take in mind so the migration doesn’t end being a mess. One of those steps is usually 301-ing our old domain content to the new one, but we never think on how will this affect our current Google Analytics data.
Universal Analytics cookie is based on the domain hostname, so if we switch the current domain a new cookie set will be created along with a new client ID, forcing that all the visits we redirect will end being new visitors. This mean we’ll be losing ALL our previous attributions/history data for returning visitors., doh!
This time, we’ll try to mitigate this problem using Google Tag Manager and some Mod Rewrite (htaccess) magic.
We’ll be using Apache’s Rewrite module to read the current user “_ga” cookie and passing it along our redirection, then from GTM we’ll force the clientId within our tracker in order to keep our old users clientId for our new domain ๐
Below you can find our .htaccess. As you can see we check for _ga cookie value, and then we redirect the user to the new domain with a new parameters named “_mga” , that is going to hold the _ga cookie value and the timestamp.
You may be asking yourself about why we are adding the current timestamp (%{TIME}) as a parameter value. The reason is pretty simple, we don’t want someone sharing that url to someone else and end having a lot of users sharing the same clientId, do we?
We’ll use that value later on Google Tag Manager to check is the redirection was generated less than 120 seconds ago if not we’ll just return any value. This is how native Universal cross-domain feature works too!
if ({{__mga.timestamp}}) > 120)
return;
If _mga.timestamp and current user timestamp values substract is higher than “120”, it means it was generated more than 2 minutes ago, so we don’t want to push any clientId back on this case.
The current format for the %{{TIME}} value from mod rewrite is the following:
And it will likely be using the UTC timezone. This is important since the check will be made client-side, and we’re gonna need to check the current user time in UTC time, not the current client timezone.
GTM Configuration
On the Google Tag Manager side, we’ll need one variable that will take care of grabing the _mga value, and from there we’ll get the clientId and the link generation time.
Then we’ll be checking the current user browser’s UTC timestamp to see if this link was generated less than 120 second ago, to know if we should be returning any value.
Grab the variable code bellow:
function(){
// Let's grab our custom linker value from QS
var _mga_linker_value = document.location.search.match(/_mga=([^&]*)/)[1].split('.').pop();
// convert the YYYYMMMDDHHMMSS date to timestamp format
var _mga_date = new Date(_mga_linker_value.slice(0, 4), _mga_linker_value.slice(4, 6) - 1, _mga_linker_value.slice(6, 8), _mga_linker_value.slice(8, 10), _mga_linker_value.slice(10, 12), _mga_linker_value.slice(12, 14));
// add the current browser timezone offset
var _mga_timestamp_utc = Math.round(_mga_date*1/1000)-new Date().getTimezoneOffset()*60;
// browser UTC time
var _browser_timestamp_utc = new Date()*1;
// the total seconds diff, between linker creation time and current user's browser time
var _linking_offset_in_sec = Math.round(_browser_timestamp_utc/1000 - _mga_timestamp_utc);
// force the clientId value ONLY if the time difference is less than 2 minutes
if(_linking_offset_in_sec<120){
return document.location.search.match(/_mga=([^&]*)/)[1].match(/GA1\.[0-9]\.([0-9]*.[0-9]*)/)[1];
}
}
Now we only need to use the returned value by this variables as the “clientId” value on our tracker this way:
Of this this may not be only applied for Google Analytics but for any other cookie value you want to keep, just modify the code to grab any other cookie value you may need
On the last #tip we talked about how to debug/qa our data attributes , and now we’re going to learn about how to natively track events/social interactions within Google Tag Manager .
We’re going to learn it, basing our tracking on Google Analytics Events and Social Interactions. Of course this can be expanded to any other tool just changing the data attributes, but hey, this is about to learning not about give me a copy and paste solution.
Let’s start saying that data-* attributes it’s and standard HTML5 mark up that we can use to manage our page functionality based on that data instead of relaying on classes or id. A data attribute is intended to store values that are mean to the page or application and that doesn’t fit in any other appropiate attributes.
In our care the data that we’re storing is the hitype that we’ll be firing. In our example it could an “event” or a “social interaction” . For this we’re setting a data attribute named “wa-hittype“, and this attribut will hold the current hit to be fired, in our case “event” or “social”.
We’ll be using some other data attributes to define our events category, action, label, value and non-interactional switch, please take a look to the following table for more details:
[table]
Data Attr,Description
data-wa-hittype, Type of hit we want to fire on user’s click
data-wa-event-category, The Category value for our event
data-wa-event-action, The action value for our event
data-wa-event-label, *optional. The label for our even
data-wa-event-value, *optional. The value for our event if any
data-wa-event-nonint,*option. Is the event non interactional?
[/table]
Let’s check an example:
<a
data-wa-hittype="event"
data-wa-event-category="Ecommerce"
data-wa-event-action="Add To Cart"
data-wa-event-label="SKU0001"
data-wa-event-value="12.00"
href="#"
>Add To Cart<a/>
So we have a data attribute that will allow us to know when fire a tab based on a CSS selector, and we’ve too all the info needed to populate the information for our event.
Next step is to configure some variables to read these values when the user clicks on the element.
So now when the user clicks on some element, we’ll have all our event needed data on those new variables. Let’s work on the trigger that will make our tag to fire.
We’re using the In-build {{Click Element}} Variable and some magic with a CSS Selector.
There we’re, now we just need to setup our event tag, add our variables to the tag fields, and set the trigger on this new event tag.
Now everytime you need to track a new click on some page element, you’ll just need to ask the developers to add some “standard” data mark-up to the right element. Even if you do something wrong, the variables will take care of fixing the values were possible (like an event value expecting an integer value instead of a string) or setting a right boolean value for the non-interactional switch for the event.
Any suggestion or improvement to this tracking method is welcome ๐
P.D. Yeah! I know I talked about tracking Social Interactions too, but I’m pretty sure that you’ll be able to figure it out. Think about like a good moment to learn how to do things instead of just trying to copy and paste and hoping it will work.
Some months ago I asked some friends to test a new tool I was working on and past week I released something close to an open alpha, today after pulling some details, a new UI redesign 100% mobile compatible. I’m announcing the GAUPET release.
At first I named it as GA Governance Tool, but after some interesting chat with the “osom” Yehoshua Coren . I(we)’ve decided to change the tool’s name to something that it’s closer to what it is and here is it: GAUPET , which stands for Google Analytics User Permissions Explorer Tool. (yep, you’re right I didn’t rack my brain on this one)
This will allow you to easily manage and pivot all your Google Analytics users and permissions in order to have a clear view of your current accounts User Governance status.
GAUPET will allow you to gather all your account user emails and permissions and draw them into an interactive pivot table. Even will allow you to merge different accounts users within the same report (thanks goes to Peter O’neill for this and another nice suggestions that will come in a future).
The tool comes with some predefined reports, but you will be able to pivot any data in the way you need. Just drag and drop the fields that’s it!.
The included fields are:
Email Address
Email Domain
Access Level
Account ID
Account Name
Account Access Rights
Account Permissions
Property ID
Property Name
Property Access Rights
Property Permissions
View ID
View Name
View Access Rights
View PermissionsLet’s take a look to a sample the report for user’s with view access:
I’m offering this tool for free, and I’m hosting it for free, and this means that it’s offered “as it is”. Still you’ll have a feedback section on the page to report bugs, or ask for new features and I’ll try to make updates in my free time.
With the years I learned that using CSS selectors to track user actions is really great but sadly I learned too that it’s really dangerous too.
It’s true that we won’t need to ask the IT team to add some dataLayer or ga pushes into the page, and therefore saving a lot of precious time, but in the other side, any single page update or testing will break our tracking.
Now I try to use data attributes whereas is possible, since those are more likely going to be kept for layout updates.
Checking elements for data attributes can be a tedious task, so I’m going to show you a little piece of code that I hope will make your life easier if you based some of your implementations on data attributes.
On this little snippet is where the magic happens:
(function() {
var elements = [].slice.call(document.querySelectorAll('*')).filter(function(el) {
if (typeof (el.dataset) != "undefined")
return Object.keys(el.dataset).length != 0;
});
var data = [];
var i = elements.length;
while (i--) {
var el = JSON.parse(JSON.stringify(elements[i].dataset));
data.push(el);
el["_element_type"] = elements[i].nodeName;
}
console.table(data);
})();
As an example I’m going to show you the output for Google Tag Manager‘s Homepage.
This has been a great time saver for me. Hope you find it useful too ๐
I’ve been thinking about doing a Google Analytics related hackaton for a long time. Some months ago, I started to take a look about how Universal Analytics Plugins work and I decided that coding a plugin to all the data to a secondary property using just a plugin would be a real nice example.
For years now, I’ve sharing a lot of code that I’ve worked on, some tracking ideas too, but still I don’t consider myself a developer, if i must say it, I really think that I really suck at programming even if I can do some stuff myself.
So here I am trying to organize an online Universal Analytics Hackaton. I hope this can turn on a great change to learn from other people, and understand how plugins work!!!
Of course you may be asking what’s a “Hackathon” (don’t be shy about asking). Let’s quote the Wikipedia:
A hackathon (also known as a hack day, hackfest or codefest) is an event in which computer programmers and others involved in software development and hardware development, including graphic designers, interface designers and project managers, collaborate intensively on software projects. Occasionally, there is a hardware component as well. Hackathons typically last between a day and a week. Some hackathons are intended simply for educational or social purposes, although in many cases the goal is to create usable software. Hackathons tend to have a specific focus, which can include the programming language used, the operating system, an application, an API, or the subject and the demographic group of the programmers. In other cases, there is no restriction on the type of software being created.
GitHub Repository:
For now I’ve pushed to the repository with some “core” code, that “already” works.
In JavaScript when you want to copy an object into another variable is not an easy as doing var myVar = myObjectVar; and you should be really careful when working with your dataLayer info in your customHtml Tags and your Custom Javascript Variables.
Let’s try to explain this is the best way I can. When you’re doing that you’re not copying the current object data to a new variable but instead you’re pointing your new variable to the object one.
What does this mean?, that if that you change a value into your new variable that change will be reflected in the original one. Let’s see an example:
var OriginalData = {'a': 1, 'b':2};
var CopiedData = OriginalData;
CopiedData.a = "MEC!";
console.log("Old 'a' Value: ", OriginalData.a);
Before trying it in your browser console, could you please think what will be “mydata.a” value printed into the console?. If you’re thinking on a “1” value I’m sorry to say that you’re wrong:
You may be thinking, why “OriginalData.a” has changed if we only modified the value for our “CopiedData” object.
In programming you we can pass the data in 2 ways:
Call-by-value: This means that the data from the original variable will be copied/cloned into the new variable.
Call-by-reference or Pass-by-reference: This means that the data on the new variable will be a pointer/reference to the original varialbe one. So if we want to print CopiedData.a , instead of returning a value, it will go to get the value to OriginalData.a (where CopiedData.a POINTS TO) .
How the data is passed in the different programming language is specific to each language, but let’s take a look on how JavaScript does it. Basically any variable type but the object will be called by value. If we do the same example as above, but instead of using an object we use a integer, we’ll be getting a different behaviour.
As you can see if the variable to be “cloned” is not an object, it will be “passed by value“.
So we need to take in mind that we may be overwriting the original object values. When working with GTM variables, this may equal with updating the original dataLayer values.
There’s not any in-built way to do a deep copy of an object in JavaScript. As we’re mostly refering to data, we could just stringify our object and then parse it again ( never use eval() for converting ).
So when trying to make a copy of some object from the dataLayer (for example when working on a Enhanced Ecommerce implementation and using variables to feed our hits). I would recomend doing it this way:
var ecommerce = JSON.parse(JSON.stringify({{ecommerce}}));
This will only work for objects not including functions/date values/etc. Just plain data. But for now it will keep our dataLayer integrity safe.
Just googleing a bit, you’ll find some functions around to make a full deep copy of an object, but we’re just working with data, so we’re not going to cover that at the moment.
This time I’m writting down some tips for when you guys are playing around with the custom HTML tags or custom JavaScript variables not only for Google Tag Manager, but for any other TMS or website.
Most times due the projects deadlines or maybe just lazyness, the code we use (I include myself here), is not fail proof, and we need to think that we may broke some page functionality or even some page load. So using customHTML/custom JavaScript is a serious thing. Even a lot of companies are forbidden to use them in Google Tag Manager.
Don’t use lazy/generic variable names
As you all know (right) all the scripts share the same window object. So if you declare a variable
myVariable = "myValue";
you will then be able to get that variable value from the main window object
console.log(window.myVariable)
and this means that if we using some variable like “counter”, and another script uses it, it’s going to be overrided. D’oh, our loop just became a neverending loop (indeed, that’s not good).
Always use “var” for declaring your variables if you are not planning to use them as a global data
Usually you may think that declaring a variable inside a function will make it just available inside that function, but that’s not right, if you declare a variable without using “var”, it’s gonna became a global variable, if you want to try it, create a new tag an put this code on it:
Now if you go to your console you will notice that windows.myVariable is there. Even if it was inside anonymous function, it became a global variable.
This is the right way to do it:
<script>
(function(){
var myVariable = "myValuetest";
})();
</script>
Always check for the variable value before doing something with it
Usually being a lazy programmer will lead to problems, I know that it takes a lot of time to get everything checked as it should, and our code may be working for us in our tests, but we need to think that there will be thousands of users, with different browsers, browser versions, internet connections (some things may load slow, or not even load) , pluggins installed, and that’s why we need to perform the checks in the right way, we’re interacting with a client-side tracking, so we just CAN’T cover all the possible situations.
Take this simple screenshot as an example:
Let’s see how should we had code the previous snippet:
Instead of printing an error, we could have send an error event, in order to track on which pages that errors is happening, for which browsers, or at which time ๐
Be careful with the loops, always set a break in the case the condition is never met
We may need to loop around some array, for example, we want to grab all the product SKU for our transactions to pass that data into a marketing pixel. For that we’ll need to loop thru all the ecommerce.purchase.products . but we need to be sure that our loop will end at some point. For the previous example it’s easy, as we’ll easily know when it needs to end (when there’re no mor products in the array).
But let’s think on another example. We want to wait for some object to be available to fire something, and for that we use a setInterval to check for the variable availability each 100 milliseconds.
Hey, it works, it sets an interval each 100 milliseconds and get our object is already available it clears the interval. We tested it, and it works, we’re so proud of ourselves. But this time we didn’t consider what will happen IF that object NEVER gets available… yep, you’re right that code will be running forever, and depending on the code that it’s ran inside it, it may kill the user’s browser.
If using loops in Variable you may need to take in mind that variables are being ran several times (not just once), so the problem is going to be even bigger.
In this case we could have an incremental counter, so we could exit the interval execution, after 20 tries (20×100 = 2seconds).
In Google Analytics the urls are case sensitive, therefore in our content reports /index.html will be different to /Index.html, and querystring values will make Google Analytics to think that even if it’s the same page it will recorded as a new one, /index.html?cache=off and /index.html?cache=on will be recorded as 2 different pageviews for example.
The first problem its easily fixable with a lowercase filter within the views, but the querystring parameters it’s going to be a problem … I bet you’re saying that you can just add them to the Exclude URL Query Parameters list within your view configuration page and Yes! that’s right, but I’m pretty sure that you’re likely going to end having some marketing campaigns adding new parameters, or IT adding some parameters to get some funcionality switched on (like enabling some caching feature or whatever).
So today, we’ll be using Google Tag Manager to solve this problem of having all our content reports fragmented due the unexpected querystring parameters in our pages. So let’s think about it, wouldnt be easier to identify the real parameters and getting ride of the rest that are not expected for the page functionality?, If you think about it, it’s likely a better way to do it, we can know which parameters will be used in our site, but we cannot think on unexpected ones.
To achive this, we’re going to make use of just one single variable in Google Tag Manager, yeah that’s it, just one single Custom Javascript variable.
We’ll just need to configure the paramList array on the code top, and add there all the querystring parameters that we want to keep. Any other parameter that is not listed in our array will be removed from the querystring value that is going to be recorded by Google Analytics
function(){
try{
// We'll need to defined the QS values we want to keep in our reports
var paramsList = ["two","one","three"];
// CrossBrowser inArray polyfill
if (!Array.prototype.indexOf) {
Array.prototype.indexOf = function (searchElement /*, fromIndex */ ) {
"use strict";
if (this == null) {
throw new TypeError();
}
var t = Object(this);
var len = t.length >>> 0;
if (len === 0) {
return -1;
}
var n = 0;
if (arguments.length > 0) {
n = Number(arguments[1]);
if (n != n) { // shortcut for verifying if it's NaN
n = 0;
} else if (n != 0 && n != Infinity && n != -Infinity) {
n = (n > 0 || -1) * Math.floor(Math.abs(n));
}
}
if (n >= len) {
return -1;
}
var k = n >= 0 ? n : Math.max(len - Math.abs(n), 0);
for (; k < len; k++) {
if (k in t && t[k] === searchElement) {
return k;
}
}
return -1;
}
}
var qsParamsSanitizer= function(qs,permitted_parameters){
var pairs = qs.slice(1).split('&');
var result = {};
pairs.forEach(function(pair) {
pair = pair.split('=');
result[pair[0]] = decodeURIComponent(pair[1] || '');
});
var qsParamsObject = JSON.parse(JSON.stringify(result));
for (var p in qsParamsObject){
if(permitted_parameters.indexOf(p)==-1)
delete qsParamsObject[p];
}
var rw_qs = '?' +
Object.keys(qsParamsObject).map(function(key) {
return encodeURIComponent(key) + '=' +
encodeURIComponent(qsParamsObject[key]);
}).join('&');
if(rw_qs=="?") rw_qs="";
return rw_qs;
}
return qsParamsSanitizer(document.location.search,paramsList);
}catch(e){
// let's let GA to use the current location.href if
// for some reason our code fails.
return undefined;
}
}
Now, we only need to set our pageview tag “page” parameter so Google Analytics uses the new sanitized array instead of the one that it’s on the url.
We’re done!. Let’s see how it works with a screenshot
Now you just need to sit down, and wait some hours to start seeing your reports in a clean way and with no fragmentation. Happy analyzing!