SlideShare ist ein Scribd-Unternehmen logo
1 von 23
Downloaden Sie, um offline zu lesen
how to pass the
google analytics iq test
how to pass the
                                                           google analytics iq test


Original practice problems
Below are 10 practice problems to help you prepare for the Google Analytics
Individual Qualification (IQ) Test. They are based on the syllabus for the GAIQ Test,
but keep in mind that this is not an exhaustive list of the study material.
If you are serious about passing the test, the best place to start preparing is by watching the GA IQ Lesson videos
here http://www.google.com/intl/en/analytics/iq.html?.

For tips on how to pass the exam, please see my post on the SEOmoz blog http://www. seomoz.org/ugc/google-
analytics-certification-how-to-pass-the-gaiq-test.

Best of luck!


1. Problem » filters, RegEx
You work for an SEO firm that analyzes traffic data for another website using Google Analytics. Your company has 15
different IP addresses:


184.275.34.1 184.275.34.2 184.275.34.3 ... 184.275.34.15


You wish to create a custom filter to exclude these IP addresses to prevent internal traffic from skewing client data
Write a regular expression to exclude all 15 IP addresses from the profile.




                                                                                                                      p2
how to pass the
                                                            google analytics iq test



1. Solution
^184.275.34.([1-9]|1[0-5])$

It is good practice to think about how each RegEx metacharacter works, but you shouldn’t waste time on the exam
by trying to write this by yourself. The fastest way to answer this question is to use the IP Range Tool provided by
Google to generate a Regular Expression:

http://www.google.com/support/analytics/bin/answer.py?hl=en&answer=55572

Just enter the first and last IP addresses, and it will generate the RegEx for you. I recommend keeping that tool
handy during the exam, just in case you are asked a question like this.




                                                                                                                       p3
how to pass the
                                                                google analytics iq test


2. Problem » Goals, Funnels, RegEx
You wish to set up a goal to track completed job application forms on your website. For each goal url below, specify:

	   Goal Type: (URL Destination, Time On Site, Page/Visit, or Event)
    Goal URL:
    Match Type: (Exact Match, Head Match, Regular Expression Match)




(a) 	 The url for a completed job application has unique values for each visitor at the end of the url as follows:

	   http://www.domain.com/careers.cgi?page=1&id=543202
    http://www.domain.com/careers.cgi?page=1&id=781203
    http://www.domain.com/careers.cgi?page=1&id=605561

	   Goal Type:
    Goal URL:
    Match Type:




(b) 	 The url for all completed job application forms is http://www.domain.com/careers/thanks.html

	   Goal Type:
    Goal URL:
    Match Type:




(c)	 The url for a completed job application has unique values for each visitor in the middle of the url as follows:

	   http://www.domain.com/careers.cfm/sid/9/id/54320211/page2# mini
    http://www.domain.com/careers.cfm/sid/10/id/781203/page2#mini
    http://www.domain.com/careers.cfm/sid/3/id/6051/page2#mini

	   Goal Type:
    Goal URL:
    Match Type:




                                                                                                                       p4
how to pass the
                                                                       google analytics iq test


2. Solution
(a) 	 The url for a completed job application has unique values for each visitor at the end of the url as follows:

	    http://www.domain.com/careers.cgi?page=1&id=543202
     http://www.domain.com/careers.cgi?page=1&id=781203
     http://www.domain.com/careers.cgi?page=1&id=605561

	    Goal Type: URL Destination
     Goal URL: /careers.cgi?page=1
     Match Type: Head Match

	    Notes: Remember to leave out the unique values when specifying “Head Match.”You could have also used this as your Goal URL:
     http://www.domain.com/careers.cgi?page=1 However, to make reporting reading easier, Google recommends removing the
     protocol and hostname from the url.




(b) 	 The url for all completed job application forms is http://www.domain.com/careers/thanks.html

	    Goal Type: URL Destination
     Goal URL: /careers/thanks.html
     Match Type: Exact Match

	Notes: “Exact Match” matches the exact Goal URL that you specify without exception. Since there are no unique values, you don’t
     need to use “Head Match.” Again, you could have entered this as your Goal URL: http://www.domain.com/careers/thanks.html but
     Google recommends removing the protocol and hostname from the url.




(c) 	 The url for a completed job application has unique values for each visitor in the middle of the url as follows:

	    http://www.domain.com/careers.cfm/sid/9/id/54320211/page2#mini
     http://www.domain.com/careers.cfm/sid/10/id/781203/page2#mini
     http://www.domain.com/careers.cfm/sid/3/id/6051/page2#mini

	    Goal Type: URL Destination
     Goal URL: http://www.domain.com/careers.cfm/sid/.*/id/.*/page2#mini
     Match Type: Regular Expression Match

	Notes: Avoid the use of “.*” unless you absolutely need to, since it slows down processing. In this problem, we don’t know how long
     the unique values are allowed to be, so it is difficult to avoid the use of “.*”. For example, if we knew that the number following sid/
     was a number zero through ten, we would use “([0-9]|10)” instead of “.*”

                                                                                                                                           p5
how to pass the
                                                        google analytics iq test


3. Problem » E-Commerce, Tracking
You track E-Commerce transactions using the _addTrans() method. However, you notice few errors in your
E-Commerce data due to an improper tracking code for a product.

Fix the errors in the tracking code below:

	_gaq.push([‘_addTrans’,
    	‘7709’,
    	     ‘Television Store’,
    	‘1,499.99’,
    	‘150’,
    	‘4.95’,
    	‘Indianapolis’,
    	‘Indiana’,
    	‘USA’
    ]);
    _gaq.push([‘_addItem’,
    	‘7709’,
    	‘TV77’,
    	‘Television’,
    	     ‘55-inch Full HD’,
    	‘1,499.99’,

	]);
    _gaq.push([‘_trackTrans’]);




                                                                                                         p6
how to pass the
                                                                   google analytics iq test


3. Solution
There are two fundamental errors in the original tracking code.

First, the price of the product was originally formatted as a currency within the tracking code (1,499.99). However,
the values for the total and price parameters do not respect currency formatting, which means the first instance of
a period or comma is treated as a fractional value. In the original code, the total and unit price is being recorded as
1.49999, when it should be $1,499.99. To fix this, delete the comma in the total and unit price parameters.

Second, the quantity parameter is missing in the original tracking code. This needs to be added below the unit
price parameter.

The correct tracking code is below with parameter names to help:

	_gaq.push([‘_addTrans’,
    	    ‘7709’,			                    // order ID - required
    	    ‘Television Store’, 	         // affiliation or store name
    	    ‘1499.99’,		                  // total - required
    	
    ‘150’,			// tax
    	    ‘4.95’, 			                   // shipping
    	    ‘Indianapolis’, 		            // shipping
    	    ‘Indiana’,		                  // state or province
    	
    ‘USA’			// country

	]);
    _gaq.push([‘_addItem’,
    	    ‘7709’,			                    // order ID - required // SKU/code - required
    	    ‘TV77’, 			                   // product name
    	    ‘Television’, 		              // category or variation
    	    ‘55-inch Full HD’, 	          // unit price – required
    	    ‘1499.99’,		                  // quantity - required
    	‘1’,

	]);
    _gaq.push([‘_trackTrans’]);

	

	   Notes: This is a good example of how Google can use subtle tricks to trip you up on the exam. Pay attention to detail on
    every question.




                                                                                                                               p7
how to pass the
                                                            google analytics iq test


4. Problem » Cookies
Briefly describe the five types of utm first-party cookies set by Google Analytics and state the time to expiration for
each cookie:

__utma

__utmb

__utmz

__utmv

__utmx




                                                                                                                      p8
how to pass the
                                                                     google analytics iq test


4. Solution
Cookie 	        Description 	Expiration

__utma 	        visitor ID; determines unique visitors to your site 	                       2 years

__utmb 	        session ID; establishes each user session on your site 	                    30 minutes

__utmz 	        stores the type of referral the visitor used to reach your site 	           6 months

__utmv 	        passes information from the _setVar() method, if installed 	                2 years

__utmx 	        used by Google Website Optimizer, if installed 	                            2 years




Notes: The __utmc cookie was once set by Google Analytics in conjunction with the __utmb cookie, but is no longer used. However, this
cookie still appears in the Conversion University lessons, so don’t be surprised if it appears on the exam. The exam questions might not
be updated for every small change Google has made. Only the __utma, __utmb, and __utmz cookies are set by default.

For more information on Google Analytics cookies, visit: http://code.google.com/apis/analytics/docs/concepts/
gaConceptsCookies.html




                                                                                                                                       p9
how to pass the
                                                             google analytics iq test


5. Problem » General
Determine whether the following statements are true or false.

(a) 	 You cannot edit filters or define goals unless you have Admin access.
    ™ True 	 ™ False
(b) 	 You may create up to 50 profiles in any Google Analytics account.
    ™ True 	 ™ False
(c) 	 You may create up to 50 goals in any given profile.
    ™ True 	 ™ False
(d) 	 Multi-Channel Funnels are only available in the new version of Analytics.
    ™ True 	 ™ False
(e) 	 Google Analytics does not track visits to cached pages.
    ™ True 	 ™ False
(f ) 	 When creating goals, assigning a goal value is optional.
    ™ True 	 ™ False




                                                                                                    p10
how to pass the
                                                             google analytics iq test



5. Solution
(a) 	 You cannot edit filters or define goals unless you have Admin access.
    True.

(b) 	 You may create up to 50 profiles in any Google Analytics account.
    True.

(c) 	 You may create up to 50 goals in any given profile.
    False. You may only create 20 goals for each profile (4 sets of 5).

(d) 	 Multi-Channel Funnels are only available in the new version of Analytics.
    True.

(e) 	 Google Analytics does not track visits to cached pages.
    False. The JavaScript is executed even from a cached page.

(f ) 	 When creating goals, assigning a goal value is optional.
    True.




                                                                                                    p11
how to pass the
                                                            google analytics iq test


6. Problem » Conversions, Tracking
Users take different paths before making purchases on your website. For each path, determine which campaign gets
credit for the sale by default (direct, advertisement, organic search, social network, referring website, or none).

(a) 	 User #1
    Organic Search  Your Website  Bounces  Returns via Advertisement  Makes purchase on your website

	   Answer:




(b) 	 User #2
    Organic Search  Your Website  Bounces  Returns Directly  Makes purchase on your website

	   Answer:




(c) 	 User #3
    Advertisement  Your Website  Social Network  Organic Search  Makes purchase on your website

	   Answer:




(d) 	 User #4
    “utm_nooverride=off”has been appended to the end of all campaign URLs
    Organic Search  Your Website  Bounces  Returns via Advertisement  Makes purchase on your website

	   Answer:




(e) 	 User #5
    “utm_nooverride=1” has been appended to the end of all campaign URLs
    Advertisement  Your Website  Social Network  Organic Search  Makes purchase on your website

	   Answer:




                                                                                                                      p12
how to pass the
                                                           google analytics iq test


6. Solution
(a) 	 User #1
    Organic Search  Your Website  Bounces  Returns via Advertisement  Makes purchase on your website

	   Answer: The advertisement gets credit for the purchase by default, as this was the most recent referral source.




(b) 	 User #2
    Organic Search  Your Website  Bounces  Returns Directly  Makes purchase on your website

	   Answer: The organic search gets credit for the purchase by default, as direct visits do not take credit from a
    previous referring campaign.




(c) 	 User #3
    Advertisement  Your Website  Social Network  Organic Search  Makes purchase on your website

	   Answer: The organic search gets credit for the purchase by default, as this was the most recent referral source.




(d) 	 User #4
    “utm_nooverride=off”has been appended to the end of all campaign URLs
    Organic Search  Your Website  Bounces  Returns via Advertisement  Makes purchase on your website

	   Answer: This was question was meant to trick you. The Advertisement still gets credit for the purchase by
    default, since ‘utm_nooverride=off ’ does not change the default setting.




(e) 	 User #5
    “utm_nooverride=1” has been appended to the end of all campaign URLs
    Advertisement  Your Website  Social Network  Organic Search  Makes purchase on your website

	   Answer: The advertisement gets credit for the purchase because ‘utm_nooverride=1’ has been appended to the
    end of all campaign URLs. When ‘utm_nooverride=1’ is added, credit is given to the original referral.




                                                                                                                     p13
how to pass the
                                                      google analytics iq test


7. Problem » General
Explain the difference between the following terms:

(a) 	 Goal conversions vs. e-commerce transactions

	   Answer:




(b) 	 Persistent vs. temporary cookies

	   Answer:




(c) 	 Profile filters vs. advanced segments

	   Answer:




(d) 	 Pageviews vs. unique pageviews

	   Answer:




(e) 	 First-party vs. third-party cookies

	   Answer:




                                                                                    p14
how to pass the
                                                           google analytics iq test


7. Solution
(a) 	 Goal conversions vs. e-commerce transactions:

	Answer: A goal conversion can only occur once per session, but an e-commerce transaction can happen
    multiple times during a single session.

(b) 	 Persistent vs. temporary cookies:

	Answer: Persistent cookies remain on your computer even when you close the browser, but have an expiration
    date. Temporary cookies are only stored for the duration of your current browser session. Temporary cookies
    are destroyed immediately upon quitting your browser.

(c) 	 Profile filters vs. advanced segments:

	   Answer: Filters exclude data coming into your profile. Advanced segments are used to exclude data coming
    out of your profile for reporting purposes. Advanced segments can be applied to historical data and can be
    compared side-by-side in reports. Filtered profiles permanently alter or restrict data that appears in a profile.

(d) 	 Pageviews vs. unique pageviews:

	   Answer: Pageviews are defined as the total number of pages viewed. Unique pageviews are defined by the
    number of visits in which the page was viewed.

	   For example, a visitor takes this path:

	Page 1  Page 2  Refresh  Page 1  Page 3

	   The number of pageviews is 5, since the refresh counts as an additional pageview for that page.

	   During this visit, Page 1 was viewed, Page 2 was viewed, and Page 3 was viewed, so the total number of
    unique pageviews is 3.

(e) 	 First-party vs. third-party cookies:

	Answer: First-party cookies are set by the domain being visited. The only site that can read a first-party
    cookie is the domain that created it.

	   Third-party cookies are set by third-party sites, and any site can read them.




                                                                                                                   p15
how to pass the
                              google analytics iq test


8. Problem » General
Define the following terms:

(a) 	 Bounce Rate

	    Definition:




(b)	 Click-Through Rate

	    Definition:




(c) 	 Cookies

	    Definition:




(d) 	 $ Index

	    Definition:




                                                            p16
how to pass the
                                                             google analytics iq test



8. Solution
(a) 	Bounce Rate: A bounce rate is the percentage of visits to your site where the visitor viewed only one page
    and then exited without any interaction.

(b) 	Click-Through Rate: A click-through rate is the total number of clicks divided by the total number of
    impressions, expressed as a percentage.

(c) 	 Cookies: Cookies are text files that describe a small piece of information about a visitor or the
    visitor’s computer.

(d) 	 $ Index: A value metric used to determine which pages on your site are the most valuable. Pages that
    are frequently viewed prior to high value conversions will have the highest $ Index values.




                                                                                                                  p17
how to pass the
                                                       google analytics iq test


9. Problem » AdWords
	   Why should you enable auto-tagging when linking AdWords to Analytics?

	Answer:




                                                                                              p18
how to pass the
                                                          google analytics iq test



9. Solution
Autotagging your links allows Analytics to differentiate the traffic coming from organic search and PPC ads.
If autotagging is not enabled, Analytics will show the traffic combined and coming from only one source:
google organic.




                                                                                                               p19
how to pass the
                                                      google analytics iq test


10. Problem » RegEx
Define the following Regular Expression characters.

(a) 	 d

	     Definition:




(b) 	 s

	     Definition:




(c) 	 w

	     Definition:




(d) 	 ^

	     Definition:




(e) 	 |

	     Definition:




(f) 	 $

	     Definition:




(g) 	 .*

	     Definition:




                                                                                    p20
how to pass the
                                                              google analytics iq test


10. Solution
(a) 	 d

	     Definition: Matches any single digit, 0 through 9. Same as [0-9]




(b) 	 s

	     Definition: Matches any white space.




(c) 	 w

	     Definition: Match any letter, numeric digit, or underscore.




(d) 	 ^

	     Definition: Signals the beginning of an expression, saying, “starts with __”
      ^teen would not match fifteen, but would match teenager




(e) 	 |

	     Definition: The pipe means “or.” x|y|z matches x or y or z.




(f) 	 $

	     Definition: Signals the end of an expression, saying, “ends with __”
      teen$ would not match teenager, but would match fifteen




(g) 	 .*

	     Definition: Matches any wildcard of indeterminate length.




                                                                                                       p21
how to pass the
                                                            google analytics iq test


Disclaimer: The findings in my post and practice problems reflect my own opinions based on research within
Google. They do not reflect the opinions of Google nor do they reflect what is on the actual GAIQ test. These practice
questions were written based on real-life applications of Google Analytics as well as the syllabus for the GAIQ test
(Google Analytics IQ Lessons). This is not an exhaustive list of the study material.




For more information, please visit:
Google Analytics IQ Lessons (formerly known as Conversion University):
http://www.google.com/intl/en/analytics/iq.html?

Google Testing Center: http://google.starttest.com/

If you have any questions, please contact Research@SlingshotSEO.com.




                                                                                                                   p22
Connect with us!
 Connect with us!
Contact Contact JimDirectorSenior Account Executive at Slingshot SEO, at
  Please Joe Melton, Brown, of Sales at Slingshot SEO, at Joe.Melton@SlingshotSEO.com
ifJim@SlingshotSEO.com if you have questions on Slingshot SEO services.
   you have questions on Slingshot SEO services. Contact Research@SlingshotSEO.com if
you have questions about this study. if you have questions about this study.
  Contact Research@Slingshotseo.com


Office » 888.603.7337
Facebook888.603.7337
 Office » » www.Facebook.com/SlingshotSEO
Twitter » @SlingshotSEO
 Facebook » www.Facebook.com/SlingshotSEO




                                                 8900 Keystone Crossing, Suite 100
                                                 Indianapolis, IN 46240
                                                 888.603.7337     toll-free
                                                 317.575.8852     local
                                                 317.575.8904     fax

                                                 info@SlingshotSEO.com
                                                 www.SlingshotSEO.com



                                                 ©2012 Slingshot SEO, Inc. All rights reserved.
                                                 v.2, July 2012

Weitere ähnliche Inhalte

Was ist angesagt?

HOW TO USE GOOGLE ANALYTICS BEHAVIOR TO OPTIMIZE YOUR CONTENT
HOW TO USE GOOGLE ANALYTICS BEHAVIOR TO OPTIMIZE YOUR CONTENTHOW TO USE GOOGLE ANALYTICS BEHAVIOR TO OPTIMIZE YOUR CONTENT
HOW TO USE GOOGLE ANALYTICS BEHAVIOR TO OPTIMIZE YOUR CONTENTJoseph Rivera
 
Google Analytics - Webmaster Tools Pro Setup & Tips
Google Analytics -  Webmaster Tools Pro Setup & TipsGoogle Analytics -  Webmaster Tools Pro Setup & Tips
Google Analytics - Webmaster Tools Pro Setup & TipsRank Fuse Digital Marketing
 
Guide to-google-analytics google 4
Guide to-google-analytics google 4Guide to-google-analytics google 4
Guide to-google-analytics google 4Nizam Uddin
 
Track Report & Optimize Your Web Creations
Track Report & Optimize Your Web CreationsTrack Report & Optimize Your Web Creations
Track Report & Optimize Your Web CreationsEmpirical Path
 
Basic tutorial how to use google analytics
Basic tutorial how to use google analyticsBasic tutorial how to use google analytics
Basic tutorial how to use google analyticsCherrylin Ramos
 
Google tag manager fundamentals question and answer (june 23 and july 24, 2015)
Google tag manager fundamentals question and answer (june 23 and july 24, 2015)Google tag manager fundamentals question and answer (june 23 and july 24, 2015)
Google tag manager fundamentals question and answer (june 23 and july 24, 2015)Mahendra Patel
 
A complete guide for social media SOP - Divay Jain
A complete guide for social media SOP - Divay JainA complete guide for social media SOP - Divay Jain
A complete guide for social media SOP - Divay JainDivay Jain
 
Content marketing for Startups - Making Your Funnel Work
Content marketing for Startups - Making Your Funnel WorkContent marketing for Startups - Making Your Funnel Work
Content marketing for Startups - Making Your Funnel WorkJoost Hoogstrate
 
Google analytics account setup optimization
Google analytics account setup optimization Google analytics account setup optimization
Google analytics account setup optimization DAVID RAUDALES
 
Google Analytics for SEO Beginners
Google Analytics for SEO BeginnersGoogle Analytics for SEO Beginners
Google Analytics for SEO BeginnersAditya Todawal
 
Intent Based Analytics with Google Analytics and Google Tag Manager
Intent Based Analytics with Google Analytics and Google Tag ManagerIntent Based Analytics with Google Analytics and Google Tag Manager
Intent Based Analytics with Google Analytics and Google Tag ManagerJatin Kochhar
 
Google Tag Manager Training
Google Tag Manager TrainingGoogle Tag Manager Training
Google Tag Manager TrainingEmpirical Path
 
Google Analytics Overview
Google Analytics OverviewGoogle Analytics Overview
Google Analytics Overviewtradocaj
 
[Part 1] understand google search console outrankco
[Part 1] understand google search console   outrankco[Part 1] understand google search console   outrankco
[Part 1] understand google search console outrankcoOutrankco Pte Ltd
 
Introduction to Google Analytics
Introduction to Google AnalyticsIntroduction to Google Analytics
Introduction to Google AnalyticsMeraj Faheem
 
Understanding Google Analytics: 5 Basic Questions Answered
Understanding Google Analytics: 5 Basic Questions AnsweredUnderstanding Google Analytics: 5 Basic Questions Answered
Understanding Google Analytics: 5 Basic Questions AnsweredGabrielle Branch
 
Smart Data with Google's Universal Analytics
Smart Data with Google's Universal AnalyticsSmart Data with Google's Universal Analytics
Smart Data with Google's Universal AnalyticsAdrian Vender
 

Was ist angesagt? (20)

HOW TO USE GOOGLE ANALYTICS BEHAVIOR TO OPTIMIZE YOUR CONTENT
HOW TO USE GOOGLE ANALYTICS BEHAVIOR TO OPTIMIZE YOUR CONTENTHOW TO USE GOOGLE ANALYTICS BEHAVIOR TO OPTIMIZE YOUR CONTENT
HOW TO USE GOOGLE ANALYTICS BEHAVIOR TO OPTIMIZE YOUR CONTENT
 
Google Analytics - Webmaster Tools Pro Setup & Tips
Google Analytics -  Webmaster Tools Pro Setup & TipsGoogle Analytics -  Webmaster Tools Pro Setup & Tips
Google Analytics - Webmaster Tools Pro Setup & Tips
 
Guide to-google-analytics google 4
Guide to-google-analytics google 4Guide to-google-analytics google 4
Guide to-google-analytics google 4
 
Track Report & Optimize Your Web Creations
Track Report & Optimize Your Web CreationsTrack Report & Optimize Your Web Creations
Track Report & Optimize Your Web Creations
 
Google Analytics 101
 Google Analytics 101  Google Analytics 101
Google Analytics 101
 
Basic tutorial how to use google analytics
Basic tutorial how to use google analyticsBasic tutorial how to use google analytics
Basic tutorial how to use google analytics
 
Google tag manager fundamentals question and answer (june 23 and july 24, 2015)
Google tag manager fundamentals question and answer (june 23 and july 24, 2015)Google tag manager fundamentals question and answer (june 23 and july 24, 2015)
Google tag manager fundamentals question and answer (june 23 and july 24, 2015)
 
A complete guide for social media SOP - Divay Jain
A complete guide for social media SOP - Divay JainA complete guide for social media SOP - Divay Jain
A complete guide for social media SOP - Divay Jain
 
Content marketing for Startups - Making Your Funnel Work
Content marketing for Startups - Making Your Funnel WorkContent marketing for Startups - Making Your Funnel Work
Content marketing for Startups - Making Your Funnel Work
 
Analytics
AnalyticsAnalytics
Analytics
 
Google analytics account setup optimization
Google analytics account setup optimization Google analytics account setup optimization
Google analytics account setup optimization
 
Google Analytics for SEO Beginners
Google Analytics for SEO BeginnersGoogle Analytics for SEO Beginners
Google Analytics for SEO Beginners
 
Intent Based Analytics with Google Analytics and Google Tag Manager
Intent Based Analytics with Google Analytics and Google Tag ManagerIntent Based Analytics with Google Analytics and Google Tag Manager
Intent Based Analytics with Google Analytics and Google Tag Manager
 
159 200523 Google Analytics For Beginners
159 200523 Google Analytics For Beginners159 200523 Google Analytics For Beginners
159 200523 Google Analytics For Beginners
 
Google Tag Manager Training
Google Tag Manager TrainingGoogle Tag Manager Training
Google Tag Manager Training
 
Google Analytics Overview
Google Analytics OverviewGoogle Analytics Overview
Google Analytics Overview
 
[Part 1] understand google search console outrankco
[Part 1] understand google search console   outrankco[Part 1] understand google search console   outrankco
[Part 1] understand google search console outrankco
 
Introduction to Google Analytics
Introduction to Google AnalyticsIntroduction to Google Analytics
Introduction to Google Analytics
 
Understanding Google Analytics: 5 Basic Questions Answered
Understanding Google Analytics: 5 Basic Questions AnsweredUnderstanding Google Analytics: 5 Basic Questions Answered
Understanding Google Analytics: 5 Basic Questions Answered
 
Smart Data with Google's Universal Analytics
Smart Data with Google's Universal AnalyticsSmart Data with Google's Universal Analytics
Smart Data with Google's Universal Analytics
 

Andere mochten auch

Google Analytics Questions Answer Prepration
Google Analytics Questions Answer PreprationGoogle Analytics Questions Answer Prepration
Google Analytics Questions Answer PreprationMandeep Hooda
 
An Introduction To Google Analytics
An Introduction To Google AnalyticsAn Introduction To Google Analytics
An Introduction To Google AnalyticsGlobal Media Insight
 
Google Analytics - Threat or Opportunity? Peter O'Neill
Google Analytics - Threat or Opportunity? Peter O'NeillGoogle Analytics - Threat or Opportunity? Peter O'Neill
Google Analytics - Threat or Opportunity? Peter O'NeillMezzo Labs
 
Making your website work
Making your website workMaking your website work
Making your website workPaul Canning
 
Gamc2010 11 - google analytics and google website optimiser resources - din...
Gamc2010   11 - google analytics and google website optimiser resources - din...Gamc2010   11 - google analytics and google website optimiser resources - din...
Gamc2010 11 - google analytics and google website optimiser resources - din...Vinoaj Vijeyakumaar
 
Universal Google Analytics: Event Tracking
Universal Google Analytics: Event TrackingUniversal Google Analytics: Event Tracking
Universal Google Analytics: Event TrackingVlad Mysla
 
Understanding Web Analytics
Understanding Web AnalyticsUnderstanding Web Analytics
Understanding Web AnalyticsDipali Thakkar
 
Google analytics individual qualification (gaiq) exam preparation
Google analytics individual qualification (gaiq) exam preparationGoogle analytics individual qualification (gaiq) exam preparation
Google analytics individual qualification (gaiq) exam preparationSrikanth Dhondi
 
International Web Analytics: A How-To Session
International Web Analytics: A How-To SessionInternational Web Analytics: A How-To Session
International Web Analytics: A How-To SessionDaniel Smulevich
 
GAIQ - Regular expressions-google-analytics
GAIQ - Regular expressions-google-analyticsGAIQ - Regular expressions-google-analytics
GAIQ - Regular expressions-google-analyticsAnkita Kishore
 

Andere mochten auch (12)

Google Analytics Questions Answer Prepration
Google Analytics Questions Answer PreprationGoogle Analytics Questions Answer Prepration
Google Analytics Questions Answer Prepration
 
Google Analytics 101
Google Analytics 101Google Analytics 101
Google Analytics 101
 
An Introduction To Google Analytics
An Introduction To Google AnalyticsAn Introduction To Google Analytics
An Introduction To Google Analytics
 
Google Analytics - Threat or Opportunity? Peter O'Neill
Google Analytics - Threat or Opportunity? Peter O'NeillGoogle Analytics - Threat or Opportunity? Peter O'Neill
Google Analytics - Threat or Opportunity? Peter O'Neill
 
Making your website work
Making your website workMaking your website work
Making your website work
 
Gamc2010 11 - google analytics and google website optimiser resources - din...
Gamc2010   11 - google analytics and google website optimiser resources - din...Gamc2010   11 - google analytics and google website optimiser resources - din...
Gamc2010 11 - google analytics and google website optimiser resources - din...
 
Using Data from Google Analytics
Using Data from Google AnalyticsUsing Data from Google Analytics
Using Data from Google Analytics
 
Universal Google Analytics: Event Tracking
Universal Google Analytics: Event TrackingUniversal Google Analytics: Event Tracking
Universal Google Analytics: Event Tracking
 
Understanding Web Analytics
Understanding Web AnalyticsUnderstanding Web Analytics
Understanding Web Analytics
 
Google analytics individual qualification (gaiq) exam preparation
Google analytics individual qualification (gaiq) exam preparationGoogle analytics individual qualification (gaiq) exam preparation
Google analytics individual qualification (gaiq) exam preparation
 
International Web Analytics: A How-To Session
International Web Analytics: A How-To SessionInternational Web Analytics: A How-To Session
International Web Analytics: A How-To Session
 
GAIQ - Regular expressions-google-analytics
GAIQ - Regular expressions-google-analyticsGAIQ - Regular expressions-google-analytics
GAIQ - Regular expressions-google-analytics
 

Ähnlich wie How to Pass the Google Analytics Individual Qualification Test by Slingshot SEO

Google Optimize for testing and personalization
Google Optimize for testing and personalizationGoogle Optimize for testing and personalization
Google Optimize for testing and personalizationOWOX BI
 
SEO Reporting and Analytics - Tea-Time SEO Series of Daily SEO Talks from SE...
SEO Reporting and Analytics  - Tea-Time SEO Series of Daily SEO Talks from SE...SEO Reporting and Analytics  - Tea-Time SEO Series of Daily SEO Talks from SE...
SEO Reporting and Analytics - Tea-Time SEO Series of Daily SEO Talks from SE...Authoritas
 
Understanding Web Analytics and Google Analytics
Understanding Web Analytics and Google AnalyticsUnderstanding Web Analytics and Google Analytics
Understanding Web Analytics and Google AnalyticsPrathamesh Kulkarni
 
Periscopix presentation
Periscopix presentationPeriscopix presentation
Periscopix presentationJamieCluett
 
Google Analytics Website Optimizer Slideshare
Google Analytics Website Optimizer SlideshareGoogle Analytics Website Optimizer Slideshare
Google Analytics Website Optimizer Slidesharetmg_ltd
 
Google analytics and website optimizer
Google analytics and website optimizerGoogle analytics and website optimizer
Google analytics and website optimizerDigiword Ha Noi
 
Google Analytics and Website Optimizer
Google Analytics and Website OptimizerGoogle Analytics and Website Optimizer
Google Analytics and Website OptimizerSimon Whatley
 
Google Analytics And Website Optimizer
Google Analytics And Website OptimizerGoogle Analytics And Website Optimizer
Google Analytics And Website OptimizerDigiword Ha Noi
 
Example SEO audit
Example SEO auditExample SEO audit
Example SEO auditPhil Pearce
 
Google Ecosphere
Google EcosphereGoogle Ecosphere
Google EcosphereDrew Landis
 
An introduction-to-google-analytics-1198701588721690-4
An introduction-to-google-analytics-1198701588721690-4An introduction-to-google-analytics-1198701588721690-4
An introduction-to-google-analytics-1198701588721690-4Jerry Wijaya
 
GA的详细介绍
GA的详细介绍GA的详细介绍
GA的详细介绍writerrr
 
All about google tag manager - Basics
All about google tag manager - Basics All about google tag manager - Basics
All about google tag manager - Basics Rob Levish
 
Webinar Advertising With Ad Words
Webinar Advertising With Ad WordsWebinar Advertising With Ad Words
Webinar Advertising With Ad WordsJuan Pittau
 
Analytics For Local Search
Analytics For Local SearchAnalytics For Local Search
Analytics For Local SearchInflow
 
Google Analytics for Beginners - Training
Google Analytics for Beginners - TrainingGoogle Analytics for Beginners - Training
Google Analytics for Beginners - TrainingRuben Vezzoli
 
How To: Use Google Search Ap Is On Your Blog
How To: Use Google Search Ap Is On Your BlogHow To: Use Google Search Ap Is On Your Blog
How To: Use Google Search Ap Is On Your Blogmutex07
 
BrightonSEO October 2022 - Dan Taylor SEO - Indexing Ecommerce Websites
BrightonSEO October 2022 - Dan Taylor SEO - Indexing Ecommerce WebsitesBrightonSEO October 2022 - Dan Taylor SEO - Indexing Ecommerce Websites
BrightonSEO October 2022 - Dan Taylor SEO - Indexing Ecommerce WebsitesDan Taylor
 
Failure is an Option: Scaling Resilient Feature Delivery
Failure is an Option: Scaling Resilient Feature DeliveryFailure is an Option: Scaling Resilient Feature Delivery
Failure is an Option: Scaling Resilient Feature DeliveryOptimizely
 
BCCCA Google Analytics for Improved Lead Generation
BCCCA Google Analytics for Improved Lead GenerationBCCCA Google Analytics for Improved Lead Generation
BCCCA Google Analytics for Improved Lead GenerationPhilippe Taza
 

Ähnlich wie How to Pass the Google Analytics Individual Qualification Test by Slingshot SEO (20)

Google Optimize for testing and personalization
Google Optimize for testing and personalizationGoogle Optimize for testing and personalization
Google Optimize for testing and personalization
 
SEO Reporting and Analytics - Tea-Time SEO Series of Daily SEO Talks from SE...
SEO Reporting and Analytics  - Tea-Time SEO Series of Daily SEO Talks from SE...SEO Reporting and Analytics  - Tea-Time SEO Series of Daily SEO Talks from SE...
SEO Reporting and Analytics - Tea-Time SEO Series of Daily SEO Talks from SE...
 
Understanding Web Analytics and Google Analytics
Understanding Web Analytics and Google AnalyticsUnderstanding Web Analytics and Google Analytics
Understanding Web Analytics and Google Analytics
 
Periscopix presentation
Periscopix presentationPeriscopix presentation
Periscopix presentation
 
Google Analytics Website Optimizer Slideshare
Google Analytics Website Optimizer SlideshareGoogle Analytics Website Optimizer Slideshare
Google Analytics Website Optimizer Slideshare
 
Google analytics and website optimizer
Google analytics and website optimizerGoogle analytics and website optimizer
Google analytics and website optimizer
 
Google Analytics and Website Optimizer
Google Analytics and Website OptimizerGoogle Analytics and Website Optimizer
Google Analytics and Website Optimizer
 
Google Analytics And Website Optimizer
Google Analytics And Website OptimizerGoogle Analytics And Website Optimizer
Google Analytics And Website Optimizer
 
Example SEO audit
Example SEO auditExample SEO audit
Example SEO audit
 
Google Ecosphere
Google EcosphereGoogle Ecosphere
Google Ecosphere
 
An introduction-to-google-analytics-1198701588721690-4
An introduction-to-google-analytics-1198701588721690-4An introduction-to-google-analytics-1198701588721690-4
An introduction-to-google-analytics-1198701588721690-4
 
GA的详细介绍
GA的详细介绍GA的详细介绍
GA的详细介绍
 
All about google tag manager - Basics
All about google tag manager - Basics All about google tag manager - Basics
All about google tag manager - Basics
 
Webinar Advertising With Ad Words
Webinar Advertising With Ad WordsWebinar Advertising With Ad Words
Webinar Advertising With Ad Words
 
Analytics For Local Search
Analytics For Local SearchAnalytics For Local Search
Analytics For Local Search
 
Google Analytics for Beginners - Training
Google Analytics for Beginners - TrainingGoogle Analytics for Beginners - Training
Google Analytics for Beginners - Training
 
How To: Use Google Search Ap Is On Your Blog
How To: Use Google Search Ap Is On Your BlogHow To: Use Google Search Ap Is On Your Blog
How To: Use Google Search Ap Is On Your Blog
 
BrightonSEO October 2022 - Dan Taylor SEO - Indexing Ecommerce Websites
BrightonSEO October 2022 - Dan Taylor SEO - Indexing Ecommerce WebsitesBrightonSEO October 2022 - Dan Taylor SEO - Indexing Ecommerce Websites
BrightonSEO October 2022 - Dan Taylor SEO - Indexing Ecommerce Websites
 
Failure is an Option: Scaling Resilient Feature Delivery
Failure is an Option: Scaling Resilient Feature DeliveryFailure is an Option: Scaling Resilient Feature Delivery
Failure is an Option: Scaling Resilient Feature Delivery
 
BCCCA Google Analytics for Improved Lead Generation
BCCCA Google Analytics for Improved Lead GenerationBCCCA Google Analytics for Improved Lead Generation
BCCCA Google Analytics for Improved Lead Generation
 

Kürzlich hochgeladen

The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024Rafal Los
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Scriptwesley chun
 
Presentation on how to chat with PDF using ChatGPT code interpreter
Presentation on how to chat with PDF using ChatGPT code interpreterPresentation on how to chat with PDF using ChatGPT code interpreter
Presentation on how to chat with PDF using ChatGPT code interpreternaman860154
 
Handwritten Text Recognition for manuscripts and early printed texts
Handwritten Text Recognition for manuscripts and early printed textsHandwritten Text Recognition for manuscripts and early printed texts
Handwritten Text Recognition for manuscripts and early printed textsMaria Levchenko
 
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Drew Madelung
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Miguel Araújo
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Igalia
 
The Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptxThe Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptxMalak Abu Hammad
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationRadu Cotescu
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024The Digital Insurer
 
A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?Igalia
 
How to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerHow to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerThousandEyes
 
What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?Antenna Manufacturer Coco
 
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptxEIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptxEarley Information Science
 
Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)wesley chun
 
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking MenDelhi Call girls
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking MenDelhi Call girls
 
08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking MenDelhi Call girls
 
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptxHampshireHUG
 
CNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of ServiceCNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of Servicegiselly40
 

Kürzlich hochgeladen (20)

The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
Presentation on how to chat with PDF using ChatGPT code interpreter
Presentation on how to chat with PDF using ChatGPT code interpreterPresentation on how to chat with PDF using ChatGPT code interpreter
Presentation on how to chat with PDF using ChatGPT code interpreter
 
Handwritten Text Recognition for manuscripts and early printed texts
Handwritten Text Recognition for manuscripts and early printed textsHandwritten Text Recognition for manuscripts and early printed texts
Handwritten Text Recognition for manuscripts and early printed texts
 
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
 
The Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptxThe Codex of Business Writing Software for Real-World Solutions 2.pptx
The Codex of Business Writing Software for Real-World Solutions 2.pptx
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organization
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
 
A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?
 
How to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerHow to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected Worker
 
What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?
 
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptxEIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
EIS-Webinar-Prompt-Knowledge-Eng-2024-04-08.pptx
 
Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)
 
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
 
08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men
 
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
 
CNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of ServiceCNv6 Instructor Chapter 6 Quality of Service
CNv6 Instructor Chapter 6 Quality of Service
 

How to Pass the Google Analytics Individual Qualification Test by Slingshot SEO

  • 1. how to pass the google analytics iq test
  • 2. how to pass the google analytics iq test Original practice problems Below are 10 practice problems to help you prepare for the Google Analytics Individual Qualification (IQ) Test. They are based on the syllabus for the GAIQ Test, but keep in mind that this is not an exhaustive list of the study material. If you are serious about passing the test, the best place to start preparing is by watching the GA IQ Lesson videos here http://www.google.com/intl/en/analytics/iq.html?. For tips on how to pass the exam, please see my post on the SEOmoz blog http://www. seomoz.org/ugc/google- analytics-certification-how-to-pass-the-gaiq-test. Best of luck! 1. Problem » filters, RegEx You work for an SEO firm that analyzes traffic data for another website using Google Analytics. Your company has 15 different IP addresses: 184.275.34.1 184.275.34.2 184.275.34.3 ... 184.275.34.15 You wish to create a custom filter to exclude these IP addresses to prevent internal traffic from skewing client data Write a regular expression to exclude all 15 IP addresses from the profile. p2
  • 3. how to pass the google analytics iq test 1. Solution ^184.275.34.([1-9]|1[0-5])$ It is good practice to think about how each RegEx metacharacter works, but you shouldn’t waste time on the exam by trying to write this by yourself. The fastest way to answer this question is to use the IP Range Tool provided by Google to generate a Regular Expression: http://www.google.com/support/analytics/bin/answer.py?hl=en&answer=55572 Just enter the first and last IP addresses, and it will generate the RegEx for you. I recommend keeping that tool handy during the exam, just in case you are asked a question like this. p3
  • 4. how to pass the google analytics iq test 2. Problem » Goals, Funnels, RegEx You wish to set up a goal to track completed job application forms on your website. For each goal url below, specify: Goal Type: (URL Destination, Time On Site, Page/Visit, or Event) Goal URL: Match Type: (Exact Match, Head Match, Regular Expression Match) (a) The url for a completed job application has unique values for each visitor at the end of the url as follows: http://www.domain.com/careers.cgi?page=1&id=543202 http://www.domain.com/careers.cgi?page=1&id=781203 http://www.domain.com/careers.cgi?page=1&id=605561 Goal Type: Goal URL: Match Type: (b) The url for all completed job application forms is http://www.domain.com/careers/thanks.html Goal Type: Goal URL: Match Type: (c) The url for a completed job application has unique values for each visitor in the middle of the url as follows: http://www.domain.com/careers.cfm/sid/9/id/54320211/page2# mini http://www.domain.com/careers.cfm/sid/10/id/781203/page2#mini http://www.domain.com/careers.cfm/sid/3/id/6051/page2#mini Goal Type: Goal URL: Match Type: p4
  • 5. how to pass the google analytics iq test 2. Solution (a) The url for a completed job application has unique values for each visitor at the end of the url as follows: http://www.domain.com/careers.cgi?page=1&id=543202 http://www.domain.com/careers.cgi?page=1&id=781203 http://www.domain.com/careers.cgi?page=1&id=605561 Goal Type: URL Destination Goal URL: /careers.cgi?page=1 Match Type: Head Match Notes: Remember to leave out the unique values when specifying “Head Match.”You could have also used this as your Goal URL: http://www.domain.com/careers.cgi?page=1 However, to make reporting reading easier, Google recommends removing the protocol and hostname from the url. (b) The url for all completed job application forms is http://www.domain.com/careers/thanks.html Goal Type: URL Destination Goal URL: /careers/thanks.html Match Type: Exact Match Notes: “Exact Match” matches the exact Goal URL that you specify without exception. Since there are no unique values, you don’t need to use “Head Match.” Again, you could have entered this as your Goal URL: http://www.domain.com/careers/thanks.html but Google recommends removing the protocol and hostname from the url. (c) The url for a completed job application has unique values for each visitor in the middle of the url as follows: http://www.domain.com/careers.cfm/sid/9/id/54320211/page2#mini http://www.domain.com/careers.cfm/sid/10/id/781203/page2#mini http://www.domain.com/careers.cfm/sid/3/id/6051/page2#mini Goal Type: URL Destination Goal URL: http://www.domain.com/careers.cfm/sid/.*/id/.*/page2#mini Match Type: Regular Expression Match Notes: Avoid the use of “.*” unless you absolutely need to, since it slows down processing. In this problem, we don’t know how long the unique values are allowed to be, so it is difficult to avoid the use of “.*”. For example, if we knew that the number following sid/ was a number zero through ten, we would use “([0-9]|10)” instead of “.*” p5
  • 6. how to pass the google analytics iq test 3. Problem » E-Commerce, Tracking You track E-Commerce transactions using the _addTrans() method. However, you notice few errors in your E-Commerce data due to an improper tracking code for a product. Fix the errors in the tracking code below: _gaq.push([‘_addTrans’, ‘7709’, ‘Television Store’, ‘1,499.99’, ‘150’, ‘4.95’, ‘Indianapolis’, ‘Indiana’, ‘USA’ ]); _gaq.push([‘_addItem’, ‘7709’, ‘TV77’, ‘Television’, ‘55-inch Full HD’, ‘1,499.99’, ]); _gaq.push([‘_trackTrans’]); p6
  • 7. how to pass the google analytics iq test 3. Solution There are two fundamental errors in the original tracking code. First, the price of the product was originally formatted as a currency within the tracking code (1,499.99). However, the values for the total and price parameters do not respect currency formatting, which means the first instance of a period or comma is treated as a fractional value. In the original code, the total and unit price is being recorded as 1.49999, when it should be $1,499.99. To fix this, delete the comma in the total and unit price parameters. Second, the quantity parameter is missing in the original tracking code. This needs to be added below the unit price parameter. The correct tracking code is below with parameter names to help: _gaq.push([‘_addTrans’, ‘7709’, // order ID - required ‘Television Store’, // affiliation or store name ‘1499.99’, // total - required ‘150’, // tax ‘4.95’, // shipping ‘Indianapolis’, // shipping ‘Indiana’, // state or province ‘USA’ // country ]); _gaq.push([‘_addItem’, ‘7709’, // order ID - required // SKU/code - required ‘TV77’, // product name ‘Television’, // category or variation ‘55-inch Full HD’, // unit price – required ‘1499.99’, // quantity - required ‘1’, ]); _gaq.push([‘_trackTrans’]); Notes: This is a good example of how Google can use subtle tricks to trip you up on the exam. Pay attention to detail on every question. p7
  • 8. how to pass the google analytics iq test 4. Problem » Cookies Briefly describe the five types of utm first-party cookies set by Google Analytics and state the time to expiration for each cookie: __utma __utmb __utmz __utmv __utmx p8
  • 9. how to pass the google analytics iq test 4. Solution Cookie Description Expiration __utma visitor ID; determines unique visitors to your site 2 years __utmb session ID; establishes each user session on your site 30 minutes __utmz stores the type of referral the visitor used to reach your site 6 months __utmv passes information from the _setVar() method, if installed 2 years __utmx used by Google Website Optimizer, if installed 2 years Notes: The __utmc cookie was once set by Google Analytics in conjunction with the __utmb cookie, but is no longer used. However, this cookie still appears in the Conversion University lessons, so don’t be surprised if it appears on the exam. The exam questions might not be updated for every small change Google has made. Only the __utma, __utmb, and __utmz cookies are set by default. For more information on Google Analytics cookies, visit: http://code.google.com/apis/analytics/docs/concepts/ gaConceptsCookies.html p9
  • 10. how to pass the google analytics iq test 5. Problem » General Determine whether the following statements are true or false. (a) You cannot edit filters or define goals unless you have Admin access. ™ True ™ False (b) You may create up to 50 profiles in any Google Analytics account. ™ True ™ False (c) You may create up to 50 goals in any given profile. ™ True ™ False (d) Multi-Channel Funnels are only available in the new version of Analytics. ™ True ™ False (e) Google Analytics does not track visits to cached pages. ™ True ™ False (f ) When creating goals, assigning a goal value is optional. ™ True ™ False p10
  • 11. how to pass the google analytics iq test 5. Solution (a) You cannot edit filters or define goals unless you have Admin access. True. (b) You may create up to 50 profiles in any Google Analytics account. True. (c) You may create up to 50 goals in any given profile. False. You may only create 20 goals for each profile (4 sets of 5). (d) Multi-Channel Funnels are only available in the new version of Analytics. True. (e) Google Analytics does not track visits to cached pages. False. The JavaScript is executed even from a cached page. (f ) When creating goals, assigning a goal value is optional. True. p11
  • 12. how to pass the google analytics iq test 6. Problem » Conversions, Tracking Users take different paths before making purchases on your website. For each path, determine which campaign gets credit for the sale by default (direct, advertisement, organic search, social network, referring website, or none). (a) User #1 Organic Search  Your Website  Bounces  Returns via Advertisement  Makes purchase on your website Answer: (b) User #2 Organic Search  Your Website  Bounces  Returns Directly  Makes purchase on your website Answer: (c) User #3 Advertisement  Your Website  Social Network  Organic Search  Makes purchase on your website Answer: (d) User #4 “utm_nooverride=off”has been appended to the end of all campaign URLs Organic Search  Your Website  Bounces  Returns via Advertisement  Makes purchase on your website Answer: (e) User #5 “utm_nooverride=1” has been appended to the end of all campaign URLs Advertisement  Your Website  Social Network  Organic Search  Makes purchase on your website Answer: p12
  • 13. how to pass the google analytics iq test 6. Solution (a) User #1 Organic Search  Your Website  Bounces  Returns via Advertisement  Makes purchase on your website Answer: The advertisement gets credit for the purchase by default, as this was the most recent referral source. (b) User #2 Organic Search  Your Website  Bounces  Returns Directly  Makes purchase on your website Answer: The organic search gets credit for the purchase by default, as direct visits do not take credit from a previous referring campaign. (c) User #3 Advertisement  Your Website  Social Network  Organic Search  Makes purchase on your website Answer: The organic search gets credit for the purchase by default, as this was the most recent referral source. (d) User #4 “utm_nooverride=off”has been appended to the end of all campaign URLs Organic Search  Your Website  Bounces  Returns via Advertisement  Makes purchase on your website Answer: This was question was meant to trick you. The Advertisement still gets credit for the purchase by default, since ‘utm_nooverride=off ’ does not change the default setting. (e) User #5 “utm_nooverride=1” has been appended to the end of all campaign URLs Advertisement  Your Website  Social Network  Organic Search  Makes purchase on your website Answer: The advertisement gets credit for the purchase because ‘utm_nooverride=1’ has been appended to the end of all campaign URLs. When ‘utm_nooverride=1’ is added, credit is given to the original referral. p13
  • 14. how to pass the google analytics iq test 7. Problem » General Explain the difference between the following terms: (a) Goal conversions vs. e-commerce transactions Answer: (b) Persistent vs. temporary cookies Answer: (c) Profile filters vs. advanced segments Answer: (d) Pageviews vs. unique pageviews Answer: (e) First-party vs. third-party cookies Answer: p14
  • 15. how to pass the google analytics iq test 7. Solution (a) Goal conversions vs. e-commerce transactions: Answer: A goal conversion can only occur once per session, but an e-commerce transaction can happen multiple times during a single session. (b) Persistent vs. temporary cookies: Answer: Persistent cookies remain on your computer even when you close the browser, but have an expiration date. Temporary cookies are only stored for the duration of your current browser session. Temporary cookies are destroyed immediately upon quitting your browser. (c) Profile filters vs. advanced segments: Answer: Filters exclude data coming into your profile. Advanced segments are used to exclude data coming out of your profile for reporting purposes. Advanced segments can be applied to historical data and can be compared side-by-side in reports. Filtered profiles permanently alter or restrict data that appears in a profile. (d) Pageviews vs. unique pageviews: Answer: Pageviews are defined as the total number of pages viewed. Unique pageviews are defined by the number of visits in which the page was viewed. For example, a visitor takes this path: Page 1  Page 2  Refresh  Page 1  Page 3 The number of pageviews is 5, since the refresh counts as an additional pageview for that page. During this visit, Page 1 was viewed, Page 2 was viewed, and Page 3 was viewed, so the total number of unique pageviews is 3. (e) First-party vs. third-party cookies: Answer: First-party cookies are set by the domain being visited. The only site that can read a first-party cookie is the domain that created it. Third-party cookies are set by third-party sites, and any site can read them. p15
  • 16. how to pass the google analytics iq test 8. Problem » General Define the following terms: (a) Bounce Rate Definition: (b) Click-Through Rate Definition: (c) Cookies Definition: (d) $ Index Definition: p16
  • 17. how to pass the google analytics iq test 8. Solution (a) Bounce Rate: A bounce rate is the percentage of visits to your site where the visitor viewed only one page and then exited without any interaction. (b) Click-Through Rate: A click-through rate is the total number of clicks divided by the total number of impressions, expressed as a percentage. (c) Cookies: Cookies are text files that describe a small piece of information about a visitor or the visitor’s computer. (d) $ Index: A value metric used to determine which pages on your site are the most valuable. Pages that are frequently viewed prior to high value conversions will have the highest $ Index values. p17
  • 18. how to pass the google analytics iq test 9. Problem » AdWords Why should you enable auto-tagging when linking AdWords to Analytics? Answer: p18
  • 19. how to pass the google analytics iq test 9. Solution Autotagging your links allows Analytics to differentiate the traffic coming from organic search and PPC ads. If autotagging is not enabled, Analytics will show the traffic combined and coming from only one source: google organic. p19
  • 20. how to pass the google analytics iq test 10. Problem » RegEx Define the following Regular Expression characters. (a) d Definition: (b) s Definition: (c) w Definition: (d) ^ Definition: (e) | Definition: (f) $ Definition: (g) .* Definition: p20
  • 21. how to pass the google analytics iq test 10. Solution (a) d Definition: Matches any single digit, 0 through 9. Same as [0-9] (b) s Definition: Matches any white space. (c) w Definition: Match any letter, numeric digit, or underscore. (d) ^ Definition: Signals the beginning of an expression, saying, “starts with __” ^teen would not match fifteen, but would match teenager (e) | Definition: The pipe means “or.” x|y|z matches x or y or z. (f) $ Definition: Signals the end of an expression, saying, “ends with __” teen$ would not match teenager, but would match fifteen (g) .* Definition: Matches any wildcard of indeterminate length. p21
  • 22. how to pass the google analytics iq test Disclaimer: The findings in my post and practice problems reflect my own opinions based on research within Google. They do not reflect the opinions of Google nor do they reflect what is on the actual GAIQ test. These practice questions were written based on real-life applications of Google Analytics as well as the syllabus for the GAIQ test (Google Analytics IQ Lessons). This is not an exhaustive list of the study material. For more information, please visit: Google Analytics IQ Lessons (formerly known as Conversion University): http://www.google.com/intl/en/analytics/iq.html? Google Testing Center: http://google.starttest.com/ If you have any questions, please contact Research@SlingshotSEO.com. p22
  • 23. Connect with us! Connect with us! Contact Contact JimDirectorSenior Account Executive at Slingshot SEO, at Please Joe Melton, Brown, of Sales at Slingshot SEO, at Joe.Melton@SlingshotSEO.com ifJim@SlingshotSEO.com if you have questions on Slingshot SEO services. you have questions on Slingshot SEO services. Contact Research@SlingshotSEO.com if you have questions about this study. if you have questions about this study. Contact Research@Slingshotseo.com Office » 888.603.7337 Facebook888.603.7337 Office » » www.Facebook.com/SlingshotSEO Twitter » @SlingshotSEO Facebook » www.Facebook.com/SlingshotSEO 8900 Keystone Crossing, Suite 100 Indianapolis, IN 46240 888.603.7337 toll-free 317.575.8852 local 317.575.8904 fax info@SlingshotSEO.com www.SlingshotSEO.com ©2012 Slingshot SEO, Inc. All rights reserved. v.2, July 2012