R:Google Analytics/Параметры и измерения — различия между версиями

Материал Psylab.info - энциклопедии психодиагностики
Перейти к: навигация, поиск
м
м (Таблица данных)
 
(не показаны 33 промежуточные версии этого же участника)
Строка 1: Строка 1:
 
{{Pkg-req-notice}}
 
{{Pkg-req-notice}}
  
Ниже приведена таблица со всеми показателями и измерениями в Google Analytics. За основу таблицы взяты данные из [https://developers.google.com/analytics/devguides/reporting/core/dimsmets#cats=user официального руководства] по API Google Analytics. Данная таблица была получена с помощью следующего R-кода:
+
Ниже приведена таблица со всеми показателями и измерениями в Google Analytics. За основу таблицы взяты данные из [https://developers.google.com/analytics/devguides/reporting/core/dimsmets официального руководства] по API Google Analytics. Данная таблица была получена с помощью следующего R-кода:
  
{{r-code|code=<nowiki>library(RCurl)
+
{{r-code|code=<nowiki># Request URL
library(rjson)
+
url <- "https://www.googleapis.com/analytics/v3/metadata/ga/columns"
library(data.table)
+
# Get JSON data
 +
data_json <- jsonlite::fromJSON(url)
 +
# Subsettings
 +
data_r <- .subset2(data_json, "items")
 +
id <- .subset2(data_r, "id")
 +
attributes <- .subset2(data_r, "attributes")
 +
# Convert column types
 +
attributes  <- transform(attributes,
 +
    allowedInSegments = as.logical(match(allowedInSegments, table = c(NA, "true")) - 1),
 +
    minTemplateIndex = as.numeric(minTemplateIndex),
 +
    maxTemplateIndex = as.numeric(maxTemplateIndex),
 +
    premiumMinTemplateIndex = as.numeric(premiumMinTemplateIndex),
 +
    premiumMaxTemplateIndex = as.numeric(premiumMaxTemplateIndex)
 +
)
 +
# Create data.frame
 +
ga.metadata <- cbind(id, attributes, stringsAsFactors = FALSE)</nowiki>}}
  
ga.metadata_url <- "https://www.googleapis.com/analytics/v3/metadata/ga/columns?pp=1"
+
Переменная <code>ga.metadata</code> содержит следующую информацию:
ga.metadata_list <- fromJSON(getURL(ga.metadata_url))
+
ga.metadata_ids <- vapply(ga.metadata_list$items, "[[", "id", FUN.VALUE = character(1))
+
 
+
ga.metadata_attr <- lapply(ga.metadata_list$items, "[[", "attributes")
+
 
+
ga.metadata_attr.names <- unique(lapply(ga.metadata_attr, names))
+
ga.metadata_attr.names <- ga.metadata_attr.names[[which.min(vapply(ga.metadata_attr.names, length, FUN.VALUE = integer(1)))]]
+
 
+
ga.metadata_attr_values <- lapply(ga.metadata_attr, "[", ga.metadata_attr.names)
+
 
+
ga.metadata_data <- data.table(id = ga.metadata_ids, rbindlist(ga.metadata_attr_values))
+
 
+
cat("{| class=\"wide wikitable sortable\"", "\n",
+
    "! ", "id !! ", paste(ga.metadata_attr.names, collapse = " !! "),
+
    paste("\n|-\n| ", apply(ga.metadata_data, 1, paste, collapse = " || ")),
+
    "\n|}", sep = "", file = "ga-metadata.txt")</nowiki>}}
+
 
+
Пояснения по столбцам таблицы:
+
  
 
* id - название переменной, которая используется для запросов к API;
 
* id - название переменной, которая используется для запросов к API;
 
* type - тип переменной: параметр (METRIC) или измерение (DIMENSION);
 
* type - тип переменной: параметр (METRIC) или измерение (DIMENSION);
* dataType - тип возвращаемого значения: STRING, INTEGER, PERCENT, TIME, CURRENCY, FLOAT
+
* dataType - тип возвращаемого значения: STRING, INTEGER, PERCENT, TIME, CURRENCY, FLOAT;
 
* group - группа параметров: User, Session, Traffic Sources, Adwords, Goal Conversions, Platform or Device, Geo Network, System, Social Activities, Page Tracking, Internal Search, Site Speed, App Tracking, Event Tracking, Ecommerce, Social Interactions, User Timings, Exceptions, Content Experiments, Custom Variables or Columns, Time, Audience, Adsense;
 
* group - группа параметров: User, Session, Traffic Sources, Adwords, Goal Conversions, Platform or Device, Geo Network, System, Social Activities, Page Tracking, Internal Search, Site Speed, App Tracking, Event Tracking, Ecommerce, Social Interactions, User Timings, Exceptions, Content Experiments, Custom Variables or Columns, Time, Audience, Adsense;
 
* status - статус переменной: используемый (PUBLIC) или устаревший (DEPRECATED);
 
* status - статус переменной: используемый (PUBLIC) или устаревший (DEPRECATED);
 
* uiName - название переменной используемое для пользовательских интерфейсов (UI);
 
* uiName - название переменной используемое для пользовательских интерфейсов (UI);
 
* description - описание переменной.
 
* description - описание переменной.
 +
 +
В качестве примера использования таблицы приведём вывод всех ID параметров (метрик), имеющих актуальный статус (не устаревшие) и относящиеся к группе "User":
 +
 +
{{r-code|code=<nowiki>> subset(ga.metadata, status != "DEPRECATED" & type == "METRIC" & group == "User", id)
 +
                      id
 +
8              ga:users
 +
10          ga:newUsers
 +
12 ga:percentNewSessions</nowiki>}}
 +
 +
Подробнее о синтаксисе при работе объектами класса <code>data.table</code> смотрите соответствующую документацию к пакету {{r-package|data.table}}.
 +
 +
== Таблица данных ==
 +
 +
Нижеприведённая таблица была сгенерирована с помощью следующего кода:
 +
 +
{{r-code|code=<nowiki>wiki.table <- subset(ga.metadata, status == "PUBLIC", c(group, uiName, id, type, dataType, allowedInSegments, calculation, description))
 +
wiki.table <- c("{| class=\"wide wikitable sortable\"", "\n",
 +
                "! ", paste(names(wiki.table), collapse = " !! "),
 +
                paste("\n|-\n| ", apply(wiki.table, 1, paste, collapse = " || ")),
 +
                "\n|}")
 +
wiki.table <- gsub("NA", "", wiki.table)
 +
cat(wiki.table, sep = "")</nowiki>}}
  
 
{| class="wide wikitable sortable"
 
{| class="wide wikitable sortable"
! id !! type !! dataType !! group !! status !! uiName !! description
+
! group !! uiName !! id !! type !! dataType !! allowedInSegments !! calculation !! description
 +
|-
 +
|  User || User Type || ga:userType || DIMENSION || STRING ||  TRUE ||  || A boolean indicating if a user is new or returning. Possible values: New Visitor, Returning Visitor.
 +
|-
 +
|  User || Count of Sessions || ga:sessionCount || DIMENSION || STRING ||  TRUE ||  || The session index for a user to your property. Each session from a unique user will get its own incremental index starting from 1 for the first session. Subsequent sessions do not change previous session indicies. For example, if a certain user has 4 sessions to your website, sessionCount for that user will have 4 distinct values of '1' through '4'.
 +
|-
 +
|  User || Days Since Last Session || ga:daysSinceLastSession || DIMENSION || STRING ||  TRUE ||  || The number of days elapsed since users last visited your property. Used to calculate user loyalty.
 +
|-
 +
|  User || User Defined Value || ga:userDefinedValue || DIMENSION || STRING ||  TRUE ||  || The value provided when you define custom user segments for your property.
 +
|-
 +
|  User || Users || ga:users || METRIC || INTEGER || FALSE ||  || Total number of users to your property for the requested time period.
 +
|-
 +
|  User || New Users || ga:newUsers || METRIC || INTEGER ||  TRUE ||  || The number of users whose session on your property was marked as a first-time session.
 +
|-
 +
|  User || % New Sessions || ga:percentNewSessions || METRIC || PERCENT || FALSE || ga:newUsers / ga:sessions || The percentage of sessions by people who had never visited your property before.
 +
|-
 +
|  Session || Session Duration || ga:sessionDurationBucket || DIMENSION || STRING ||  TRUE ||  || The length of a session on your property measured in seconds and reported in second increments. The value returned is a string.
 +
|-
 +
|  Session || Sessions || ga:sessions || METRIC || INTEGER ||  TRUE ||  || Counts the total number of sessions.
 +
|-
 +
|  Session || Bounces || ga:bounces || METRIC || INTEGER ||  TRUE ||  || The total number of single page (or single engagement hit) sessions for your property.
 +
|-
 +
|  Session || Bounce Rate || ga:bounceRate || METRIC || PERCENT || FALSE || ga:bounces / ga:sessions || The percentage of single-page session (i.e., session in which the person left your property from the first page).
 +
|-
 +
|  Session || Session Duration || ga:sessionDuration || METRIC || TIME ||  TRUE ||  || The total duration of user sessions represented in total seconds.
 +
|-
 +
|  Session || Avg. Session Duration || ga:avgSessionDuration || METRIC || TIME || FALSE || ga:sessionDuration / ga:sessions || The average duration of user sessions represented in total seconds.
 +
|-
 +
|  Traffic Sources || Referral Path || ga:referralPath || DIMENSION || STRING ||  TRUE ||  || The path of the referring URL (e.g. document.referrer). If someone places a link to your property on their website, this element contains the path of the page that contains the referring link.
 +
|-
 +
|  Traffic Sources || Full Referrer || ga:fullReferrer || DIMENSION || STRING || FALSE ||  || The full referring URL including the hostname and path.
 +
|-
 +
|  Traffic Sources || Campaign || ga:campaign || DIMENSION || STRING ||  TRUE ||  || When using manual campaign tracking, the value of the utm_campaign campaign tracking parameter. When using AdWords autotagging, the name(s) of the online ad campaign that you use for your property. Otherwise the value (not set) is used.
 +
|-
 +
|  Traffic Sources || Source || ga:source || DIMENSION || STRING ||  TRUE ||  || The source of referrals to your property. When using manual campaign tracking, the value of the utm_source campaign tracking parameter. When using AdWords autotagging, the value is google. Otherwise the domain of the source referring the user to your property (e.g. document.referrer). The value may also contain a port address. If the user arrived without a referrer, the value is (direct)
 +
|-
 +
|  Traffic Sources || Medium || ga:medium || DIMENSION || STRING ||  TRUE ||  || The type of referrals to your property. When using manual campaign tracking, the value of the utm_medium campaign tracking parameter. When using AdWords autotagging, the value is ppc. If the user comes from a search engine detected by Google Analytics, the value is organic. If the referrer is not a search engine, the value is referral. If the users came directly to the property, and document.referrer is empty, the value is (none).
 +
|-
 +
|  Traffic Sources || Source / Medium || ga:sourceMedium || DIMENSION || STRING ||  TRUE ||  || Combined values of ga:source and ga:medium.
 +
|-
 +
|  Traffic Sources || Keyword || ga:keyword || DIMENSION || STRING ||  TRUE ||  || When using manual campaign tracking, the value of the utm_term campaign tracking parameter. When using AdWords autotagging or if a user used organic search to reach your property, the keywords used by users to reach your property. Otherwise the value is (not set).
 +
|-
 +
|  Traffic Sources || Ad Content || ga:adContent || DIMENSION || STRING ||  TRUE ||  || When using manual campaign tracking, the value of the utm_content campaign tracking parameter. When using AdWords autotagging, the first line of the text for your online Ad campaign. If you are using mad libs for your AdWords content, this field displays the keywords you provided for the mad libs keyword match. Otherwise the value is (not set)
 +
|-
 +
|  Traffic Sources || Social Network || ga:socialNetwork || DIMENSION || STRING || FALSE ||  || Name of the social network. This can be related to the referring social network for traffic sources, or to the social network for social data hub activities. E.g. Google+, Blogger, etc.
 +
|-
 +
|  Traffic Sources || Social Source Referral || ga:hasSocialSourceReferral || DIMENSION || STRING || FALSE ||  || Indicates sessions that arrived to the property from a social source. The possible values are Yes or No where the first letter is capitalized.
 +
|-
 +
|  Traffic Sources || Organic Searches || ga:organicSearches || METRIC || INTEGER || FALSE ||  || The number of organic searches that happened within a session. This metric is search engine agnostic.
 +
|-
 +
|  Adwords || Ad Group || ga:adGroup || DIMENSION || STRING ||  TRUE ||  || The name of your AdWords ad group.
 +
|-
 +
|  Adwords || Ad Slot || ga:adSlot || DIMENSION || STRING ||  TRUE ||  || The location of the advertisement on the hosting page (Top, RHS, or not set).
 +
|-
 +
|  Adwords || Ad Slot Position || ga:adSlotPosition || DIMENSION || STRING ||  TRUE ||  || The ad slot positions in which your AdWords ads appeared (1-8).
 +
|-
 +
|  Adwords || Ad Distribution Network || ga:adDistributionNetwork || DIMENSION || STRING || FALSE ||  || The networks used to deliver your ads (Content, Search, Search partners, etc.).
 +
|-
 +
|  Adwords || Query Match Type || ga:adMatchType || DIMENSION || STRING || FALSE ||  || The match types applied for the search term the user had input(Phrase, Exact, Broad, etc.). Ads on the content network are identified as "Content network". Details: https://support.google.com/adwords/answer/2472708?hl=en
 +
|-
 +
|  Adwords || Keyword Match Type || ga:adKeywordMatchType || DIMENSION || STRING || FALSE ||  || The match types applied to your keywords (Phrase, Exact, Broad). Details: https://support.google.com/adwords/answer/2472708?hl=en
 +
|-
 +
|  Adwords || Matched Search Query || ga:adMatchedQuery || DIMENSION || STRING || FALSE ||  || The search queries that triggered impressions of your AdWords ads.
 +
|-
 +
|  Adwords || Placement Domain || ga:adPlacementDomain || DIMENSION || STRING || FALSE ||  || The domains where your ads on the content network were placed.
 +
|-
 +
|  Adwords || Placement URL || ga:adPlacementUrl || DIMENSION || STRING || FALSE ||  || The URLs where your ads on the content network were placed.
 +
|-
 +
|  Adwords || Ad Format || ga:adFormat || DIMENSION || STRING || FALSE ||  || Your AdWords ad formats (Text, Image, Flash, Video, etc.).
 +
|-
 +
|  Adwords || Targeting Type || ga:adTargetingType || DIMENSION || STRING || FALSE ||  || How your AdWords ads were targeted (keyword, placement, and vertical targeting, etc.).
 +
|-
 +
|  Adwords || Placement Type || ga:adTargetingOption || DIMENSION || STRING || FALSE ||  || How you manage your ads on the content network. Values are Automatic placements or Managed placements.
 +
|-
 +
|  Adwords || Display URL || ga:adDisplayUrl || DIMENSION || STRING || FALSE ||  || The URLs your AdWords ads displayed.
 +
|-
 +
|  Adwords || Destination URL || ga:adDestinationUrl || DIMENSION || STRING || FALSE ||  || The URLs to which your AdWords ads referred traffic.
 +
|-
 +
|  Adwords || AdWords Customer ID || ga:adwordsCustomerID || DIMENSION || STRING || FALSE ||  || A string. Corresponds to AdWords API AccountInfo.customerId.
 +
|-
 +
|  Adwords || AdWords Campaign ID || ga:adwordsCampaignID || DIMENSION || STRING || FALSE ||  || A string. Corresponds to AdWords API Campaign.id.
 +
|-
 +
|  Adwords || AdWords Ad Group ID || ga:adwordsAdGroupID || DIMENSION || STRING || FALSE ||  || A string. Corresponds to AdWords API AdGroup.id.
 +
|-
 +
|  Adwords || AdWords Creative ID || ga:adwordsCreativeID || DIMENSION || STRING || FALSE ||  || A string. Corresponds to AdWords API Ad.id.
 +
|-
 +
|  Adwords || AdWords Criteria ID || ga:adwordsCriteriaID || DIMENSION || STRING || FALSE ||  || A string. Corresponds to AdWords API Criterion.id.
 +
|-
 +
|  Adwords || Impressions || ga:impressions || METRIC || INTEGER || FALSE ||  || Total number of campaign impressions.
 +
|-
 +
|  Adwords || Clicks || ga:adClicks || METRIC || INTEGER || FALSE ||  || The total number of times users have clicked on an ad to reach your property.
 +
|-
 +
|  Adwords || Cost || ga:adCost || METRIC || CURRENCY || FALSE ||  || Derived cost for the advertising campaign. The currency for this value is based on the currency that you set in your AdWords account.
 +
|-
 +
|  Adwords || CPM || ga:CPM || METRIC || CURRENCY || FALSE || ga:adCost / (ga:impressions / 1000) || Cost per thousand impressions.
 +
|-
 +
|  Adwords || CPC || ga:CPC || METRIC || CURRENCY || FALSE || ga:adCost / ga:adClicks || Cost to advertiser per click.
 +
|-
 +
|  Adwords || CTR || ga:CTR || METRIC || PERCENT || FALSE || ga:adClicks / ga:impressions || Click-through-rate for your ad. This is equal to the number of clicks divided by the number of impressions for your ad (e.g. how many times users clicked on one of your ads where that ad appeared).
 +
|-
 +
|  Adwords || Cost per Transaction || ga:costPerTransaction || METRIC || CURRENCY || FALSE || (ga:adCost) / (ga:transactions) || The cost per transaction for your property.
 +
|-
 +
|  Adwords || Cost per Goal Conversion || ga:costPerGoalConversion || METRIC || CURRENCY || FALSE || (ga:adCost) / (ga:goalCompletionsAll) || The cost per goal conversion for your property.
 +
|-
 +
|  Adwords || Cost per Conversion || ga:costPerConversion || METRIC || CURRENCY || FALSE || (ga:adCost) / (ga:transactions  +  ga:goalCompletionsAll) || The cost per conversion (including ecommerce and goal conversions) for your property.
 +
|-
 +
|  Adwords || RPC || ga:RPC || METRIC || CURRENCY || FALSE || (ga:transactionRevenue + ga:goalValueAll) / ga:adClicks || RPC or revenue-per-click is the average revenue (from ecommerce sales and/or goal value) you received for each click on one of your search ads.
 +
|-
 +
|  Adwords || ROAS || ga:ROAS || METRIC || PERCENT || FALSE || (ga:transactionRevenue + ga:goalValueAll) / ga:adCost || Return On Ad Spend (ROAS) is the total transaction revenue and goal value divided by derived advertising cost.
 +
|-
 +
|  Goal Conversions || Goal Completion Location || ga:goalCompletionLocation || DIMENSION || STRING || FALSE ||  || The page path or screen name that matched any destination type goal completion.
 +
|-
 +
|  Goal Conversions || Goal Previous Step - 1 || ga:goalPreviousStep1 || DIMENSION || STRING || FALSE ||  || The page path or screen name that matched any destination type goal, one step prior to the goal completion location.
 +
|-
 +
|  Goal Conversions || Goal Previous Step - 2 || ga:goalPreviousStep2 || DIMENSION || STRING || FALSE ||  || The page path or screen name that matched any destination type goal, two steps prior to the goal completion location.
 +
|-
 +
|  Goal Conversions || Goal Previous Step - 3 || ga:goalPreviousStep3 || DIMENSION || STRING || FALSE ||  || The page path or screen name that matched any destination type goal, three steps prior to the goal completion location.
 +
|-
 +
|  Goal Conversions || Goal XX Starts || ga:goalXXStarts || METRIC || INTEGER ||  TRUE ||  || The total number of starts for the requested goal number.
 +
|-
 +
|  Goal Conversions || Goal Starts || ga:goalStartsAll || METRIC || INTEGER ||  TRUE ||  || The total number of starts for all goals defined for your profile.
 +
|-
 +
|  Goal Conversions || Goal XX Completions || ga:goalXXCompletions || METRIC || INTEGER ||  TRUE ||  || The total number of completions for the requested goal number.
 +
|-
 +
|  Goal Conversions || Goal Completions || ga:goalCompletionsAll || METRIC || INTEGER ||  TRUE ||  || The total number of completions for all goals defined for your profile.
 +
|-
 +
|  Goal Conversions || Goal XX Value || ga:goalXXValue || METRIC || CURRENCY ||  TRUE ||  || The total numeric value for the requested goal number.
 +
|-
 +
|  Goal Conversions || Goal Value || ga:goalValueAll || METRIC || CURRENCY ||  TRUE ||  || The total numeric value for all goals defined for your profile.
 +
|-
 +
|  Goal Conversions || Per Session Goal Value || ga:goalValuePerSession || METRIC || CURRENCY || FALSE || ga:goalValueAll / ga:sessions || The average goal value of a session on your property.
 +
|-
 +
|  Goal Conversions || Goal XX Conversion Rate || ga:goalXXConversionRate || METRIC || PERCENT || FALSE || ga:goalXXCompletions / ga:sessions || The percentage of sessions which resulted in a conversion to the requested goal number.
 +
|-
 +
|  Goal Conversions || Goal Conversion Rate || ga:goalConversionRateAll || METRIC || PERCENT || FALSE || ga:goalCompletionsAll / ga:sessions || The percentage of sessions which resulted in a conversion to at least one of your goals.
 +
|-
 +
|  Goal Conversions || Goal XX Abandoned Funnels || ga:goalXXAbandons || METRIC || INTEGER || FALSE || (ga:goalXXStarts - ga:goalXXCompletions) || The number of times users started conversion activity on the requested goal number without actually completing it.
 +
|-
 +
|  Goal Conversions || Abandoned Funnels || ga:goalAbandonsAll || METRIC || INTEGER || FALSE || (ga:goalStartsAll - ga:goalCompletionsAll) || The overall number of times users started goals without actually completing them.
 +
|-
 +
|  Goal Conversions || Goal XX Abandonment Rate || ga:goalXXAbandonRate || METRIC || PERCENT || FALSE || ((ga:goalXXStarts - ga:goalXXCompletions)) / (ga:goalXXStarts) || The rate at which the requested goal number was abandoned.
 +
|-
 +
|  Goal Conversions || Total Abandonment Rate || ga:goalAbandonRateAll || METRIC || PERCENT || FALSE || ((ga:goalStartsAll - ga:goalCompletionsAll)) / (ga:goalStartsAll) || The rate at which goals were abandoned.
 +
|-
 +
|  Platform or Device || Browser || ga:browser || DIMENSION || STRING ||  TRUE ||  || The names of browsers used by users to your website. For example, Internet Explorer or Firefox.
 +
|-
 +
|  Platform or Device || Browser Version || ga:browserVersion || DIMENSION || STRING ||  TRUE ||  || The browser versions used by users to your website. For example, 2.0.0.14
 +
|-
 +
|  Platform or Device || Operating System || ga:operatingSystem || DIMENSION || STRING ||  TRUE ||  || The operating system used by your users. For example, Windows, Linux , Macintosh, iPhone, iPod.
 +
|-
 +
|  Platform or Device || Operating System Version || ga:operatingSystemVersion || DIMENSION || STRING ||  TRUE ||  || The version of the operating system used by your users, such as XP for Windows or PPC for Macintosh.
 +
|-
 +
|  Platform or Device || Mobile Device Branding || ga:mobileDeviceBranding || DIMENSION || STRING ||  TRUE ||  || Mobile manufacturer or branded name.
 +
|-
 +
|  Platform or Device || Mobile Device Model || ga:mobileDeviceModel || DIMENSION || STRING ||  TRUE ||  || Mobile device model
 +
|-
 +
|  Platform or Device || Mobile Input Selector || ga:mobileInputSelector || DIMENSION || STRING ||  TRUE ||  || Selector used on the mobile device (e.g.: touchscreen, joystick, clickwheel, stylus).
 +
|-
 +
|  Platform or Device || Mobile Device Info || ga:mobileDeviceInfo || DIMENSION || STRING ||  TRUE ||  || The branding, model, and marketing name used to identify the mobile device.
 +
|-
 +
|  Platform or Device || Mobile Device Marketing Name || ga:mobileDeviceMarketingName || DIMENSION || STRING ||  TRUE ||  || The marketing name used for the mobile device.
 +
|-
 +
|  Platform or Device || Device Category || ga:deviceCategory || DIMENSION || STRING ||  TRUE ||  || The type of device: desktop, tablet, or mobile.
 +
|-
 +
|  Geo Network || Continent || ga:continent || DIMENSION || STRING ||  TRUE ||  || The continents of property users, derived from IP addresses.
 +
|-
 +
|  Geo Network || Sub Continent || ga:subContinent || DIMENSION || STRING ||  TRUE ||  || The sub-continent of users, derived from IP addresses. For example, Polynesia or Northern Europe.
 
|-
 
|-
|  ga:userType || DIMENSION || STRING || User || PUBLIC || User Type || A boolean indicating if a user is new or returning. Possible values: New Visitor, Returning Visitor.
+
Geo Network || Country || ga:country || DIMENSION || STRING || TRUE || || The country of users, derived from IP addresses.
 
|-
 
|-
|  ga:visitorType || DIMENSION || STRING || User || DEPRECATED || User Type || A boolean indicating if a user is new or returning. Possible values: New Visitor, Returning Visitor.
+
Geo Network || Region || ga:region || DIMENSION || STRING || TRUE || || The region of users to your property, derived from IP addresses. In the U.S., a region is a state, such as New York.
 
|-
 
|-
|  ga:sessionCount || DIMENSION || STRING || User || PUBLIC || Count of Sessions || The session index for a user to your property. Each session from a unique user will get its own incremental index starting from 1 for the first session. Subsequent sessions do not change previous session indicies. For example, if a certain user has 4 sessions to your website, sessionCount for that user will have 4 distinct values of '1' through '4'.
+
Geo Network || Metro || ga:metro || DIMENSION || STRING || TRUE || || The Designated Market Area (DMA) from where traffic arrived on your property.
 
|-
 
|-
|  ga:visitCount || DIMENSION || STRING || User || DEPRECATED || Count of Sessions || The session index for a user to your property. Each session from a unique user will get its own incremental index starting from 1 for the first session. Subsequent sessions do not change previous session indicies. For example, if a certain user has 4 sessions to your website, sessionCount for that user will have 4 distinct values of '1' through '4'.
+
Geo Network || City || ga:city || DIMENSION || STRING || TRUE || || The cities of property users, derived from IP addresses.
 
|-
 
|-
|  ga:daysSinceLastSession || DIMENSION || STRING || User || PUBLIC || Days Since Last Session || The number of days elapsed since users last visited your property. Used to calculate user loyalty.
+
Geo Network || Latitude || ga:latitude || DIMENSION || STRING || FALSE || || The approximate latitude of the user's city. Derived from IP address. Locations north of the equator are represented by positive values and locations south of the equator by negative values.
 
|-
 
|-
|  ga:daysSinceLastVisit || DIMENSION || STRING || User || DEPRECATED || Days Since Last Session || The number of days elapsed since users last visited your property. Used to calculate user loyalty.
+
Geo Network || Longitude || ga:longitude || DIMENSION || STRING || FALSE || || The approximate longitude of the user's city. Derived from IP address. Locations east of the meridian are represented by positive values and locations west of the meridian by negative values.
 
|-
 
|-
|  ga:userDefinedValue || DIMENSION || STRING || User || PUBLIC || User Defined Value || The value provided when you define custom user segments for your property.
+
Geo Network || Network Domain || ga:networkDomain || DIMENSION || STRING || TRUE || || The domain name of the ISPs used by users to your property. This is derived from the domain name registered to the IP address.
 
|-
 
|-
ga:users || METRIC || INTEGER || User || PUBLIC || Users || Total number of users to your property for the requested time period.
+
Geo Network || Service Provider || ga:networkLocation || DIMENSION || STRING || TRUE || || The name of service providers used to reach your property. For example, if most users to your website come via the major service providers for cable internet, you will see the names of those cable service providers in this element.
 
|-
 
|-
ga:visitors || METRIC || INTEGER || User || DEPRECATED || Users || Total number of users to your property for the requested time period.
+
System || Flash Version || ga:flashVersion || DIMENSION || STRING || TRUE || || The versions of Flash supported by users' browsers, including minor versions.
 
|-
 
|-
ga:newUsers || METRIC || INTEGER || User || PUBLIC || New Users || The number of users whose session on your property was marked as a first-time session.
+
System || Java Support || ga:javaEnabled || DIMENSION || STRING || TRUE || || Indicates Java support for users' browsers. The possible values are Yes or No where the first letter must be capitalized.
 
|-
 
|-
ga:newVisits || METRIC || INTEGER || User || DEPRECATED || New Users || The number of users whose session on your property was marked as a first-time session.
+
System || Language || ga:language || DIMENSION || STRING || TRUE ||  || The language provided by the HTTP Request for the browser. Values are given as an ISO-639 code (e.g. en-gb for British English).
 
|-
 
|-
ga:percentNewSessions || METRIC || PERCENT || User || PUBLIC || % New Sessions || The percentage of sessions by people who had never visited your property before.
+
System || Screen Colors || ga:screenColors || DIMENSION || STRING || TRUE ||  || The color depth of users' monitors, as retrieved from the DOM of the user's browser. For example 4-bit, 8-bit, 24-bit, or undefined-bit.
 
|-
 
|-
ga:percentNewVisits || METRIC || PERCENT || User || DEPRECATED || % New Sessions || The percentage of sessions by people who had never visited your property before.
+
System || Source Property Display Name || ga:sourcePropertyDisplayName || DIMENSION || STRING || TRUE || || Source property display name of roll-up properties. This is valid only for roll-up properties.
 
|-
 
|-
|  ga:sessionDurationBucket || DIMENSION || STRING || Session || PUBLIC || Session Duration || The length of a session on your property measured in seconds and reported in second increments. The value returned is a string.
+
System || Source Property Tracking ID || ga:sourcePropertyTrackingId || DIMENSION || STRING || TRUE || || Source property tracking ID of roll-up properties. This is valid only for roll-up properties.
 
|-
 
|-
|  ga:visitLength || DIMENSION || STRING || Session || DEPRECATED || Session Duration || The length of a session on your property measured in seconds and reported in second increments. The value returned is a string.
+
System || Screen Resolution || ga:screenResolution || DIMENSION || STRING || TRUE || || The screen resolution of users' screens. For example: 1024x738.
 
|-
 
|-
ga:sessions || METRIC || INTEGER || Session || PUBLIC || Sessions || Counts the total number of sessions.
+
Social Activities || Endorsing URL || ga:socialActivityEndorsingUrl || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents the URL of the social activity (e.g. the Google+ post URL, the blog comment URL, etc.)
 
|-
 
|-
ga:visits || METRIC || INTEGER || Session || DEPRECATED || Sessions || Counts the total number of sessions.
+
Social Activities || Display Name || ga:socialActivityDisplayName || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents the title of the social activity posted by the social network user.
 
|-
 
|-
ga:bounces || METRIC || INTEGER || Session || PUBLIC || Bounces || The total number of single page (or single engagement hit) sessions for your property.
+
Social Activities || Social Activity Post || ga:socialActivityPost || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents the content of the social activity posted by the social network user (e.g. The message content of a Google+ post)
 
|-
 
|-
ga:entranceBounceRate || METRIC || PERCENT || Session || DEPRECATED || Bounce Rate || This dimension is deprecated and will be removed soon. Please use ga:bounceRate instead.
+
Social Activities || Social Activity Timestamp || ga:socialActivityTimestamp || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents when the social activity occurred on the social network.
 
|-
 
|-
ga:bounceRate || METRIC || PERCENT || Session || PUBLIC || Bounce Rate || The percentage of single-page session (i.e., session in which the person left your property from the first page).
+
Social Activities || Social User Handle || ga:socialActivityUserHandle || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents the social network handle (e.g. name or ID) of the user who initiated the social activity.
 
|-
 
|-
ga:visitBounceRate || METRIC || PERCENT || Session || DEPRECATED || Bounce Rate || The percentage of single-page session (i.e., session in which the person left your property from the first page).
+
Social Activities || User Photo URL || ga:socialActivityUserPhotoUrl || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents the URL of the photo associated with the user's social network profile.
 
|-
 
|-
ga:sessionDuration || METRIC || TIME || Session || PUBLIC || Session Duration || The total duration of user sessions represented in total seconds.
+
Social Activities || User Profile URL || ga:socialActivityUserProfileUrl || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents the URL of the associated user's social network profile.
 
|-
 
|-
ga:timeOnSite || METRIC || TIME || Session || DEPRECATED || Session Duration || The total duration of user sessions represented in total seconds.
+
Social Activities || Shared URL || ga:socialActivityContentUrl || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents the URL shared by the associated social network user.
 
|-
 
|-
ga:avgSessionDuration || METRIC || TIME || Session || PUBLIC || Avg. Session Duration || The average duration of user sessions represented in total seconds.
+
Social Activities || Social Tags Summary || ga:socialActivityTagsSummary || DIMENSION || STRING || FALSE || || For a social data hub activity, this is a comma-separated set of tags associated with the social activity.
 
|-
 
|-
ga:avgTimeOnSite || METRIC || TIME || Session || DEPRECATED || Avg. Session Duration || The average duration of user sessions represented in total seconds.
+
Social Activities || Originating Social Action || ga:socialActivityAction || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents the type of social action associated with the activity (e.g. vote, comment, +1, etc.).
 
|-
 
|-
|  ga:referralPath || DIMENSION || STRING || Traffic Sources || PUBLIC || Referral Path || The path of the referring URL (e.g. document.referrer). If someone places a link to your property on their website, this element contains the path of the page that contains the referring link.
+
Social Activities || Social Network and Action || ga:socialActivityNetworkAction || DIMENSION || STRING || FALSE || || For a social data hub activity, this value represents the type of social action and the social network where the activity originated.
 
|-
 
|-
ga:fullReferrer || DIMENSION || STRING || Traffic Sources || PUBLIC || Full Referrer || The full referring URL including the hostname and path.
+
Social Activities || Data Hub Activities || ga:socialActivities || METRIC || INTEGER || FALSE || || The count of activities where a content URL was shared / mentioned on a social data hub partner network.
 
|-
 
|-
|  ga:campaign || DIMENSION || STRING || Traffic Sources || PUBLIC || Campaign || When using manual campaign tracking, the value of the utm_campaign campaign tracking parameter. When using AdWords autotagging, the name(s) of the online ad campaign that you use for your property. Otherwise the value (not set) is used.
+
Page Tracking || Hostname || ga:hostname || DIMENSION || STRING || TRUE || || The hostname from which the tracking request was made.
 
|-
 
|-
|  ga:source || DIMENSION || STRING || Traffic Sources || PUBLIC || Source || The source of referrals to your property. When using manual campaign tracking, the value of the utm_source campaign tracking parameter. When using AdWords autotagging, the value is google. Otherwise the domain of the source referring the user to your property (e.g. document.referrer). The value may also contain a port address. If the user arrived without a referrer, the value is (direct)
+
Page Tracking || Page || ga:pagePath || DIMENSION || STRING || TRUE || || A page on your website specified by path and/or query parameters. Use in conjunction with hostname to get the full URL of the page.
 
|-
 
|-
|  ga:medium || DIMENSION || STRING || Traffic Sources || PUBLIC || Medium || The type of referrals to your property. When using manual campaign tracking, the value of the utm_medium campaign tracking parameter. When using AdWords autotagging, the value is ppc. If the user comes from a search engine detected by Google Analytics, the value is organic. If the referrer is not a search engine, the value is referral. If the users came directly to the property, and document.referrer is empty, the value is (none).
+
Page Tracking || Page path level 1 || ga:pagePathLevel1 || DIMENSION || STRING || FALSE || || This dimension rolls up all the page paths in the first hierarchical level in pagePath.
 
|-
 
|-
|  ga:sourceMedium || DIMENSION || STRING || Traffic Sources || PUBLIC || Source / Medium || Combined values of ga:source and ga:medium.
+
Page Tracking || Page path level 2 || ga:pagePathLevel2 || DIMENSION || STRING || FALSE || || This dimension rolls up all the page paths in the second hierarchical level in pagePath.
 
|-
 
|-
|  ga:keyword || DIMENSION || STRING || Traffic Sources || PUBLIC || Keyword || When using manual campaign tracking, the value of the utm_term campaign tracking parameter. When using AdWords autotagging or if a user used organic search to reach your property, the keywords used by users to reach your property. Otherwise the value is (not set).
+
Page Tracking || Page path level 3 || ga:pagePathLevel3 || DIMENSION || STRING || FALSE || || This dimension rolls up all the page paths in the third hierarchical level in pagePath.
 
|-
 
|-
|  ga:adContent || DIMENSION || STRING || Traffic Sources || PUBLIC || Ad Content || When using manual campaign tracking, the value of the utm_content campaign tracking parameter. When using AdWords autotagging, the first line of the text for your online Ad campaign. If you are using mad libs for your AdWords content, this field displays the keywords you provided for the mad libs keyword match. Otherwise the value is (not set)
+
Page Tracking || Page path level 4 || ga:pagePathLevel4 || DIMENSION || STRING || FALSE || || This dimension rolls up all the page paths into hierarchical levels. Up to 4 pagePath levels maybe specified. All additional levels in the pagePath hierarchy are also rolled up in this dimension.
 
|-
 
|-
|  ga:socialNetwork || DIMENSION || STRING || Traffic Sources || PUBLIC || Social Network || Name of the social network. This can be related to the referring social network for traffic sources, or to the social network for social data hub activities. E.g. Google+, Blogger, etc.
+
Page Tracking || Page Title || ga:pageTitle || DIMENSION || STRING || TRUE || || The title of a page. Keep in mind that multiple pages might have the same page title.
 
|-
 
|-
|  ga:hasSocialSourceReferral || DIMENSION || STRING || Traffic Sources || PUBLIC || Social Source Referral || Indicates sessions that arrived to the property from a social source. The possible values are Yes or No where the first letter is capitalized.
+
Page Tracking || Landing Page || ga:landingPagePath || DIMENSION || STRING || TRUE || || The first page in a user's session, or landing page.
 
|-
 
|-
ga:organicSearches || METRIC || INTEGER || Traffic Sources || PUBLIC || Organic Searches || The number of organic searches that happened within a session. This metric is search engine agnostic.
+
Page Tracking || Second Page || ga:secondPagePath || DIMENSION || STRING || FALSE || || The second page in a user's session.
 
|-
 
|-
|  ga:adGroup || DIMENSION || STRING || Adwords || PUBLIC || Ad Group || The name of your AdWords ad group.
+
Page Tracking || Exit Page || ga:exitPagePath || DIMENSION || STRING || TRUE || || The last page in a user's session, or exit page.
 
|-
 
|-
|  ga:adSlot || DIMENSION || STRING || Adwords || PUBLIC || Ad Slot || The location of the advertisement on the hosting page (Top, RHS, or not set).
+
Page Tracking || Previous Page Path || ga:previousPagePath || DIMENSION || STRING || FALSE || || A page on your property that was visited before another page on the same property. Typically used with the pagePath dimension.
 
|-
 
|-
|  ga:adSlotPosition || DIMENSION || STRING || Adwords || PUBLIC || Ad Slot Position || The ad slot positions in which your AdWords ads appeared (1-8).
+
Page Tracking || Next Page Path || ga:nextPagePath || DIMENSION || STRING || FALSE || || A page on your website that was visited after another page on your website. Typically used with the previousPagePath dimension.
 
|-
 
|-
|  ga:adDistributionNetwork || DIMENSION || STRING || Adwords || PUBLIC || Ad Distribution Network || The networks used to deliver your ads (Content, Search, Search partners, etc.).
+
Page Tracking || Page Depth || ga:pageDepth || DIMENSION || STRING || TRUE || || The number of pages visited by users during a session. The value is a histogram that counts pageviews across a range of possible values. In this calculation, all sessions will have at least one pageview, and some percentage of sessions will have more.
 
|-
 
|-
|  ga:adMatchType || DIMENSION || STRING || Adwords || PUBLIC || Query Match Type || The match types applied for the search term the user had input(Phrase, Exact, Broad, etc.). Ads on the content network are identified as "Content network". Details: https://support.google.com/adwords/answer/2472708?hl=en
+
Page Tracking || Page Value || ga:pageValue || METRIC || CURRENCY || FALSE || || The average value of this page or set of pages. Page Value is (ga:transactionRevenue + ga:goalValueAll) / ga:uniquePageviews (for the page or set of pages).
 
|-
 
|-
|  ga:adKeywordMatchType || DIMENSION || STRING || Adwords || PUBLIC || Keyword Match Type || The match types applied to your keywords (Phrase, Exact, Broad). Details: https://support.google.com/adwords/answer/2472708?hl=en
+
Page Tracking || Entrances || ga:entrances || METRIC || INTEGER || TRUE || || The number of entrances to your property measured as the first pageview in a session. Typically used with landingPagePath
 
|-
 
|-
ga:adMatchedQuery || DIMENSION || STRING || Adwords || PUBLIC || Matched Search Query || The search queries that triggered impressions of your AdWords ads.
+
Page Tracking || Entrances / Pageviews || ga:entranceRate || METRIC || PERCENT || FALSE || ga:entrances / ga:pageviews || The percentage of pageviews in which this page was the entrance.
 
|-
 
|-
ga:adPlacementDomain || DIMENSION || STRING || Adwords || PUBLIC || Placement Domain || The domains where your ads on the content network were placed.
+
Page Tracking || Pageviews || ga:pageviews || METRIC || INTEGER || TRUE || || The total number of pageviews for your property.
 
|-
 
|-
ga:adPlacementUrl || DIMENSION || STRING || Adwords || PUBLIC || Placement URL || The URLs where your ads on the content network were placed.
+
Page Tracking || Pages / Session || ga:pageviewsPerSession || METRIC || FLOAT || FALSE || ga:pageviews / ga:sessions || The average number of pages viewed during a session on your property. Repeated views of a single page are counted.
 
|-
 
|-
ga:adFormat || DIMENSION || STRING || Adwords || PUBLIC || Ad Format || Your AdWords ad formats (Text, Image, Flash, Video, etc.).
+
Content Grouping || Unique Views || ga:contentGroupUniqueViewsXX || METRIC || INTEGER || FALSE || || The number of different (unique) pages within a session for the specified content group. This takes into account both the pagePath and pageTitle to determine uniqueness.
 
|-
 
|-
ga:adTargetingType || DIMENSION || STRING || Adwords || PUBLIC || Targeting Type || How your AdWords ads were targeted (keyword, placement, and vertical targeting, etc.).
+
Page Tracking || Unique Pageviews || ga:uniquePageviews || METRIC || INTEGER || TRUE || || The number of different (unique) pages within a session. This takes into account both the pagePath and pageTitle to determine uniqueness.
 
|-
 
|-
ga:adTargetingOption || DIMENSION || STRING || Adwords || PUBLIC || Placement Type || How you manage your ads on the content network. Values are Automatic placements or Managed placements.
+
Page Tracking || Time on Page || ga:timeOnPage || METRIC || TIME || TRUE ||  || How long a user spent on a particular page in seconds. Calculated by subtracting the initial view time for a particular page from the initial view time for a subsequent page. Thus, this metric does not apply to exit pages for your property.
 
|-
 
|-
ga:adDisplayUrl || DIMENSION || STRING || Adwords || PUBLIC || Display URL || The URLs your AdWords ads displayed.
+
Page Tracking || Avg. Time on Page || ga:avgTimeOnPage || METRIC || TIME || FALSE || ga:timeOnPage / (ga:pageviews - ga:exits) || The average amount of time users spent viewing this page or a set of pages.
 
|-
 
|-
ga:adDestinationUrl || DIMENSION || STRING || Adwords || PUBLIC || Destination URL || The URLs to which your AdWords ads referred traffic.
+
Page Tracking || Exits || ga:exits || METRIC || INTEGER || TRUE || || The number of exits from your property.
 
|-
 
|-
ga:adwordsCustomerID || DIMENSION || STRING || Adwords || PUBLIC || AdWords Customer ID || A string. Corresponds to AdWords API AccountInfo.customerId.
+
Page Tracking || % Exit || ga:exitRate || METRIC || PERCENT || FALSE || ga:exits / (ga:pageviews + ga:screenviews) || The percentage of exits from your property that occurred out of the total page views.
 
|-
 
|-
|  ga:adwordsCampaignID || DIMENSION || STRING || Adwords || PUBLIC || AdWords Campaign ID || A string. Corresponds to AdWords API Campaign.id.
+
Internal Search || Site Search Status || ga:searchUsed || DIMENSION || STRING || TRUE || || A boolean to distinguish whether internal search was used in a session. Values are Visits With Site Search and Visits Without Site Search.
 
|-
 
|-
|  ga:adwordsAdGroupID || DIMENSION || STRING || Adwords || PUBLIC || AdWords Ad Group ID || A string. Corresponds to AdWords API AdGroup.id.
+
Internal Search || Search Term || ga:searchKeyword || DIMENSION || STRING || TRUE || || Search terms used by users within your property.
 
|-
 
|-
|  ga:adwordsCreativeID || DIMENSION || STRING || Adwords || PUBLIC || AdWords Creative ID || A string. Corresponds to AdWords API Ad.id.
+
Internal Search || Refined Keyword || ga:searchKeywordRefinement || DIMENSION || STRING || TRUE || || Subsequent keyword search terms or strings entered by users after a given initial string search.
 
|-
 
|-
|  ga:adwordsCriteriaID || DIMENSION || STRING || Adwords || PUBLIC || AdWords Criteria ID || A string. Corresponds to AdWords API Criterion.id.
+
Internal Search || Site Search Category || ga:searchCategory || DIMENSION || STRING || TRUE || || The categories used for the internal search if you have this enabled for your profile. For example, you might have product categories such as electronics, furniture, or clothing.
 
|-
 
|-
ga:impressions || METRIC || INTEGER || Adwords || PUBLIC || Impressions || Total number of campaign impressions.
+
Internal Search || Start Page || ga:searchStartPage || DIMENSION || STRING || FALSE || || A page where the user initiated an internal search on your property.
 
|-
 
|-
ga:adClicks || METRIC || INTEGER || Adwords || PUBLIC || Clicks || The total number of times users have clicked on an ad to reach your property.
+
Internal Search || Destination Page || ga:searchDestinationPage || DIMENSION || STRING || FALSE ||  || The page the user immediately visited after performing an internal search on your site. (Usually the search results page).
 
|-
 
|-
|  ga:adCost || METRIC || CURRENCY || Adwords || PUBLIC || Cost || Derived cost for the advertising campaign. The currency for this value is based on the currency that you set in your AdWords account.
+
Internal Search || Results Pageviews || ga:searchResultViews || METRIC || INTEGER || FALSE || || The number of times a search result page was viewed after performing a search.
 
|-
 
|-
|  ga:CPM || METRIC || CURRENCY || Adwords || PUBLIC || CPM || Cost per thousand impressions.
+
Internal Search || Total Unique Searches || ga:searchUniques || METRIC || INTEGER || TRUE || || The total number of unique keywords from internal searches within a session. For example if "shoes" was searched for 3 times in a session, it will be only counted once.
 
|-
 
|-
|  ga:CPC || METRIC || CURRENCY || Adwords || PUBLIC || CPC || Cost to advertiser per click.
+
Internal Search || Results Pageviews / Search || ga:avgSearchResultViews || METRIC || FLOAT || FALSE || ga:searchResultViews / ga:searchUniques || The average number of times people viewed a search results page after performing a search.
 
|-
 
|-
|  ga:CTR || METRIC || PERCENT || Adwords || PUBLIC || CTR || Click-through-rate for your ad. This is equal to the number of clicks divided by the number of impressions for your ad (e.g. how many times users clicked on one of your ads where that ad appeared).
+
Internal Search || Sessions with Search || ga:searchSessions || METRIC || INTEGER || TRUE || || The total number of sessions that included an internal search
 
|-
 
|-
|  ga:costPerTransaction || METRIC || CURRENCY || Adwords || PUBLIC || Cost per Transaction || The cost per transaction for your property.
+
Internal Search || % Sessions with Search || ga:percentSessionsWithSearch || METRIC || PERCENT || FALSE || ga:searchSessions / ga:sessions || The percentage of sessions with search.
 
|-
 
|-
|  ga:costPerGoalConversion || METRIC || CURRENCY || Adwords || PUBLIC || Cost per Goal Conversion || The cost per goal conversion for your property.
+
Internal Search || Search Depth || ga:searchDepth || METRIC || INTEGER || TRUE || || The average number of subsequent page views made on your property after a use of your internal search feature.
 
|-
 
|-
|  ga:costPerConversion || METRIC || CURRENCY || Adwords || PUBLIC || Cost per Conversion || The cost per conversion (including ecommerce and goal conversions) for your property.
+
Internal Search || Average Search Depth || ga:avgSearchDepth || METRIC || FLOAT || FALSE || ga:searchDepth / ga:searchUniques || The average number of pages people viewed after performing a search on your property.
 
|-
 
|-
|  ga:RPC || METRIC || CURRENCY || Adwords || PUBLIC || RPC || RPC or revenue-per-click is the average revenue (from ecommerce sales and/or goal value) you received for each click on one of your search ads.
+
Internal Search || Search Refinements || ga:searchRefinements || METRIC || INTEGER || TRUE || || The total number of times a refinement (transition) occurs between internal search keywords within a session. For example if the sequence of keywords is: "shoes", "shoes", "pants", "pants", this metric will be one because the transition between "shoes" and "pants" is different.
 
|-
 
|-
|  ga:ROI || METRIC || PERCENT || Adwords || PUBLIC || ROI || Returns on Investment is overall transaction profit divided by derived advertising cost.
+
Internal Search || % Search Refinements || ga:percentSearchRefinements || METRIC || PERCENT || FALSE || ga:searchRefinements / ga:searchResultViews || The percentage of number of times a refinement (i.e., transition) occurs between internal search keywords within a session.
 
|-
 
|-
|  ga:margin || METRIC || PERCENT || Adwords || PUBLIC || Margin || The overall transaction profit margin.
+
Internal Search || Time after Search || ga:searchDuration || METRIC || TIME || TRUE || || The session duration on your property where a use of your internal search feature occurred.
 
|-
 
|-
ga:goalCompletionLocation || DIMENSION || STRING || Goal Conversions || PUBLIC || Goal Completion Location || The page path or screen name that matched any destination type goal completion.
+
Internal Search || Time after Search || ga:avgSearchDuration || METRIC || TIME || FALSE || ga:searchDuration / ga:searchUniques || The average amount of time people spent on your property after searching.
 
|-
 
|-
ga:goalPreviousStep1 || DIMENSION || STRING || Goal Conversions || PUBLIC || Goal Previous Step - 1 || The page path or screen name that matched any destination type goal, one step prior to the goal completion location.
+
Internal Search || Search Exits || ga:searchExits || METRIC || INTEGER || TRUE || || The number of exits on your site that occurred following a search result from your internal search feature.
 
|-
 
|-
ga:goalPreviousStep2 || DIMENSION || STRING || Goal Conversions || PUBLIC || Goal Previous Step - 2 || The page path or screen name that matched any destination type goal, two steps prior to the goal completion location.
+
Internal Search || % Search Exits || ga:searchExitRate || METRIC || PERCENT || FALSE || ga:searchExits / ga:searchUniques || The percentage of searches that resulted in an immediate exit from your property.
 
|-
 
|-
ga:goalPreviousStep3 || DIMENSION || STRING || Goal Conversions || PUBLIC || Goal Previous Step - 3 || The page path or screen name that matched any destination type goal, three steps prior to the goal completion location.
+
Internal Search || Site Search Goal XX Conversion Rate || ga:searchGoalXXConversionRate || METRIC || PERCENT || FALSE || ga:goalXXCompletions / ga:searchUniques || The percentage of search sessions (i.e., sessions that included at least one search) which resulted in a conversion to the requested goal number.
 
|-
 
|-
|  ga:goalXXStarts || METRIC || INTEGER || Goal Conversions || PUBLIC || Goal 1 Starts || The total number of starts for the requested goal number.
+
Internal Search || Site Search Goal Conversion Rate || ga:searchGoalConversionRateAll || METRIC || PERCENT || FALSE || ga:goalCompletionsAll / ga:searchUniques || The percentage of search sessions (i.e., sessions that included at least one search) which resulted in a conversion to at least one of your goals.
 
|-
 
|-
|  ga:goalStartsAll || METRIC || INTEGER || Goal Conversions || PUBLIC || Goal Starts || The total number of starts for all goals defined for your profile.
+
Internal Search || Per Search Goal Value || ga:goalValueAllPerSearch || METRIC || CURRENCY || FALSE || ga:goalValueAll / ga:searchUniques || The average goal value of a search on your property.
 
|-
 
|-
|  ga:goalXXCompletions || METRIC || INTEGER || Goal Conversions || PUBLIC || Goal 1 Completions || The total number of completions for the requested goal number.
+
Site Speed || Page Load Time (ms) || ga:pageLoadTime || METRIC || INTEGER || FALSE || || Total Page Load Time is the amount of time (in milliseconds) it takes for pages from the sample set to load, from initiation of the pageview (e.g. click on a page link) to load completion in the browser.
 
|-
 
|-
|  ga:goalCompletionsAll || METRIC || INTEGER || Goal Conversions || PUBLIC || Goal Completions || The total number of completions for all goals defined for your profile.
+
Site Speed || Page Load Sample || ga:pageLoadSample || METRIC || INTEGER || FALSE || || The sample set (or count) of pageviews used to calculate the average page load time.
 
|-
 
|-
|  ga:goalXXValue || METRIC || CURRENCY || Goal Conversions || PUBLIC || Goal 1 Value || The total numeric value for the requested goal number.
+
Site Speed || Avg. Page Load Time (sec) || ga:avgPageLoadTime || METRIC || FLOAT || FALSE || (ga:pageLoadTime / ga:pageLoadSample / 1000) || The average amount of time (in seconds) it takes for pages from the sample set to load, from initiation of the pageview (e.g. click on a page link) to load completion in the browser.
 
|-
 
|-
|  ga:goalValueAll || METRIC || CURRENCY || Goal Conversions || PUBLIC || Goal Value || The total numeric value for all goals defined for your profile.
+
Site Speed || Domain Lookup Time (ms) || ga:domainLookupTime || METRIC || INTEGER || FALSE || || The total amount of time (in milliseconds) spent in DNS lookup for this page among all samples.
 
|-
 
|-
|  ga:goalValuePerSession || METRIC || CURRENCY || Goal Conversions || PUBLIC || Per Session Goal Value || The average goal value of a session on your property.
+
Site Speed || Avg. Domain Lookup Time (sec) || ga:avgDomainLookupTime || METRIC || FLOAT || FALSE || (ga:domainLookupTime / ga:speedMetricsSample / 1000) || The average amount of time (in seconds) spent in DNS lookup for this page.
 
|-
 
|-
|  ga:goalValuePerVisit || METRIC || CURRENCY || Goal Conversions || DEPRECATED || Per Session Goal Value || The average goal value of a session on your property.
+
Site Speed || Page Download Time (ms) || ga:pageDownloadTime || METRIC || INTEGER || FALSE || || The total amount of time (in milliseconds) to download this page among all samples.
 
|-
 
|-
|  ga:goalXXConversionRate || METRIC || PERCENT || Goal Conversions || PUBLIC || Goal 1 Conversion Rate || The percentage of sessions which resulted in a conversion to the requested goal number.
+
Site Speed || Avg. Page Download Time (sec) || ga:avgPageDownloadTime || METRIC || FLOAT || FALSE || (ga:pageDownloadTime / ga:speedMetricsSample / 1000) || The average amount of time (in seconds) to download this page.
 
|-
 
|-
|  ga:goalConversionRateAll || METRIC || PERCENT || Goal Conversions || PUBLIC || Goal Conversion Rate || The percentage of sessions which resulted in a conversion to at least one of your goals.
+
Site Speed || Redirection Time (ms) || ga:redirectionTime || METRIC || INTEGER || FALSE || || The total amount of time (in milliseconds) spent in redirects before fetching this page among all samples. If there are no redirects, the value for this metric is expected to be 0.
 
|-
 
|-
|  ga:goalXXAbandons || METRIC || INTEGER || Goal Conversions || PUBLIC || Goal 1 Abandoned Funnels || The number of times users started conversion activity on the requested goal number without actually completing it.
+
Site Speed || Avg. Redirection Time (sec) || ga:avgRedirectionTime || METRIC || FLOAT || FALSE || (ga:redirectionTime / ga:speedMetricsSample / 1000) || The average amount of time (in seconds) spent in redirects before fetching this page. If there are no redirects, the value for this metric is expected to be 0.
 
|-
 
|-
|  ga:goalAbandonsAll || METRIC || INTEGER || Goal Conversions || PUBLIC || Abandoned Funnels || The overall number of times users started goals without actually completing them.
+
Site Speed || Server Connection Time (ms) || ga:serverConnectionTime || METRIC || INTEGER || FALSE || || The total amount of time (in milliseconds) spent in establishing TCP connection for this page among all samples.
 
|-
 
|-
|  ga:goalXXAbandonRate || METRIC || PERCENT || Goal Conversions || PUBLIC || Goal 1 Abandonment Rate || The rate at which the requested goal number was abandoned.
+
Site Speed || Avg. Server Connection Time (sec) || ga:avgServerConnectionTime || METRIC || FLOAT || FALSE || (ga:serverConnectionTime / ga:speedMetricsSample / 1000) || The average amount of time (in seconds) spent in establishing TCP connection for this page.
 
|-
 
|-
|  ga:goalAbandonRateAll || METRIC || PERCENT || Goal Conversions || PUBLIC || Total Abandonment Rate || The rate at which goals were abandoned.
+
Site Speed || Server Response Time (ms) || ga:serverResponseTime || METRIC || INTEGER || FALSE || || The total amount of time (in milliseconds) your server takes to respond to a user request among all samples, including the network time from user's location to your server.
 
|-
 
|-
ga:browser || DIMENSION || STRING || Platform or Device || PUBLIC || Browser || The names of browsers used by users to your website. For example, Internet Explorer or Firefox.
+
Site Speed || Avg. Server Response Time (sec) || ga:avgServerResponseTime || METRIC || FLOAT || FALSE || (ga:serverResponseTime / ga:speedMetricsSample / 1000) || The average amount of time (in seconds) your server takes to respond to a user request, including the network time from user's location to your server.
 
|-
 
|-
ga:browserVersion || DIMENSION || STRING || Platform or Device || PUBLIC || Browser Version || The browser versions used by users to your website. For example, 2.0.0.14
+
Site Speed || Speed Metrics Sample || ga:speedMetricsSample || METRIC || INTEGER || FALSE ||  || The sample set (or count) of pageviews used to calculate the averages for site speed metrics. This metric is used in all site speed average calculations including avgDomainLookupTime, avgPageDownloadTime, avgRedirectionTime, avgServerConnectionTime, and avgServerResponseTime.
 
|-
 
|-
|  ga:operatingSystem || DIMENSION || STRING || Platform or Device || PUBLIC || Operating System || The operating system used by your users. For example, Windows, Linux , Macintosh, iPhone, iPod.
+
Site Speed || Document Interactive Time (ms) || ga:domInteractiveTime || METRIC || INTEGER || FALSE || || The time the browser takes (in milliseconds) to parse the document (DOMInteractive), including the network time from the user's location to your server. At this time, the user can interact with the Document Object Model even though it is not fully loaded.
 
|-
 
|-
ga:operatingSystemVersion || DIMENSION || STRING || Platform or Device || PUBLIC || Operating System Version || The version of the operating system used by your users, such as XP for Windows or PPC for Macintosh.
+
Site Speed || Avg. Document Interactive Time (sec) || ga:avgDomInteractiveTime || METRIC || FLOAT || FALSE || (ga:domInteractiveTime / ga:domLatencyMetricsSample / 1000) || The average time (in seconds) it takes the browser to parse the document and execute deferred and parser-inserted scripts including the network time from the user's location to your server.
 
|-
 
|-
|  ga:isMobile || DIMENSION || STRING || Platform or Device || DEPRECATED || Mobile (Including Tablet) || This dimension is deprecated and will be removed soon. Please use ga:deviceCategory instead (e.g., ga:deviceCategory==mobile).
+
Site Speed || Document Content Loaded Time (ms) || ga:domContentLoadedTime || METRIC || INTEGER || FALSE || || The time the browser takes (in milliseconds) to parse the document and execute deferred and parser-inserted scripts (DOMContentLoaded), including the network time from the user's location to your server. Parsing of the document is finished, the Document Object Model is ready, but referenced style sheets, images, and subframes may not be finished loading. This event is often the starting point for javascript framework execution, e.g., JQuery's onready() callback, etc.
 
|-
 
|-
ga:isTablet || DIMENSION || STRING || Platform or Device || DEPRECATED || Tablet || This dimension is deprecated and will be removed soon. Please use ga:deviceCategory instead (e.g., ga:deviceCategory==tablet).
+
Site Speed || Avg. Document Content Loaded Time (sec) || ga:avgDomContentLoadedTime || METRIC || FLOAT || FALSE || (ga:domContentLoadedTime / ga:domLatencyMetricsSample / 1000) || The average time (in seconds) it takes the browser to parse the document.
 
|-
 
|-
ga:mobileDeviceBranding || DIMENSION || STRING || Platform or Device || PUBLIC || Mobile Device Branding || Mobile manufacturer or branded name.
+
Site Speed || DOM Latency Metrics Sample || ga:domLatencyMetricsSample || METRIC || INTEGER || FALSE || || The sample set (or count) of pageviews used to calculate the averages for site speed DOM metrics. This metric is used in the avgDomContentLoadedTime and avgDomInteractiveTime calculations.
 
|-
 
|-
|  ga:mobileDeviceModel || DIMENSION || STRING || Platform or Device || PUBLIC || Mobile Device Model || Mobile device model
+
App Tracking || App Installer ID || ga:appInstallerId || DIMENSION || STRING || TRUE || || ID of the installer (e.g., Google Play Store) from which the app was downloaded. By default, the app installer id is set based on the PackageManager#getInstallerPackageName method.
 
|-
 
|-
|  ga:mobileInputSelector || DIMENSION || STRING || Platform or Device || PUBLIC || Mobile Input Selector || Selector used on the mobile device (e.g.: touchscreen, joystick, clickwheel, stylus).
+
App Tracking || App Version || ga:appVersion || DIMENSION || STRING || TRUE || || The version of the application.
 
|-
 
|-
|  ga:mobileDeviceInfo || DIMENSION || STRING || Platform or Device || PUBLIC || Mobile Device Info || The branding, model, and marketing name used to identify the mobile device.
+
App Tracking || App Name || ga:appName || DIMENSION || STRING || TRUE || || The name of the application.
 
|-
 
|-
|  ga:mobileDeviceMarketingName || DIMENSION || STRING || Platform or Device || PUBLIC || Mobile Device Marketing Name || The marketing name used for the mobile device.
+
App Tracking || App ID || ga:appId || DIMENSION || STRING || TRUE || || The ID of the application.
 
|-
 
|-
|  ga:deviceCategory || DIMENSION || STRING || Platform or Device || PUBLIC || Device Category || The type of device: desktop, tablet, or mobile.
+
App Tracking || Screen Name || ga:screenName || DIMENSION || STRING || TRUE || || The name of the screen.
 
|-
 
|-
|  ga:continent || DIMENSION || STRING || Geo Network || PUBLIC || Continent || The continents of property users, derived from IP addresses.
+
App Tracking || Screen Depth || ga:screenDepth || DIMENSION || STRING || TRUE || || The number of screenviews per session reported as a string. Can be useful for historgrams.
 
|-
 
|-
|  ga:subContinent || DIMENSION || STRING || Geo Network || PUBLIC || Sub Continent Region || The sub-continent of users, derived from IP addresses. For example, Polynesia or Northern Europe.
+
App Tracking || Landing Screen || ga:landingScreenName || DIMENSION || STRING || TRUE || || The name of the first screen viewed.
 
|-
 
|-
|  ga:country || DIMENSION || STRING || Geo Network || PUBLIC || Country / Territory || The country of users, derived from IP addresses.
+
App Tracking || Exit Screen || ga:exitScreenName || DIMENSION || STRING || TRUE || || The name of the screen when the user exited the application.
 
|-
 
|-
ga:region || DIMENSION || STRING || Geo Network || PUBLIC || Region || The region of users to your property, derived from IP addresses. In the U.S., a region is a state, such as New York.
+
App Tracking || Screen Views || ga:screenviews || METRIC || INTEGER || TRUE || || The total number of screenviews.
 
|-
 
|-
ga:metro || DIMENSION || STRING || Geo Network || PUBLIC || Metro || The Designated Market Area (DMA) from where traffic arrived on your property.
+
App Tracking || Unique Screen Views || ga:uniqueScreenviews || METRIC || INTEGER || TRUE || || The number of different (unique) screenviews within a session.
 
|-
 
|-
ga:city || DIMENSION || STRING || Geo Network || PUBLIC || City || The cities of property users, derived from IP addresses.
+
App Tracking || Screens / Session || ga:screenviewsPerSession || METRIC || FLOAT || FALSE || ga:screenviews / ga:sessions || The average number of screenviews per session.
 
|-
 
|-
ga:latitude || DIMENSION || STRING || Geo Network || PUBLIC || Latitude || The approximate latitude of the user's city. Derived from IP address. Locations north of the equator are represented by positive values and locations south of the equator by negative values.
+
App Tracking || Time on Screen || ga:timeOnScreen || METRIC || TIME || TRUE ||  || The time spent viewing the current screen.
 
|-
 
|-
|  ga:longitude || DIMENSION || STRING || Geo Network || PUBLIC || Longitude || The approximate longitude of the user's city. Derived from IP address. Locations east of the meridian are represented by positive values and locations west of the meridian by negative values.
+
App Tracking || Avg. Time on Screen || ga:avgScreenviewDuration || METRIC || TIME || FALSE || || The average amount of time users spent on a screen in seconds.
 
|-
 
|-
|  ga:networkDomain || DIMENSION || STRING || Geo Network || PUBLIC || Network Domain || The domain name of the ISPs used by users to your property. This is derived from the domain name registered to the IP address.
+
Event Tracking || Event Category || ga:eventCategory || DIMENSION || STRING || TRUE || || The category of the event.
 
|-
 
|-
|  ga:networkLocation || DIMENSION || STRING || Geo Network || PUBLIC || Service Provider || The name of service providers used to reach your property. For example, if most users to your website come via the major service providers for cable internet, you will see the names of those cable service providers in this element.
+
Event Tracking || Event Action || ga:eventAction || DIMENSION || STRING || TRUE || || The action of the event.
 
|-
 
|-
|  ga:flashVersion || DIMENSION || STRING || System || PUBLIC || Flash Version || The versions of Flash supported by users' browsers, including minor versions.
+
Event Tracking || Event Label || ga:eventLabel || DIMENSION || STRING || TRUE || || The label of the event.
 
|-
 
|-
ga:javaEnabled || DIMENSION || STRING || System || PUBLIC || Java Support || Indicates Java support for users' browsers. The possible values are Yes or No where the first letter must be capitalized.
+
Event Tracking || Total Events || ga:totalEvents || METRIC || INTEGER || TRUE ||  || The total number of events for the profile, across all categories.
 
|-
 
|-
ga:language || DIMENSION || STRING || System || PUBLIC || Language || The language provided by the HTTP Request for the browser. Values are given as an ISO-639 code (e.g. en-gb for British English).
+
Event Tracking || Unique Events || ga:uniqueEvents || METRIC || INTEGER || FALSE ||  || The total number of unique events for the profile, across all categories.
 
|-
 
|-
ga:screenColors || DIMENSION || STRING || System || PUBLIC || Screen Colors || The color depth of users' monitors, as retrieved from the DOM of the user's browser. For example 4-bit, 8-bit, 24-bit, or undefined-bit.
+
Event Tracking || Event Value || ga:eventValue || METRIC || INTEGER || TRUE ||  || The total value of events for the profile.
 
|-
 
|-
ga:sourcePropertyId || DIMENSION || STRING || System || PUBLIC || Source Property Tracking ID || Source property ID of derived properties. This is valid only for derived properties.
+
Event Tracking || Avg. Value || ga:avgEventValue || METRIC || FLOAT || FALSE || ga:eventValue / ga:totalEvents || The average value of an event.
 
|-
 
|-
ga:sourcePropertyName || DIMENSION || STRING || System || PUBLIC || Source Property Display Name || Source property name of derived properties. This is valid only for derived properties.
+
Event Tracking || Sessions with Event || ga:sessionsWithEvent || METRIC || INTEGER || TRUE || || The total number of sessions with events.
 
|-
 
|-
ga:screenResolution || DIMENSION || STRING || System || PUBLIC || Screen Resolution || The screen resolution of users' screens. For example: 1024x738.
+
Event Tracking || Events / Session with Event || ga:eventsPerSessionWithEvent || METRIC || FLOAT || FALSE || ga:totalEvents / ga:sessionsWithEvent || The average number of events per session with event.
 
|-
 
|-
|  ga:socialActivityEndorsingUrl || DIMENSION || STRING || Social Activities || PUBLIC || Endorsing URL || For a social data hub activity, this value represents the URL of the social activity (e.g. the Google+ post URL, the blog comment URL, etc.)
+
Ecommerce || Transaction ID || ga:transactionId || DIMENSION || STRING || TRUE || || The transaction ID for the shopping cart purchase as supplied by your ecommerce tracking method.
 
|-
 
|-
|  ga:socialActivityDisplayName || DIMENSION || STRING || Social Activities || PUBLIC || Display Name || For a social data hub activity, this value represents the title of the social activity posted by the social network user.
+
Ecommerce || Affiliation || ga:affiliation || DIMENSION || STRING || TRUE || || Typically used to designate a supplying company or brick and mortar location; product affiliation.
 
|-
 
|-
|  ga:socialActivityPost || DIMENSION || STRING || Social Activities || PUBLIC || Social Activity Post || For a social data hub activity, this value represents the content of the social activity posted by the social network user (e.g. The message content of a Google+ post)
+
Ecommerce || Sessions to Transaction || ga:sessionsToTransaction || DIMENSION || STRING || TRUE || || The number of sessions between users' purchases and the related campaigns that lead to the purchases.
 
|-
 
|-
|  ga:socialActivityTimestamp || DIMENSION || STRING || Social Activities || PUBLIC || Social Activity Timestamp || For a social data hub activity, this value represents when the social activity occurred on the social network.
+
Ecommerce || Days to Transaction || ga:daysToTransaction || DIMENSION || STRING || TRUE || || The number of days between users' purchases and the related campaigns that lead to the purchases.
 
|-
 
|-
|  ga:socialActivityUserHandle || DIMENSION || STRING || Social Activities || PUBLIC || Social User Handle || For a social data hub activity, this value represents the social network handle (e.g. name or ID) of the user who initiated the social activity.
+
Ecommerce || Product SKU || ga:productSku || DIMENSION || STRING || TRUE || || The product sku for purchased items as you have defined them in your ecommerce tracking application.
 
|-
 
|-
|  ga:socialActivityUserPhotoUrl || DIMENSION || STRING || Social Activities || PUBLIC || User Photo URL || For a social data hub activity, this value represents the URL of the photo associated with the user's social network profile.
+
Ecommerce || Product || ga:productName || DIMENSION || STRING || TRUE || || The product name for purchased items as supplied by your ecommerce tracking application.
 
|-
 
|-
|  ga:socialActivityUserProfileUrl || DIMENSION || STRING || Social Activities || PUBLIC || User Profile URL || For a social data hub activity, this value represents the URL of the associated user's social network profile.
+
Ecommerce || Product Category || ga:productCategory || DIMENSION || STRING || TRUE || || Any product variations (size, color) for purchased items as supplied by your ecommerce application. Not compatible with Enhanced Ecommerce.
 
|-
 
|-
|  ga:socialActivityContentUrl || DIMENSION || STRING || Social Activities || PUBLIC || Shared URL || For a social data hub activity, this value represents the URL shared by the associated social network user.
+
Ecommerce || Currency Code || ga:currencyCode || DIMENSION || STRING || FALSE || || The local currency code of the transaction based on ISO 4217 standard.
 
|-
 
|-
ga:socialActivityTagsSummary || DIMENSION || STRING || Social Activities || PUBLIC || Social Tags Summary || For a social data hub activity, this is a comma-separated set of tags associated with the social activity.
+
Ecommerce || Transactions || ga:transactions || METRIC || INTEGER || TRUE || || The total number of transactions.
 
|-
 
|-
ga:socialActivityAction || DIMENSION || STRING || Social Activities || PUBLIC || Originating Social Action || For a social data hub activity, this value represents the type of social action associated with the activity (e.g. vote, comment, +1, etc.).
+
Ecommerce || Ecommerce Conversion Rate || ga:transactionsPerSession || METRIC || PERCENT || FALSE || ga:transactions / ga:sessions || The average number of transactions for a session on your property.
 
|-
 
|-
|  ga:socialActivityNetworkAction || DIMENSION || STRING || Social Activities || PUBLIC || Social Network and Action || For a social data hub activity, this value represents the type of social action and the social network where the activity originated.
+
Ecommerce || Revenue || ga:transactionRevenue || METRIC || CURRENCY || TRUE || || The total sale revenue provided in the transaction excluding shipping and tax.
 
|-
 
|-
|  ga:socialActivities || METRIC || INTEGER || Social Activities || PUBLIC || Data Hub Activities || The count of activities where a content URL was shared / mentioned on a social data hub partner network.
+
Ecommerce || Average Order Value || ga:revenuePerTransaction || METRIC || CURRENCY || FALSE || ga:transactionRevenue / ga:transactions || The average revenue for an e-commerce transaction.
 
|-
 
|-
ga:hostname || DIMENSION || STRING || Page Tracking || PUBLIC || Hostname || The hostname from which the tracking request was made.
+
Ecommerce || Per Session Value || ga:transactionRevenuePerSession || METRIC || CURRENCY || FALSE || ga:transactionRevenue / ga:sessions || Average transaction revenue for a session on your property.
 
|-
 
|-
ga:pagePath || DIMENSION || STRING || Page Tracking || PUBLIC || Page || A page on your website specified by path and/or query parameters. Use in conjunction with hostname to get the full URL of the page.
+
Ecommerce || Shipping || ga:transactionShipping || METRIC || CURRENCY || TRUE || || The total cost of shipping.
 
|-
 
|-
ga:pagePathLevel1 || DIMENSION || STRING || Page Tracking || PUBLIC || Page path level 1 || This dimension rolls up all the page paths in the first hierarchical level in pagePath.
+
Ecommerce || Tax || ga:transactionTax || METRIC || CURRENCY || TRUE || || The total amount of tax.
 
|-
 
|-
ga:pagePathLevel2 || DIMENSION || STRING || Page Tracking || PUBLIC || Page path level 2 || This dimension rolls up all the page paths in the second hierarchical level in pagePath.
+
Ecommerce || Total Value || ga:totalValue || METRIC || CURRENCY || FALSE || (ga:transactionRevenue + ga:goalValueAll) || Total value for your property (including total revenue and total goal value).
 
|-
 
|-
ga:pagePathLevel3 || DIMENSION || STRING || Page Tracking || PUBLIC || Page path level 3 || This dimension rolls up all the page paths in the third hierarchical level in pagePath.
+
Ecommerce || Quantity || ga:itemQuantity || METRIC || INTEGER || TRUE || || The total number of items purchased. For example, if users purchase 2 frisbees and 5 tennis balls, 7 items have been purchased.
 
|-
 
|-
ga:pagePathLevel4 || DIMENSION || STRING || Page Tracking || PUBLIC || Page path level 4 || This dimension rolls up all the page paths into hierarchical levels. Up to 4 pagePath levels maybe specified. All additional levels in the pagePath hierarchy are also rolled up in this dimension.
+
Ecommerce || Unique Purchases || ga:uniquePurchases || METRIC || INTEGER || TRUE || || The number of product sets purchased. For example, if users purchase 2 frisbees and 5 tennis balls from your site, 2 unique products have been purchased.
 
|-
 
|-
ga:pageTitle || DIMENSION || STRING || Page Tracking || PUBLIC || Page Title || The title of a page. Keep in mind that multiple pages might have the same page title.
+
Ecommerce || Average Price || ga:revenuePerItem || METRIC || CURRENCY || FALSE || ga:itemRevenue / ga:itemQuantity || The average revenue per item.
 
|-
 
|-
ga:landingPagePath || DIMENSION || STRING || Page Tracking || PUBLIC || Landing Page || The first page in a user's session, or landing page.
+
Ecommerce || Product Revenue || ga:itemRevenue || METRIC || CURRENCY || TRUE || || The total revenue from purchased product items on your property.
 
|-
 
|-
ga:secondPagePath || DIMENSION || STRING || Page Tracking || PUBLIC || Second Page || The second page in a user's session.
+
Ecommerce || Average QTY || ga:itemsPerPurchase || METRIC || FLOAT || FALSE || ga:itemQuantity / ga:uniquePurchases || The average quantity of this item (or group of items) sold per purchase.
 
|-
 
|-
ga:exitPagePath || DIMENSION || STRING || Page Tracking || PUBLIC || Exit Page || The last page in a user's session, or exit page.
+
Ecommerce || Local Revenue || ga:localTransactionRevenue || METRIC || CURRENCY || FALSE || || Transaction revenue in local currency.
 
|-
 
|-
ga:previousPagePath || DIMENSION || STRING || Page Tracking || PUBLIC || Previous Page Path || A page on your property that was visited before another page on the same property. Typically used with the pagePath dimension.
+
Ecommerce || Local Shipping || ga:localTransactionShipping || METRIC || CURRENCY || FALSE || || Transaction shipping cost in local currency.
 
|-
 
|-
ga:nextPagePath || DIMENSION || STRING || Page Tracking || PUBLIC || Next Page Path || A page on your website that was visited after another page on your website. Typically used with the previousPagePath dimension.
+
Ecommerce || Local Tax || ga:localTransactionTax || METRIC || CURRENCY || FALSE || || Transaction tax in local currency.
 
|-
 
|-
ga:pageDepth || DIMENSION || STRING || Page Tracking || PUBLIC || Page Depth || The number of pages visited by users during a session. The value is a histogram that counts pageviews across a range of possible values. In this calculation, all sessions will have at least one pageview, and some percentage of sessions will have more.
+
Ecommerce || Local Product Revenue || ga:localItemRevenue || METRIC || CURRENCY || TRUE || || Product revenue in local currency.
 
|-
 
|-
|  ga:pageValue || METRIC || CURRENCY || Page Tracking || PUBLIC || Page Value || The average value of this page or set of pages. Page Value is (ga:transactionRevenue + ga:goalValueAll) / ga:uniquePageviews (for the page or set of pages).
+
Social Interactions || Social Source || ga:socialInteractionNetwork || DIMENSION || STRING || FALSE || || For social interactions, a value representing the social network being tracked.
 
|-
 
|-
ga:entrances || METRIC || INTEGER || Page Tracking || PUBLIC || Entrances || The number of entrances to your property measured as the first pageview in a session. Typically used with landingPagePath
+
Social Interactions || Social Action || ga:socialInteractionAction || DIMENSION || STRING || FALSE || || For social interactions, a value representing the social action being tracked (e.g. +1, bookmark)
 
|-
 
|-
ga:entranceRate || METRIC || PERCENT || Page Tracking || PUBLIC || Entrances / Pageviews || The percentage of pageviews in which this page was the entrance.
+
Social Interactions || Social Source and Action || ga:socialInteractionNetworkAction || DIMENSION || STRING || FALSE || || For social interactions, a value representing the concatenation of the socialInteractionNetwork and socialInteractionAction action being tracked at this hit level (e.g. Google: +1)
 
|-
 
|-
ga:pageviews || METRIC || INTEGER || Page Tracking || PUBLIC || Pageviews || The total number of pageviews for your property.
+
Social Interactions || Social Entity || ga:socialInteractionTarget || DIMENSION || STRING || FALSE || || For social interactions, a value representing the URL (or resource) which receives the social network action.
 
|-
 
|-
ga:pageviewsPerSession || METRIC || FLOAT || Page Tracking || PUBLIC || Pages / Session || The average number of pages viewed during a session on your property. Repeated views of a single page are counted.
+
Social Interactions || Social Type || ga:socialEngagementType || DIMENSION || STRING || FALSE || || Engagement type. Possible values are "Socially Engaged" or "Not Socially Engaged".
 
|-
 
|-
|  ga:pageviewsPerVisit || METRIC || FLOAT || Page Tracking || DEPRECATED || Pages / Session || The average number of pages viewed during a session on your property. Repeated views of a single page are counted.
+
Social Interactions || Social Actions || ga:socialInteractions || METRIC || INTEGER || FALSE || || The total number of social interactions on your property.
 
|-
 
|-
|  ga:uniquePageviews || METRIC || INTEGER || Page Tracking || PUBLIC || Unique Pageviews || The number of different (unique) pages within a session. This takes into both the pagePath and pageTitle to determine uniqueness.
+
Social Interactions || Unique Social Actions || ga:uniqueSocialInteractions || METRIC || INTEGER || FALSE || || The number of sessions during which the specified social action(s) occurred at least once. This is based on the the unique combination of socialInteractionNetwork, socialInteractionAction, and socialInteractionTarget.
 
|-
 
|-
|  ga:timeOnPage || METRIC || TIME || Page Tracking || PUBLIC || Time on Page || How long a user spent on a particular page in seconds. Calculated by subtracting the initial view time for a particular page from the initial view time for a subsequent page. Thus, this metric does not apply to exit pages for your property.
+
Social Interactions || Actions Per Social Session || ga:socialInteractionsPerSession || METRIC || FLOAT || FALSE || ga:socialInteractions / ga:uniqueSocialInteractions || The number of social interactions per session on your property.
 
|-
 
|-
ga:avgTimeOnPage || METRIC || TIME || Page Tracking || PUBLIC || Avg. Time on Page || The average amount of time users spent viewing this page or a set of pages.
+
User Timings || Timing Category || ga:userTimingCategory || DIMENSION || STRING || TRUE || || A string for categorizing all user timing variables into logical groups for easier reporting purposes.
 
|-
 
|-
ga:exits || METRIC || INTEGER || Page Tracking || PUBLIC || Exits || The number of exits from your property.
+
User Timings || Timing Label || ga:userTimingLabel || DIMENSION || STRING || TRUE || || The name of the resource's action being tracked.
 
|-
 
|-
ga:exitRate || METRIC || PERCENT || Page Tracking || PUBLIC || % Exit || The percentage of exits from your property that occurred out of the total page views.
+
User Timings || Timing Variable || ga:userTimingVariable || DIMENSION || STRING || TRUE || || A value that can be used to add flexibility in visualizing user timings in the reports.
 
|-
 
|-
ga:searchUsed || DIMENSION || STRING || Internal Search || PUBLIC || Site Search Status || A boolean to distinguish whether internal search was used in a session. Values are Visits With Site Search and Visits Without Site Search.
+
User Timings || User Timing (ms) || ga:userTimingValue || METRIC || INTEGER || FALSE || || The total number of milliseconds for a user timing.
 
|-
 
|-
ga:searchKeyword || DIMENSION || STRING || Internal Search || PUBLIC || Search Term || Search terms used by users within your property.
+
User Timings || User Timing Sample || ga:userTimingSample || METRIC || INTEGER || FALSE || || The number of hits that were sent for a particular userTimingCategory, userTimingLabel, and userTimingVariable.
 
|-
 
|-
ga:searchKeywordRefinement || DIMENSION || STRING || Internal Search || PUBLIC || Refined Keyword || Subsequent keyword search terms or strings entered by users after a given initial string search.
+
User Timings || Avg. User Timing (sec) || ga:avgUserTimingValue || METRIC || FLOAT || FALSE || (ga:userTimingValue / ga:userTimingSample / 1000) || The average amount of elapsed time.
 
|-
 
|-
|  ga:searchCategory || DIMENSION || STRING || Internal Search || PUBLIC || Site Search Category || The categories used for the internal search if you have this enabled for your profile. For example, you might have product categories such as electronics, furniture, or clothing.
+
Exceptions || Exception Description || ga:exceptionDescription || DIMENSION || STRING || TRUE || || The description for the exception.
 
|-
 
|-
ga:searchStartPage || DIMENSION || STRING || Internal Search || PUBLIC || Start Page || A page where the user initiated an internal search on your property.
+
Exceptions || Exceptions || ga:exceptions || METRIC || INTEGER || TRUE || || The number of exceptions that were sent to Google Analytics.
 
|-
 
|-
ga:searchDestinationPage || DIMENSION || STRING || Internal Search || PUBLIC || Destination Page || A page that the user visited after performing an internal search on your property.
+
Exceptions || Exceptions / Screen || ga:exceptionsPerScreenview || METRIC || PERCENT || FALSE || ga:exceptions / ga:screenviews || The number of exceptions thrown divided by the number of screenviews.
 
|-
 
|-
|  ga:searchResultViews || METRIC || INTEGER || Internal Search || PUBLIC || Results Pageviews || The number of times a search result page was viewed after performing a search.
+
Exceptions || Crashes || ga:fatalExceptions || METRIC || INTEGER || TRUE || || The number of exceptions where isFatal is set to true.
 
|-
 
|-
|  ga:searchUniques || METRIC || INTEGER || Internal Search || PUBLIC || Total Unique Searches || The total number of unique keywords from internal searches within a session. For example if "shoes" was searched for 3 times in a session, it will be only counted once.
+
Exceptions || Crashes / Screen || ga:fatalExceptionsPerScreenview || METRIC || PERCENT || FALSE || ga:fatalExceptions / ga:screenviews || The number of fatal exceptions thrown divided by the number of screenviews.
 
|-
 
|-
ga:avgSearchResultViews || METRIC || FLOAT || Internal Search || PUBLIC || Results Pageviews / Search || The average number of times people viewed a search results page after performing a search.
+
Content Experiments || Experiment ID || ga:experimentId || DIMENSION || STRING || TRUE || || The user-scoped id of the content experiment that the user was exposed to when the metrics were reported.
 
|-
 
|-
ga:searchSessions || METRIC || INTEGER || Internal Search || PUBLIC || Sessions with Search || The total number of sessions that included an internal search
+
Content Experiments || Variation || ga:experimentVariant || DIMENSION || STRING || TRUE || || The user-scoped id of the particular variation that the user was exposed to during a content experiment.
 
|-
 
|-
ga:searchVisits || METRIC || INTEGER || Internal Search || DEPRECATED || Sessions with Search || The total number of sessions that included an internal search
+
Custom Variables or Columns || Custom Dimension XX || ga:dimensionXX || DIMENSION || STRING || TRUE ||  || The name of the requested custom dimension, where XX refers the number/index of the custom dimension.
 
|-
 
|-
ga:percentSessionsWithSearch || METRIC || PERCENT || Internal Search || PUBLIC || % Sessions with Search || The percentage of sessions with search.
+
Custom Variables or Columns || Custom Variable (Key XX) || ga:customVarNameXX || DIMENSION || STRING || TRUE || || The name for the requested custom variable.
 
|-
 
|-
|  ga:percentVisitsWithSearch || METRIC || PERCENT || Internal Search || DEPRECATED || % Sessions with Search || The percentage of sessions with search.
+
Custom Variables or Columns || Custom Metric XX Value || ga:metricXX || METRIC || INTEGER || TRUE || || The name of the requested custom metric, where XX refers the number/index of the custom metric.
 
|-
 
|-
ga:searchDepth || METRIC || INTEGER || Internal Search || PUBLIC || Search Depth || The average number of subsequent page views made on your property after a use of your internal search feature.
+
Custom Variables or Columns || Custom Variable (Value XX) || ga:customVarValueXX || DIMENSION || STRING || TRUE || || The value for the requested custom variable.
 
|-
 
|-
ga:avgSearchDepth || METRIC || FLOAT || Internal Search || PUBLIC || Search Depth || The average number of pages people viewed after performing a search on your property.
+
Time || Date || ga:date || DIMENSION || STRING || FALSE || || The date of the session formatted as YYYYMMDD.
 
|-
 
|-
ga:searchRefinements || METRIC || INTEGER || Internal Search || PUBLIC || Search Refinements || The total number of times a refinement (transition) occurs between internal search keywords within a session. For example if the sequence of keywords is: "shoes", "shoes", "pants", "pants", this metric will be one because the transition between "shoes" and "pants" is different.
+
Time || Year || ga:year || DIMENSION || STRING || FALSE ||  || The year of the session. A four-digit year from 2005 to the current year.
 
|-
 
|-
ga:percentSearchRefinements || METRIC || PERCENT || Internal Search || PUBLIC || % Search Refinements || The percentage of number of times a refinement (i.e., transition) occurs between internal search keywords within a session.
+
Time || Month of the year || ga:month || DIMENSION || STRING || FALSE ||  || The month of the session. A two digit integer from 01 to 12.
 
|-
 
|-
ga:searchDuration || METRIC || TIME || Internal Search || PUBLIC || Time after Search || The session duration on your property where a use of your internal search feature occurred.
+
Time || Week of the Year || ga:week || DIMENSION || STRING || FALSE ||  || The week of the session. A two-digit number from 01 to 53. Each week starts on Sunday.
 
|-
 
|-
ga:avgSearchDuration || METRIC || TIME || Internal Search || PUBLIC || Time after Search || The average amount of time people spent on your property after searching.
+
Time || Day of the month || ga:day || DIMENSION || STRING || FALSE ||  || The day of the month. A two-digit number from 01 to 31.
 
|-
 
|-
ga:searchExits || METRIC || INTEGER || Internal Search || PUBLIC || Search Exits || The number of exits on your site that occurred following a search result from your internal search feature.
+
Time || Hour || ga:hour || DIMENSION || STRING || TRUE || || A two-digit hour of the day ranging from 00-23 in the timezone configured for the account. This value is also corrected for daylight savings time, adhering to all local rules for daylight savings time. If your timezone follows daylight savings time, there will be an apparent bump in the number of sessions during the change-over hour (e.g. between 1:00 and 2:00) for the day per year when that hour repeats. A corresponding hour with zero sessions will occur at the opposite changeover. (Google Analytics does not track user time more precisely than hours.)
 
|-
 
|-
ga:searchExitRate || METRIC || PERCENT || Internal Search || PUBLIC || % Search Exits || The percentage of searches that resulted in an immediate exit from your property.
+
Time || Minute || ga:minute || DIMENSION || STRING || TRUE || || Returns the minute in the hour. The possible values are between 00 and 59.
 
|-
 
|-
ga:searchGoalXXConversionRate || METRIC || PERCENT || Internal Search || PUBLIC || Site Search Goal 1 Conversion Rate || The percentage of search sessions (i.e., sessions that included at least one search) which resulted in a conversion to the requested goal number.
+
Time || Month Index || ga:nthMonth || DIMENSION || STRING || FALSE || || Index for each month in the specified date range. Index for the first month in the date range is 0, 1 for the second month, and so on. The index corresponds to month entries.
 
|-
 
|-
ga:searchGoalConversionRateAll || METRIC || PERCENT || Internal Search || PUBLIC || Site Search Goal Conversion Rate || The percentage of search sessions (i.e., sessions that included at least one search) which resulted in a conversion to at least one of your goals.
+
Time || Week Index || ga:nthWeek || DIMENSION || STRING || FALSE || || Index for each week in the specified date range. Index for the first week in the date range is 0, 1 for the second week, and so on. The index corresponds to week entries.
 
|-
 
|-
ga:goalValueAllPerSearch || METRIC || CURRENCY || Internal Search || PUBLIC || Per Search Goal Value || The average goal value of a search on your property.
+
Time || Day Index || ga:nthDay || DIMENSION || STRING || FALSE || || Index for each day in the specified date range. Index for the first day (i.e., start-date) in the date range is 0, 1 for the second day, and so on.
 
|-
 
|-
ga:pageLoadTime || METRIC || INTEGER || Site Speed || PUBLIC || Page Load Time (ms) || Total Page Load Time is the amount of time (in milliseconds) it takes for pages from the sample set to load, from initiation of the pageview (e.g. click on a page link) to load completion in the browser.
+
Time || Minute Index || ga:nthMinute || DIMENSION || STRING || FALSE || || Index for each minute in the specified date range. Index for the first minute of first day (i.e., start-date) in the date range is 0, 1 for the next minute, and so on.
 
|-
 
|-
ga:pageLoadSample || METRIC || INTEGER || Site Speed || PUBLIC || Page Load Sample || The sample set (or count) of pageviews used to calculate the average page load time.
+
Time || Day of Week || ga:dayOfWeek || DIMENSION || STRING || FALSE ||  || The day of the week. A one-digit number from 0 (Sunday) to 6 (Saturday).
 
|-
 
|-
|  ga:avgPageLoadTime || METRIC || FLOAT || Site Speed || PUBLIC || Avg. Page Load Time (sec) || The average amount of time (in seconds) it takes for pages from the sample set to load, from initiation of the pageview (e.g. click on a page link) to load completion in the browser.
+
Time || Day of Week Name || ga:dayOfWeekName || DIMENSION || STRING || FALSE || || The name of the day of the week (in English).
 
|-
 
|-
ga:domainLookupTime || METRIC || INTEGER || Site Speed || PUBLIC || Domain Lookup Time (ms) || The total amount of time (in milliseconds) spent in DNS lookup for this page among all samples.
+
Time || Hour of Day || ga:dateHour || DIMENSION || STRING || FALSE || || Combined values of ga:date and ga:hour.
 
|-
 
|-
ga:avgDomainLookupTime || METRIC || FLOAT || Site Speed || PUBLIC || Avg. Domain Lookup Time (sec) || The average amount of time (in seconds) spent in DNS lookup for this page.
+
Time || Month of Year || ga:yearMonth || DIMENSION || STRING || FALSE || || Combined values of ga:year and ga:month.
 
|-
 
|-
ga:pageDownloadTime || METRIC || INTEGER || Site Speed || PUBLIC || Page Download Time (ms) || The total amount of time (in milliseconds) to download this page among all samples.
+
Time || Week of Year || ga:yearWeek || DIMENSION || STRING || FALSE || || Combined values of ga:year and ga:week.
 
|-
 
|-
ga:avgPageDownloadTime || METRIC || FLOAT || Site Speed || PUBLIC || Avg. Page Download Time (sec) || The average amount of time (in seconds) to download this page.
+
Time || ISO Week of the Year || ga:isoWeek || DIMENSION || STRING || FALSE ||  || The ISO week number, where each week starts with a Monday. Details: http://en.wikipedia.org/wiki/ISO_week_date. ga:isoWeek should only be used with ga:isoYear since ga:year represents gregorian calendar.
 
|-
 
|-
ga:redirectionTime || METRIC || INTEGER || Site Speed || PUBLIC || Redirection Time (ms) || The total amount of time (in milliseconds) spent in redirects before fetching this page among all samples. If there are no redirects, the value for this metric is expected to be 0.
+
Time || ISO Year || ga:isoYear || DIMENSION || STRING || FALSE ||  || The ISO year of the session. Details: http://en.wikipedia.org/wiki/ISO_week_date. ga:isoYear should only be used with ga:isoWeek since ga:week represents gregorian calendar.
 
|-
 
|-
ga:avgRedirectionTime || METRIC || FLOAT || Site Speed || PUBLIC || Avg. Redirection Time (sec) || The average amount of time (in seconds) spent in redirects before fetching this page. If there are no redirects, the value for this metric is expected to be 0.
+
Time || ISO Week of ISO Year || ga:isoYearIsoWeek || DIMENSION || STRING || FALSE || || Combined values of ga:isoYear and ga:isoWeek.
 
|-
 
|-
ga:serverConnectionTime || METRIC || INTEGER || Site Speed || PUBLIC || Server Connection Time (ms) || The total amount of time (in milliseconds) spent in establishing TCP connection for this page among all samples.
+
DoubleClick Campaign Manager || DFA Ad (GA Model) || ga:dcmClickAd || DIMENSION || STRING || FALSE ||  || DCM ad name of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
ga:avgServerConnectionTime || METRIC || FLOAT || Site Speed || PUBLIC || Avg. Server Connection Time (sec) || The average amount of time (in seconds) spent in establishing TCP connection for this page.
+
DoubleClick Campaign Manager || DFA Ad ID (GA Model) || ga:dcmClickAdId || DIMENSION || STRING || FALSE ||  || DCM ad ID of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
ga:serverResponseTime || METRIC || INTEGER || Site Speed || PUBLIC || Server Response Time (ms) || The total amount of time (in milliseconds) your server takes to respond to a user request among all samples, including the network time from user's location to your server.
+
DoubleClick Campaign Manager || DFA Ad Type (GA Model) || ga:dcmClickAdType || DIMENSION || STRING || FALSE || || DCM ad type name of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
ga:avgServerResponseTime || METRIC || FLOAT || Site Speed || PUBLIC || Avg. Server Response Time (sec) || The average amount of time (in seconds) your server takes to respond to a user request, including the network time from user's location to your server.
+
DoubleClick Campaign Manager || DFA Ad Type ID || ga:dcmClickAdTypeId || DIMENSION || STRING || FALSE || || DCM ad type ID of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
ga:speedMetricsSample || METRIC || INTEGER || Site Speed || PUBLIC || Speed Metrics Sample || The sample set (or count) of pageviews used to calculate the averages for site speed metrics. This metric is used in all site speed average calculations including avgDomainLookupTime, avgPageDownloadTime, avgRedirectionTime, avgServerConnectionTime, and avgServerResponseTime.
+
DoubleClick Campaign Manager || DFA Advertiser (GA Model) || ga:dcmClickAdvertiser || DIMENSION || STRING || FALSE || || DCM advertiser name of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:domInteractiveTime || METRIC || INTEGER || Site Speed || PUBLIC || Document Interactive Time (ms) || The time the browser takes (in milliseconds) to parse the document (DOMInteractive), including the network time from the user's location to your server. At this time, the user can interact with the Document Object Model even though it is not fully loaded.
+
DoubleClick Campaign Manager || DFA Advertiser ID (GA Model) || ga:dcmClickAdvertiserId || DIMENSION || STRING || FALSE || || DCM advertiser ID of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
ga:avgDomInteractiveTime || METRIC || FLOAT || Site Speed || PUBLIC || Avg. Document Interactive Time (sec) || The average time (in seconds) it takes the browser to parse the document and execute deferred and parser-inserted scripts including the network time from the user's location to your server.
+
DoubleClick Campaign Manager || DFA Campaign (GA Model) || ga:dcmClickCampaign || DIMENSION || STRING || FALSE || || DCM campaign name of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:domContentLoadedTime || METRIC || INTEGER || Site Speed || PUBLIC || Document Content Loaded Time (ms) || The time the browser takes (in milliseconds) to parse the document and execute deferred and parser-inserted scripts (DOMContentLoaded), including the network time from the user's location to your server. Parsing of the document is finished, the Document Object Model is ready, but referenced style sheets, images, and subframes may not be finished loading. This event is often the starting point for javascript framework execution, e.g., JQuery's onready() callback, etc.
+
DoubleClick Campaign Manager || DFA Campaign ID (GA Model) || ga:dcmClickCampaignId || DIMENSION || STRING || FALSE || || DCM campaign ID of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
ga:avgDomContentLoadedTime || METRIC || FLOAT || Site Speed || PUBLIC || Avg. Document Content Loaded Time (sec) || The average time (in seconds) it takes the browser to parse the document.
+
DoubleClick Campaign Manager || DFA Creative ID (GA Model) || ga:dcmClickCreativeId || DIMENSION || STRING || FALSE || || DCM creative ID of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
ga:domLatencyMetricsSample || METRIC || INTEGER || Site Speed || PUBLIC || DOM Latency Metrics Sample || The sample set (or count) of pageviews used to calculate the averages for site speed DOM metrics. This metric is used in the avgDomContentLoadedTime and avgDomInteractiveTime calculations.
+
DoubleClick Campaign Manager || DFA Creative (GA Model) || ga:dcmClickCreative || DIMENSION || STRING || FALSE || || DCM creative name of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:appInstallerId || DIMENSION || STRING || App Tracking || PUBLIC || App Installer ID || ID of the installer (e.g., Google Play Store) from which the app was downloaded. By default, the app installer id is set based on the PackageManager#getInstallerPackageName method.
+
DoubleClick Campaign Manager || DFA Rendering ID (GA Model) || ga:dcmClickRenderingId || DIMENSION || STRING || FALSE || || DCM rendering ID of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:appVersion || DIMENSION || STRING || App Tracking || PUBLIC || App Version || The version of the application.
+
DoubleClick Campaign Manager || DFA Creative Type (GA Model) || ga:dcmClickCreativeType || DIMENSION || STRING || FALSE || || DCM creative type name of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:appName || DIMENSION || STRING || App Tracking || PUBLIC || App Name || The name of the application.
+
DoubleClick Campaign Manager || DFA Creative Type ID (GA Model) || ga:dcmClickCreativeTypeId || DIMENSION || STRING || FALSE || || DCM creative type ID of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:appId || DIMENSION || STRING || App Tracking || PUBLIC || App ID || The ID of the application.
+
DoubleClick Campaign Manager || DFA Creative Version (GA Model) || ga:dcmClickCreativeVersion || DIMENSION || STRING || FALSE || || DCM creative version of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:screenName || DIMENSION || STRING || App Tracking || PUBLIC || Screen Name || The name of the screen.
+
DoubleClick Campaign Manager || DFA Site (GA Model) || ga:dcmClickSite || DIMENSION || STRING || FALSE || || Site name where the DCM creative was shown and clicked on for the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:screenDepth || DIMENSION || STRING || App Tracking || PUBLIC || Screen Depth || The number of screenviews per session reported as a string. Can be useful for historgrams.
+
DoubleClick Campaign Manager || DFA Site ID (GA Model) || ga:dcmClickSiteId || DIMENSION || STRING || FALSE || || DCM site ID where the DCM creative was shown and clicked on for the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:landingScreenName || DIMENSION || STRING || App Tracking || PUBLIC || Landing Screen || The name of the first screen viewed.
+
DoubleClick Campaign Manager || DFA Placement (GA Model) || ga:dcmClickSitePlacement || DIMENSION || STRING || FALSE || || DCM site placement name of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
|  ga:exitScreenName || DIMENSION || STRING || App Tracking || PUBLIC || Exit Screen || The name of the screen when the user exited the application.
+
DoubleClick Campaign Manager || DFA Placement ID (GA Model) || ga:dcmClickSitePlacementId || DIMENSION || STRING || FALSE || || DCM site placement ID of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
ga:screenviews || METRIC || INTEGER || App Tracking || PUBLIC || Screen Views || The total number of screenviews.
+
DoubleClick Campaign Manager || DFA Floodlight Configuration ID (GA Model) || ga:dcmClickSpotId || DIMENSION || STRING || FALSE || || DCM Floodlight configuration ID of the DCM click matching the Google Analytics session (premium only).
 
|-
 
|-
ga:appviews || METRIC || INTEGER || App Tracking || DEPRECATED || Screen Views || The total number of screenviews.
+
DoubleClick Campaign Manager || DFA Activity || ga:dcmFloodlightActivity || DIMENSION || STRING || FALSE || || DCM Floodlight activity name associated with the floodlight conversion (premium only).
 
|-
 
|-
ga:uniqueScreenviews || METRIC || INTEGER || App Tracking || PUBLIC || Unique Screen Views || The number of different (unique) screenviews within a session.
+
DoubleClick Campaign Manager || DFA Activity and Group || ga:dcmFloodlightActivityAndGroup || DIMENSION || STRING || FALSE || || DCM Floodlight activity name and group name associated with the floodlight conversion (premium only).
 
|-
 
|-
ga:uniqueAppviews || METRIC || INTEGER || App Tracking || DEPRECATED || Unique Screen Views || The number of different (unique) screenviews within a session.
+
DoubleClick Campaign Manager || DFA Activity Group || ga:dcmFloodlightActivityGroup || DIMENSION || STRING || FALSE || || DCM Floodlight activity group name associated with the floodlight conversion (premium only).
 
|-
 
|-
ga:screenviewsPerSession || METRIC || FLOAT || App Tracking || PUBLIC || Screens / Session || The average number of screenviews per session.
+
DoubleClick Campaign Manager || DFA Activity Group ID || ga:dcmFloodlightActivityGroupId || DIMENSION || STRING || FALSE || || DCM Floodlight activity group ID associated with the floodlight conversion (premium only).
 
|-
 
|-
ga:appviewsPerVisit || METRIC || FLOAT || App Tracking || DEPRECATED || Screens / Session || The average number of screenviews per session.
+
DoubleClick Campaign Manager || DFA Activity ID || ga:dcmFloodlightActivityId || DIMENSION || STRING || FALSE || || DCM Floodlight activity ID associated with the floodlight conversion (premium only).
 
|-
 
|-
ga:timeOnScreen || METRIC || TIME || App Tracking || PUBLIC || Time on Screen || The time spent viewing the current screen.
+
DoubleClick Campaign Manager || DFA Advertiser ID || ga:dcmFloodlightAdvertiserId || DIMENSION || STRING || FALSE || || DCM Floodlight advertiser ID associated with the floodlight conversion (premium only).
 
|-
 
|-
ga:avgScreenviewDuration || METRIC || TIME || App Tracking || PUBLIC || Avg. Time on Screen || The average amount of time users spent on a screen in seconds.
+
DoubleClick Campaign Manager || DFA Floodlight Configuration ID || ga:dcmFloodlightSpotId || DIMENSION || STRING || FALSE || || DCM Floodlight configuration ID associated with the floodlight conversion (premium only).
 
|-
 
|-
|  ga:eventCategory || DIMENSION || STRING || Event Tracking || PUBLIC || Event Category || The category of the event.
+
DoubleClick Campaign Manager || DFA Ad || ga:dcmLastEventAd || DIMENSION || STRING || FALSE || || DCM ad name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:eventAction || DIMENSION || STRING || Event Tracking || PUBLIC || Event Action || The action of the event.
+
DoubleClick Campaign Manager || DFA Ad ID (DFA Model) || ga:dcmLastEventAdId || DIMENSION || STRING || FALSE || || DCM ad ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:eventLabel || DIMENSION || STRING || Event Tracking || PUBLIC || Event Label || The label of the event.
+
DoubleClick Campaign Manager || DFA Ad Type (DFA Model) || ga:dcmLastEventAdType || DIMENSION || STRING || FALSE || || DCM ad type name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
ga:totalEvents || METRIC || INTEGER || Event Tracking || PUBLIC || Total Events || The total number of events for the profile, across all categories.
+
DoubleClick Campaign Manager || DFA Ad Type ID (DFA Model) || ga:dcmLastEventAdTypeId || DIMENSION || STRING || FALSE || || DCM ad type ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
ga:uniqueEvents || METRIC || INTEGER || Event Tracking || PUBLIC || Unique Events || The total number of unique events for the profile, across all categories.
+
DoubleClick Campaign Manager || DFA Advertiser (DFA Model) || ga:dcmLastEventAdvertiser || DIMENSION || STRING || FALSE || || DCM advertiser name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
ga:eventValue || METRIC || INTEGER || Event Tracking || PUBLIC || Event Value || The total value of events for the profile.
+
DoubleClick Campaign Manager || DFA Advertiser ID (DFA Model) || ga:dcmLastEventAdvertiserId || DIMENSION || STRING || FALSE || || DCM advertiser ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:avgEventValue || METRIC || FLOAT || Event Tracking || PUBLIC || Avg. Value || The average value of an event.
+
DoubleClick Campaign Manager || DFA Attribution Type (DFA Model) || ga:dcmLastEventAttributionType || DIMENSION || STRING || FALSE || || There are two possible values: ClickThrough and ViewThrough. If the last DCM event associated with the Google Analytics session was a click, then the value will be ClickThrough. If the last DCM event associated with the Google Analytics session was an ad impression, then the value will be ViewThrough (premium only).
 
|-
 
|-
ga:sessionsWithEvent || METRIC || INTEGER || Event Tracking || PUBLIC || Sessions with Event || The total number of sessions with events.
+
DoubleClick Campaign Manager || DFA Campaign (DFA Model) || ga:dcmLastEventCampaign || DIMENSION || STRING || FALSE ||  || DCM campaign name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
ga:visitsWithEvent || METRIC || INTEGER || Event Tracking || DEPRECATED || Sessions with Event || The total number of sessions with events.
+
DoubleClick Campaign Manager || DFA Campaign ID (DFA Model) || ga:dcmLastEventCampaignId || DIMENSION || STRING || FALSE ||  || DCM campaign ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
ga:eventsPerSessionWithEvent || METRIC || FLOAT || Event Tracking || PUBLIC || Events / Session || The average number of events per session with event.
+
DoubleClick Campaign Manager || DFA Creative ID (DFA Model) || ga:dcmLastEventCreativeId || DIMENSION || STRING || FALSE || || DCM creative ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
ga:eventsPerVisitWithEvent || METRIC || FLOAT || Event Tracking || DEPRECATED || Events / Session || The average number of events per session with event.
+
DoubleClick Campaign Manager || DFA Creative (DFA Model) || ga:dcmLastEventCreative || DIMENSION || STRING || FALSE || || DCM creative name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:transactionId || DIMENSION || STRING || Ecommerce || PUBLIC || Transaction || The transaction ID for the shopping cart purchase as supplied by your ecommerce tracking method.
+
DoubleClick Campaign Manager || DFA Rendering ID (DFA Model) || ga:dcmLastEventRenderingId || DIMENSION || STRING || FALSE || || DCM rendering ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:affiliation || DIMENSION || STRING || Ecommerce || PUBLIC || Affiliation || Typically used to designate a supplying company or brick and mortar location; product affiliation.
+
DoubleClick Campaign Manager || DFA Creative Type (DFA Model) || ga:dcmLastEventCreativeType || DIMENSION || STRING || FALSE || || DCM creative type name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:sessionsToTransaction || DIMENSION || STRING || Ecommerce || PUBLIC || Sessions to Transaction || The number of sessions between users' purchases and the related campaigns that lead to the purchases.
+
DoubleClick Campaign Manager || DFA Creative Type ID (DFA Model) || ga:dcmLastEventCreativeTypeId || DIMENSION || STRING || FALSE || || DCM creative type ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:visitsToTransaction || DIMENSION || STRING || Ecommerce || DEPRECATED || Sessions to Transaction || The number of sessions between users' purchases and the related campaigns that lead to the purchases.
+
DoubleClick Campaign Manager || DFA Creative Version (DFA Model) || ga:dcmLastEventCreativeVersion || DIMENSION || STRING || FALSE || || DCM creative version of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:daysToTransaction || DIMENSION || STRING || Ecommerce || PUBLIC || Days to Transaction || The number of days between users' purchases and the related campaigns that lead to the purchases.
+
DoubleClick Campaign Manager || DFA Site (DFA Model) || ga:dcmLastEventSite || DIMENSION || STRING || FALSE || || Site name where the DCM creative was shown and clicked on for the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:productSku || DIMENSION || STRING || Ecommerce || PUBLIC || Product SKU || The product sku for purchased items as you have defined them in your ecommerce tracking application.
+
DoubleClick Campaign Manager || DFA Site ID (DFA Model) || ga:dcmLastEventSiteId || DIMENSION || STRING || FALSE || || DCM site ID where the DCM creative was shown and clicked on for the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:productName || DIMENSION || STRING || Ecommerce || PUBLIC || Product || The product name for purchased items as supplied by your ecommerce tracking application.
+
DoubleClick Campaign Manager || DFA Placement (DFA Model) || ga:dcmLastEventSitePlacement || DIMENSION || STRING || FALSE || || DCM site placement name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:productCategory || DIMENSION || STRING || Ecommerce || PUBLIC || Product Category || Any product variations (size, color) for purchased items as supplied by your ecommerce application.
+
DoubleClick Campaign Manager || DFA Placement ID (DFA Model) || ga:dcmLastEventSitePlacementId || DIMENSION || STRING || FALSE || || DCM site placement ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:currencyCode || DIMENSION || STRING || Ecommerce || PUBLIC || Currency Code || The local currency code of the transaction based on ISO 4217 standard.
+
DoubleClick Campaign Manager || DFA Floodlight Configuration ID (DFA Model) || ga:dcmLastEventSpotId || DIMENSION || STRING || FALSE || || DCM Floodlight configuration ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
 
|-
 
|-
|  ga:transactions || METRIC || INTEGER || Ecommerce || PUBLIC || Transactions || The total number of transactions.
+
DoubleClick Campaign Manager || DFA Conversions || ga:dcmFloodlightQuantity || METRIC || INTEGER || FALSE || || The number of DCM Floodlight conversions (premium only).
 
|-
 
|-
|  ga:transactionsPerSession || METRIC || PERCENT || Ecommerce || PUBLIC || Ecommerce Conversion Rate || The average number of transactions for a session on your property.
+
DoubleClick Campaign Manager || DFA Revenue || ga:dcmFloodlightRevenue || METRIC || CURRENCY || FALSE || || DCM Floodlight revenue (premium only).
 
|-
 
|-
ga:transactionsPerVisit || METRIC || PERCENT || Ecommerce || DEPRECATED || Ecommerce Conversion Rate || The average number of transactions for a session on your property.
+
Content Grouping || Landing Page Group XX || ga:landingContentGroupXX || DIMENSION || STRING || TRUE || || The first matching content group in a user's session.
 
|-
 
|-
ga:transactionRevenue || METRIC || CURRENCY || Ecommerce || PUBLIC || Revenue || The total sale revenue provided in the transaction excluding shipping and tax.
+
Content Grouping || Previous Page Group XX || ga:previousContentGroupXX || DIMENSION || STRING || TRUE || || Refers to content group that was visited before another content group.
 
|-
 
|-
ga:revenuePerTransaction || METRIC || CURRENCY || Ecommerce || PUBLIC || Average Order Value || The average revenue for an e-commerce transaction.
+
Content Grouping || Page Group XX || ga:contentGroupXX || DIMENSION || STRING || TRUE || || Content group on a property. A content group is a collection of content providing a logical structure that can be determined by tracking code or page title/url regex match, or predefined rules.
 
|-
 
|-
ga:transactionRevenuePerSession || METRIC || CURRENCY || Ecommerce || PUBLIC || Per Session Value || Average transaction revenue for a session on your property.
+
Content Grouping || Next Page Group XX || ga:nextContentGroupXX || DIMENSION || STRING || TRUE || || Refers to content group that was visited after another content group.
 
|-
 
|-
ga:transactionRevenuePerVisit || METRIC || CURRENCY || Ecommerce || DEPRECATED || Per Session Value || Average transaction revenue for a session on your property.
+
Audience || Age || ga:userAgeBracket || DIMENSION || STRING || TRUE || || Age bracket of user.
 
|-
 
|-
ga:transactionShipping || METRIC || CURRENCY || Ecommerce || PUBLIC || Shipping || The total cost of shipping.
+
Audience || Gender || ga:userGender || DIMENSION || STRING || TRUE || || Gender of user.
 
|-
 
|-
ga:transactionTax || METRIC || CURRENCY || Ecommerce || PUBLIC || Tax || The total amount of tax.
+
Audience || Other Category || ga:interestOtherCategory || DIMENSION || STRING || TRUE || || Indicates that users are more likely to be interested in learning about the specified category, and more likely to be ready to purchase.
 
|-
 
|-
ga:totalValue || METRIC || CURRENCY || Ecommerce || PUBLIC || Total Value || Total value for your property (including total revenue and total goal value).
+
Audience || Affinity Category (reach) || ga:interestAffinityCategory || DIMENSION || STRING || TRUE || || Indicates that users are more likely to be interested in learning about the specified category.
 
|-
 
|-
ga:itemQuantity || METRIC || INTEGER || Ecommerce || PUBLIC || Quantity || The total number of items purchased. For example, if users purchase 2 frisbees and 5 tennis balls, 7 items have been purchased.
+
Audience || In-Market Segment || ga:interestInMarketCategory || DIMENSION || STRING || TRUE || || Indicates that users are more likely to be ready to purchase products or services in the specified category.
 
|-
 
|-
|  ga:uniquePurchases || METRIC || INTEGER || Ecommerce || PUBLIC || Unique Purchases || The number of product sets purchased. For example, if users purchase 2 frisbees and 5 tennis balls from your site, 2 unique products have been purchased.
+
Adsense || AdSense Revenue || ga:adsenseRevenue || METRIC || CURRENCY || TRUE || || The total revenue from AdSense ads.
 
|-
 
|-
|  ga:revenuePerItem || METRIC || CURRENCY || Ecommerce || PUBLIC || Average Price || The average revenue per item.
+
Adsense || AdSense Ad Units Viewed || ga:adsenseAdUnitsViewed || METRIC || INTEGER || TRUE || || The number of AdSense ad units viewed. An Ad unit is a set of ads displayed as a result of one piece of the AdSense ad code. Details: https://support.google.com/adsense/answer/32715?hl=en
 
|-
 
|-
|  ga:itemRevenue || METRIC || CURRENCY || Ecommerce || PUBLIC || Product Revenue || The total revenue from purchased product items on your property.
+
Adsense || AdSense Impressions || ga:adsenseAdsViewed || METRIC || INTEGER || TRUE || || The number of AdSense ads viewed. Multiple ads can be displayed within an Ad Unit.
 
|-
 
|-
|  ga:itemsPerPurchase || METRIC || FLOAT || Ecommerce || PUBLIC || Average QTY || The average quantity of this item (or group of items) sold per purchase.
+
Adsense || AdSense Ads Clicked || ga:adsenseAdsClicks || METRIC || INTEGER || TRUE || || The number of times AdSense ads on your site were clicked.
 
|-
 
|-
|  ga:localTransactionRevenue || METRIC || CURRENCY || Ecommerce || PUBLIC || Local Revenue || Transaction revenue in local currency.
+
Adsense || AdSense Page Impressions || ga:adsensePageImpressions || METRIC || INTEGER || TRUE || || The number of pageviews during which an AdSense ad was displayed. A page impression can have multiple Ad Units.
 
|-
 
|-
|  ga:localTransactionShipping || METRIC || CURRENCY || Ecommerce || PUBLIC || Local Shipping || Transaction shipping cost in local currency.
+
Adsense || AdSense CTR || ga:adsenseCTR || METRIC || PERCENT || FALSE || ga:adsenseAdsClicks/ga:adsensePageImpressions || The percentage of page impressions that resulted in a click on an AdSense ad.
 
|-
 
|-
|  ga:localTransactionTax || METRIC || CURRENCY || Ecommerce || PUBLIC || Local Tax || Transaction tax in local currency.
+
Adsense || AdSense eCPM || ga:adsenseECPM || METRIC || CURRENCY || FALSE || ga:adsenseRevenue/(ga:adsensePageImpressions/1000) || The estimated cost per thousand page impressions. It is your AdSense Revenue per 1000 page impressions.
 
|-
 
|-
|  ga:localItemRevenue || METRIC || CURRENCY || Ecommerce || PUBLIC || Local Product Revenue || Product revenue in local currency.
+
Adsense || AdSense Exits || ga:adsenseExits || METRIC || INTEGER || TRUE || || The number of sessions that ended due to a user clicking on an AdSense ad.
 
|-
 
|-
ga:socialInteractionNetwork || DIMENSION || STRING || Social Interactions || PUBLIC || Social Source || For social interactions, a value representing the social network being tracked.
+
Adsense || AdSense Viewable Impression % || ga:adsenseViewableImpressionPercent || METRIC || PERCENT || FALSE || || The percentage of impressions that were viewable.
 
|-
 
|-
ga:socialInteractionAction || DIMENSION || STRING || Social Interactions || PUBLIC || Social Action || For social interactions, a value representing the social action being tracked (e.g. +1, bookmark)
+
Adsense || AdSense Coverage || ga:adsenseCoverage || METRIC || PERCENT || FALSE || || The percentage of ad requests that returned at least one ad.
 
|-
 
|-
|  ga:socialInteractionNetworkAction || DIMENSION || STRING || Social Interactions || PUBLIC || Social Source and Action || For social interactions, a value representing the concatenation of the socialInteractionNetwork and socialInteractionAction action being tracked at this hit level (e.g. Google: +1)
+
Traffic Sources || Campaign Code || ga:campaignCode || DIMENSION || STRING || FALSE || || When using manual campaign tracking, the value of the utm_id campaign tracking parameter.
 
|-
 
|-
|  ga:socialInteractionTarget || DIMENSION || STRING || Social Interactions || PUBLIC || Social Entity || For social interactions, a value representing the URL (or resource) which receives the social network action.
+
Channel Grouping || Default Channel Grouping || ga:channelGrouping || DIMENSION || STRING || TRUE || || The default channel grouping that is shared within the View (Profile).
 
|-
 
|-
|  ga:socialEngagementType || DIMENSION || STRING || Social Interactions || PUBLIC || Social Type || Engagement type. Possible values are "Socially Engaged" or "Not Socially Engaged".
+
Ecommerce || Checkout Options || ga:checkoutOptions || DIMENSION || STRING || TRUE || || User options specified during the checkout process, e.g., FedEx, DHL, UPS for delivery options or Visa, MasterCard, AmEx for payment options. This dimension should be used along with ga:shoppingStage (Enhanced Ecommerce).
 
|-
 
|-
ga:socialInteractions || METRIC || INTEGER || Social Interactions || PUBLIC || Social Actions || The total number of social interactions on your property.
+
Related Products || Correlation Model ID || ga:correlationModelId || DIMENSION || STRING || FALSE || || Correlation Model ID for related products.
 
|-
 
|-
ga:uniqueSocialInteractions || METRIC || INTEGER || Social Interactions || PUBLIC || Unique Social Actions || The number of sessions during which the specified social action(s) occurred at least once. This is based on the the unique combination of socialInteractionNetwork, socialInteractionAction, and socialInteractionTarget.
+
Ecommerce || Internal Promotion Creative || ga:internalPromotionCreative || DIMENSION || STRING || TRUE || || The creative content designed for a promotion (Enhanced Ecommerce).
 
|-
 
|-
ga:socialInteractionsPerSession || METRIC || FLOAT || Social Interactions || PUBLIC || Actions Per Social Session || The number of social interactions per session on your property.
+
Ecommerce || Internal Promotion ID || ga:internalPromotionId || DIMENSION || STRING || TRUE || || The ID of the promotion (Enhanced Ecommerce).
 
|-
 
|-
ga:socialInteractionsPerVisit || METRIC || FLOAT || Social Interactions || DEPRECATED || Actions Per Social Session || The number of social interactions per session on your property.
+
Ecommerce || Internal Promotion Name || ga:internalPromotionName || DIMENSION || STRING || TRUE || || The name of the promotion (Enhanced Ecommerce).
 
|-
 
|-
|  ga:userTimingCategory || DIMENSION || STRING || User Timings || PUBLIC || Timing Category || A string for categorizing all user timing variables into logical groups for easier reporting purposes.
+
Ecommerce || Internal Promotion Position || ga:internalPromotionPosition || DIMENSION || STRING || TRUE || || The position of the promotion on the web page or application screen (Enhanced Ecommerce).
 
|-
 
|-
|  ga:userTimingLabel || DIMENSION || STRING || User Timings || PUBLIC || Timing Label || The name of the resource's action being tracked.
+
Adwords || TrueView Video Ad || ga:isTrueViewVideoAd || DIMENSION || STRING || FALSE || || 'Yes' or 'No' - Indicates whether the ad is an AdWords TrueView video ad.
 
|-
 
|-
|  ga:userTimingVariable || DIMENSION || STRING || User Timings || PUBLIC || Timing Variable || A value that can be used to add flexibility in visualizing user timings in the reports.
+
Time || Hour Index || ga:nthHour || DIMENSION || STRING || FALSE || || Index for each hour in the specified date range. Index for the first hour of first day (i.e., start-date) in the date range is 0, 1 for the next hour, and so on.
 
|-
 
|-
|  ga:userTimingValue || METRIC || INTEGER || User Timings || PUBLIC || User Timing (ms) || The total number of milliseconds for a user timing.
+
Ecommerce || Order Coupon Code || ga:orderCouponCode || DIMENSION || STRING || TRUE || || Code for the order-level coupon (Enhanced Ecommerce).
 
|-
 
|-
ga:userTimingSample || METRIC || INTEGER || User Timings || PUBLIC || User Timing Sample || The number of hits that were sent for a particular userTimingCategory, userTimingLabel, and userTimingVariable.
+
Ecommerce || Product Brand || ga:productBrand || DIMENSION || STRING || TRUE || || The brand name under which the product is sold (Enhanced Ecommerce).
 
|-
 
|-
|  ga:avgUserTimingValue || METRIC || FLOAT || User Timings || PUBLIC || Avg. User Timing (sec) || The average amount of elapsed time.
+
Ecommerce || Product Category (Enhanced Ecommerce) || ga:productCategoryHierarchy || DIMENSION || STRING || TRUE || || The hierarchical category in which the product is classified (Enhanced Ecommerce).
 
|-
 
|-
|  ga:exceptionDescription || DIMENSION || STRING || Exceptions || PUBLIC || Exception Description || The description for the exception.
+
Ecommerce || Product Category Level XX || ga:productCategoryLevelXX || DIMENSION || STRING || TRUE || || Level (1-5) in the product category hierarchy, starting from the top (Enhanced Ecommerce).
 
|-
 
|-
ga:exceptions || METRIC || INTEGER || Exceptions || PUBLIC || Exceptions || The number of exceptions that were sent to Google Analytics.
+
Ecommerce || Product Coupon Code || ga:productCouponCode || DIMENSION || STRING || TRUE || || Code for the product-level coupon (Enhanced Ecommerce).
 
|-
 
|-
ga:exceptionsPerScreenview || METRIC || PERCENT || Exceptions || PUBLIC || Exceptions / Screen || The number of exceptions thrown divided by the number of screenviews.
+
Ecommerce || Product List Name || ga:productListName || DIMENSION || STRING || TRUE ||  || The name of the product list in which the product appears (Enhanced Ecommerce).
 
|-
 
|-
ga:fatalExceptions || METRIC || INTEGER || Exceptions || PUBLIC || Crashes || The number of exceptions where isFatal is set to true.
+
Ecommerce || Product List Position || ga:productListPosition || DIMENSION || STRING || TRUE || || The position of the product in the product list (Enhanced Ecommerce).
 
|-
 
|-
ga:fatalExceptionsPerScreenview || METRIC || PERCENT || Exceptions || PUBLIC || Crashes / Screen || The number of fatal exceptions thrown divided by the number of screenviews.
+
Ecommerce || Product Variant || ga:productVariant || DIMENSION || STRING || TRUE ||  || The specific variation of a product, e.g., XS, S, M, L for size or Red, Blue, Green, Black for color (Enhanced Ecommerce).
 
|-
 
|-
|  ga:experimentId || DIMENSION || STRING || Content Experiments || PUBLIC || Experiment ID || The user-scoped id of the content experiment that the user was exposed to when the metrics were reported.
+
Related Products || Queried Product ID || ga:queryProductId || DIMENSION || STRING || FALSE || || ID of the product being queried.
 
|-
 
|-
|  ga:experimentVariant || DIMENSION || STRING || Content Experiments || PUBLIC || Variation || The user-scoped id of the particular variation that the user was exposed to during a content experiment.
+
Related Products || Queried Product Name || ga:queryProductName || DIMENSION || STRING || FALSE || || Name of the product being queried.
 
|-
 
|-
|  ga:dimensionXX || DIMENSION || STRING || Custom Variables or Columns || PUBLIC || Custom Dimension || The name of the requested custom dimension, where XX refers the number/index of the custom dimension.
+
Related Products || Queried Product Variation || ga:queryProductVariation || DIMENSION || STRING || FALSE ||  || Variation of the product being queried.
 
|-
 
|-
|  ga:customVarNameXX || DIMENSION || STRING || Custom Variables or Columns || PUBLIC || Custom Variable (Key 1) || The name for the requested custom variable.
+
Related Products || Related Product ID || ga:relatedProductId || DIMENSION || STRING || FALSE || || ID of the related product.
 
|-
 
|-
|  ga:metricXX || METRIC || INTEGER || Custom Variables or Columns || PUBLIC || Custom Metric Value || The name of the requested custom metric, where XX refers the number/index of the custom metric.
+
Related Products || Related Product Name || ga:relatedProductName || DIMENSION || STRING || FALSE ||  || Name of the related product.
 
|-
 
|-
|  ga:customVarValueXX || DIMENSION || STRING || Custom Variables or Columns || PUBLIC || Custom Variable (Value 01) || The value for the requested custom variable.
+
Related Products || Related Product Variation || ga:relatedProductVariation || DIMENSION || STRING || FALSE || || Variation of the related product.
 
|-
 
|-
|  ga:date || DIMENSION || STRING || Time || PUBLIC || Date || The date of the session formatted as YYYYMMDD.
+
Ecommerce || Shopping Stage || ga:shoppingStage || DIMENSION || STRING || TRUE || || Various stages of the shopping experience that users completed in a session, e.g., PRODUCT_VIEW, ADD_TO_CART, CHECKOUT, etc. (Enhanced Ecommerce).
 
|-
 
|-
ga:year || DIMENSION || STRING || Time || PUBLIC || Year || The year of the session. A four-digit year from 2005 to the current year.
+
Ecommerce || Buy-to-Detail Rate || ga:buyToDetailRate || METRIC || PERCENT || FALSE || || Unique purchases divided by views of product detail pages (Enhanced Ecommerce).
 
|-
 
|-
|  ga:month || DIMENSION || STRING || Time || PUBLIC || Month of the year || The month of the session. A two digit integer from 01 to 12.
+
Ecommerce || Cart-to-Detail Rate || ga:cartToDetailRate || METRIC || PERCENT || FALSE || || Product adds divided by views of product details (Enhanced Ecommerce).
 
|-
 
|-
ga:week || DIMENSION || STRING || Time || PUBLIC || Week of the Year || The week of the session. A two-digit number from 01 to 53. Each week starts on Sunday.
+
Related Products || Correlation Score || ga:correlationScore || METRIC || CURRENCY || FALSE || || Correlation Score for related products.
 
|-
 
|-
ga:day || DIMENSION || STRING || Time || PUBLIC || Day of the month || The day of the month. A two-digit number from 01 to 31.
+
DoubleClick Campaign Manager || DFA CPC || ga:dcmCPC || METRIC || CURRENCY || FALSE || || DCM Cost Per Click (premium only).
 
|-
 
|-
|  ga:hour || DIMENSION || STRING || Time || PUBLIC || Hour || A two-digit hour of the day ranging from 00-23 in the timezone configured for the account. This value is also corrected for daylight savings time, adhering to all local rules for daylight savings time. If your timezone follows daylight savings time, there will be an apparent bump in the number of sessions during the change-over hour (e.g. between 1:00 and 2:00) for the day per year when that hour repeats. A corresponding hour with zero sessions will occur at the opposite changeover. (Google Analytics does not track user time more precisely than hours.)
+
DoubleClick Campaign Manager || DFA CTR || ga:dcmCTR || METRIC || PERCENT || FALSE || || DCM Click Through Rate (premium only).
 
|-
 
|-
ga:minute || DIMENSION || STRING || Time || PUBLIC || Minute || Returns the minute in the hour. The possible values are between 00 and 59.
+
DoubleClick Campaign Manager || DFA Clicks || ga:dcmClicks || METRIC || INTEGER || FALSE || || DCM Total Clicks (premium only).
 
|-
 
|-
ga:nthMonth || DIMENSION || STRING || Time || PUBLIC || Month Index || Index for each month in the specified date range. Index for the first month in the date range is 0, 1 for the second month, and so on. The index corresponds to month entries.
+
DoubleClick Campaign Manager || DFA Cost || ga:dcmCost || METRIC || CURRENCY || FALSE || || DCM Total Cost (premium only).
 
|-
 
|-
ga:nthWeek || DIMENSION || STRING || Time || PUBLIC || Week Index || Index for each week in the specified date range. Index for the first week in the date range is 0, 1 for the second week, and so on. The index corresponds to week entries.
+
DoubleClick Campaign Manager || DFA Impressions || ga:dcmImpressions || METRIC || INTEGER || FALSE || || DCM Total Impressions (premium only).
 
|-
 
|-
ga:nthDay || DIMENSION || STRING || Time || PUBLIC || Day Index || Index for each day in the specified date range. Index for the first day (i.e., start-date) in the date range is 0, 1 for the second day, and so on.
+
DoubleClick Campaign Manager || DFA Margin || ga:dcmMargin || METRIC || PERCENT || FALSE || || DCM Margin (premium only).
 
|-
 
|-
ga:nthMinute || DIMENSION || STRING || Time || PUBLIC || Minute Index || Index for each minute in the specified date range. Index for the first minute of first day (i.e., start-date) in the date range is 0, 1 for the next minute, and so on.
+
DoubleClick Campaign Manager || DFA ROI || ga:dcmROI || METRIC || PERCENT || FALSE || || DCM Return On Investment (premium only).
 
|-
 
|-
ga:dayOfWeek || DIMENSION || STRING || Time || PUBLIC || Day of Week || The day of the week. A one-digit number from 0 (Sunday) to 6 (Saturday).
+
DoubleClick Campaign Manager || DFA RPC || ga:dcmRPC || METRIC || CURRENCY || FALSE || || DCM Revenue Per Click (premium only).
 
|-
 
|-
ga:dayOfWeekName || DIMENSION || STRING || Time || PUBLIC || Day of Week Name || The name of the day of the week (in English).
+
Session || Hits || ga:hits || METRIC || INTEGER || TRUE || || Total number of hits sent to Google Analytics. This metric sums all hit types (e.g. pageview, event, timing, etc.).
 
|-
 
|-
ga:dateHour || DIMENSION || STRING || Time || PUBLIC || Hour of Day || Combined values of ga:date and ga:hour.
+
Ecommerce || Internal Promotion CTR || ga:internalPromotionCTR || METRIC || PERCENT || FALSE || ga:internalPromotionClicks / ga:internalPromotionViews || The rate at which users clicked through to view the internal promotion (ga:internalPromotionClicks / ga:internalPromotionViews) - (Enhanced Ecommerce).
 
|-
 
|-
|  ga:yearMonth || DIMENSION || STRING || Time || PUBLIC || Month of Year || Combined values of ga:year and ga:month.
+
Ecommerce || Internal Promotion Clicks || ga:internalPromotionClicks || METRIC || INTEGER || TRUE || || The number of clicks on an internal promotion (Enhanced Ecommerce).
 
|-
 
|-
|  ga:yearWeek || DIMENSION || STRING || Time || PUBLIC || Week of Year || Combined values of ga:year and ga:week.
+
Ecommerce || Internal Promotion Views || ga:internalPromotionViews || METRIC || INTEGER || TRUE || || The number of views of an internal promotion (Enhanced Ecommerce).
 
|-
 
|-
|  ga:isoWeek || DIMENSION || STRING || Time || PUBLIC || ISO Week of the Year || The ISO week number, where each week starts with a Monday. Details: http://en.wikipedia.org/wiki/ISO_week_date. ga:isoWeek should only be used with ga:isoYear since ga:year represents gregorian calendar.
+
Ecommerce || Local Product Refund Amount || ga:localProductRefundAmount || METRIC || CURRENCY || TRUE || || Refund amount for a given product in the local currency (Enhanced Ecommerce).
 
|-
 
|-
|  ga:isoYear || DIMENSION || STRING || Time || PUBLIC || ISO Year || The ISO year of the session. Details: http://en.wikipedia.org/wiki/ISO_week_date. ga:isoYear should only be used with ga:isoWeek since ga:week represents gregorian calendar.
+
Ecommerce || Local Refund Amount || ga:localRefundAmount || METRIC || CURRENCY || TRUE || || Total refund amount for the transaction in the local currency (Enhanced Ecommerce).
 
|-
 
|-
|  ga:isoYearIsoWeek || DIMENSION || STRING || Time || PUBLIC || ISO Week of ISO Year || Combined values of ga:isoYear and ga:isoWeek.
+
Ecommerce || Product Adds To Cart || ga:productAddsToCart || METRIC || INTEGER || TRUE || || Number of times the product was added to the shopping cart (Enhanced Ecommerce).
 
|-
 
|-
ga:userAgeBracket || DIMENSION || STRING || Audience || PUBLIC || Age || Age bracket of user.
+
Ecommerce || Product Checkouts || ga:productCheckouts || METRIC || INTEGER || TRUE || || Number of times the product was included in the check-out process (Enhanced Ecommerce).
 
|-
 
|-
ga:visitorAgeBracket || DIMENSION || STRING || Audience || DEPRECATED || Age || Age bracket of user.
+
Ecommerce || Product Detail Views || ga:productDetailViews || METRIC || INTEGER || TRUE || || Number of times users viewed the product-detail page (Enhanced Ecommerce).
 
|-
 
|-
ga:userGender || DIMENSION || STRING || Audience || PUBLIC || Gender || Gender of user.
+
Ecommerce || Product List CTR || ga:productListCTR || METRIC || PERCENT || FALSE || ga:productListClicks / ga:productListViews || The rate at which users clicked through on the product in a product list (ga:productListClicks / ga:productListViews) - (Enhanced Ecommerce).
 
|-
 
|-
ga:visitorGender || DIMENSION || STRING || Audience || DEPRECATED || Gender || Gender of user.
+
Ecommerce || Product List Clicks || ga:productListClicks || METRIC || INTEGER || TRUE || || Number of times users clicked the product when it appeared in the product list (Enhanced Ecommerce).
 
|-
 
|-
ga:interestOtherCategory || DIMENSION || STRING || Audience || PUBLIC || Other Category || Indicates that users are more likely to be interested in learning about the specified category, and more likely to be ready to purchase.
+
Ecommerce || Product List Views || ga:productListViews || METRIC || INTEGER || TRUE || || Number of times the product appeared in a product list (Enhanced Ecommerce).
 
|-
 
|-
|  ga:interestAffinityCategory || DIMENSION || STRING || Audience || PUBLIC || Affinity Category (reach) || Indicates that users are more likely to be interested in learning about the specified category.
+
Ecommerce || Product Refund Amount || ga:productRefundAmount || METRIC || CURRENCY || TRUE || || Total refund amount associated with the product (Enhanced Ecommerce).
 
|-
 
|-
ga:interestInMarketCategory || DIMENSION || STRING || Audience || PUBLIC || In-market Segment || Indicates that users are more likely to be ready to purchase products or services in the specified category.
+
Ecommerce || Product Refunds || ga:productRefunds || METRIC || INTEGER || TRUE || || Number of times a refund was issued for the product (Enhanced Ecommerce).
 
|-
 
|-
|  ga:adsenseRevenue || METRIC || CURRENCY || Adsense || PUBLIC || AdSense Revenue || The total revenue from AdSense ads.
+
Ecommerce || Product Removes From Cart || ga:productRemovesFromCart || METRIC || INTEGER || TRUE || || Number of times the product was removed from shopping cart (Enhanced Ecommerce).
 
|-
 
|-
ga:adsenseAdUnitsViewed || METRIC || INTEGER || Adsense || PUBLIC || AdSense Ad Units Viewed || The number of AdSense ad units viewed. An Ad unit is a set of ads displayed as a result of one piece of the AdSense ad code. Details: https://support.google.com/adsense/answer/32715?hl=en
+
Ecommerce || Product Revenue per Purchase || ga:productRevenuePerPurchase || METRIC || CURRENCY || FALSE || ga:itemRevenue / ga:uniquePurchases || Average product revenue per purchase (commonly used with Product Coupon Code) (ga:itemRevenue / ga:uniquePurchases) - (Enhanced Ecommerce).
 
|-
 
|-
|  ga:adsenseAdsViewed || METRIC || INTEGER || Adsense || PUBLIC || AdSense Ads Viewed || The number of AdSense ads viewed. Multiple ads can be displayed within an Ad Unit.
+
Ecommerce || Quantity Added To Cart || ga:quantityAddedToCart || METRIC || INTEGER || TRUE || || Number of product units added to the shopping cart (Enhanced Ecommerce).
 
|-
 
|-
|  ga:adsenseAdsClicks || METRIC || INTEGER || Adsense || PUBLIC || AdSense Ads Clicked || The number of times AdSense ads on your site were clicked.
+
Ecommerce || Quantity Checked Out || ga:quantityCheckedOut || METRIC || INTEGER || TRUE || || Number of product units included in check out (Enhanced Ecommerce).
 
|-
 
|-
|  ga:adsensePageImpressions || METRIC || INTEGER || Adsense || PUBLIC || AdSense Page Impressions || The number of pageviews during which an AdSense ad was displayed. A page impression can have multiple Ad Units.
+
Ecommerce || Quantity Refunded || ga:quantityRefunded || METRIC || INTEGER || TRUE || || Number of product units refunded (Enhanced Ecommerce).
 
|-
 
|-
|  ga:adsenseCTR || METRIC || PERCENT || Adsense || PUBLIC || AdSense CTR || The percentage of page impressions that resulted in a click on an AdSense ad.
+
Ecommerce || Quantity Removed From Cart || ga:quantityRemovedFromCart || METRIC || INTEGER || TRUE || || Number of product units removed from cart (Enhanced Ecommerce).
 
|-
 
|-
|  ga:adsenseECPM || METRIC || CURRENCY || Adsense || PUBLIC || AdSense eCPM || The estimated cost per thousand page impressions. It is your AdSense Revenue per 1000 page impressions.
+
Related Products || Queried Product Quantity || ga:queryProductQuantity || METRIC || INTEGER || FALSE || || Quantity of the product being queried.
 
|-
 
|-
|  ga:adsenseExits || METRIC || INTEGER || Adsense || PUBLIC || AdSense Exits || The number of sessions that ended due to a user clicking on an AdSense ad.
+
Ecommerce || Refund Amount || ga:refundAmount || METRIC || CURRENCY || TRUE || || Currency amount refunded for a transaction (Enhanced Ecommerce).
 
|-
 
|-
ga:isTrueViewVideoAd || DIMENSION || STRING || Adwords || PUBLIC || TrueView Video Ad || 'Yes' or 'No' - Indicates whether the ad is an AdWords TrueView video ad.
+
Related Products || Related Product Quantity || ga:relatedProductQuantity || METRIC || INTEGER || FALSE || || Quantity of the related product.
 
|-
 
|-
ga:nthHour || DIMENSION || STRING || Time || PUBLIC || Hour Index || Index for each hour in the specified date range. Index for the first hour of first day (i.e., start-date) in the date range is 0, 1 for the next hour, and so on.
+
Ecommerce || Refunds || ga:totalRefunds || METRIC || INTEGER || TRUE || || Number of refunds that have been issued (Enhanced Ecommerce).
 
|}
 
|}

Текущая версия на 05:32, 17 декабря 2014

Ниже приведена таблица со всеми показателями и измерениями в Google Analytics. За основу таблицы взяты данные из официального руководства по API Google Analytics. Данная таблица была получена с помощью следующего R-кода:

КодR

<syntaxhighlight lang="r"># Request URL url <- "https://www.googleapis.com/analytics/v3/metadata/ga/columns" # Get JSON data data_json <- jsonlite::fromJSON(url) # Subsettings data_r <- .subset2(data_json, "items") id <- .subset2(data_r, "id") attributes <- .subset2(data_r, "attributes") # Convert column types attributes <- transform(attributes, allowedInSegments = as.logical(match(allowedInSegments, table = c(NA, "true")) - 1), minTemplateIndex = as.numeric(minTemplateIndex), maxTemplateIndex = as.numeric(maxTemplateIndex), premiumMinTemplateIndex = as.numeric(premiumMinTemplateIndex), premiumMaxTemplateIndex = as.numeric(premiumMaxTemplateIndex) ) # Create data.frame ga.metadata <- cbind(id, attributes, stringsAsFactors = FALSE)</syntaxhighlight>

Переменная ga.metadata содержит следующую информацию:

  • id - название переменной, которая используется для запросов к API;
  • type - тип переменной: параметр (METRIC) или измерение (DIMENSION);
  • dataType - тип возвращаемого значения: STRING, INTEGER, PERCENT, TIME, CURRENCY, FLOAT;
  • group - группа параметров: User, Session, Traffic Sources, Adwords, Goal Conversions, Platform or Device, Geo Network, System, Social Activities, Page Tracking, Internal Search, Site Speed, App Tracking, Event Tracking, Ecommerce, Social Interactions, User Timings, Exceptions, Content Experiments, Custom Variables or Columns, Time, Audience, Adsense;
  • status - статус переменной: используемый (PUBLIC) или устаревший (DEPRECATED);
  • uiName - название переменной используемое для пользовательских интерфейсов (UI);
  • description - описание переменной.

В качестве примера использования таблицы приведём вывод всех ID параметров (метрик), имеющих актуальный статус (не устаревшие) и относящиеся к группе "User":

КодR

<syntaxhighlight lang="r">> subset(ga.metadata, status != "DEPRECATED" & type == "METRIC" & group == "User", id) id 8 ga:users 10 ga:newUsers 12 ga:percentNewSessions</syntaxhighlight>

Подробнее о синтаксисе при работе объектами класса data.table смотрите соответствующую документацию к пакету data.table.

Таблица данных

Нижеприведённая таблица была сгенерирована с помощью следующего кода:

КодR

<syntaxhighlight lang="r">wiki.table <- subset(ga.metadata, status == "PUBLIC", c(group, uiName, id, type, dataType, allowedInSegments, calculation, description)) wiki.table <- c("{| class=\"wide wikitable sortable\"", "\n", "! ", paste(names(wiki.table), collapse = " !! "), paste("\n|-\n| ", apply(wiki.table, 1, paste, collapse = " || ")), "\n|}") wiki.table <- gsub("NA", "", wiki.table) cat(wiki.table, sep = "")</syntaxhighlight>

group uiName id type dataType allowedInSegments calculation description
User User Type ga:userType DIMENSION STRING TRUE A boolean indicating if a user is new or returning. Possible values: New Visitor, Returning Visitor.
User Count of Sessions ga:sessionCount DIMENSION STRING TRUE The session index for a user to your property. Each session from a unique user will get its own incremental index starting from 1 for the first session. Subsequent sessions do not change previous session indicies. For example, if a certain user has 4 sessions to your website, sessionCount for that user will have 4 distinct values of '1' through '4'.
User Days Since Last Session ga:daysSinceLastSession DIMENSION STRING TRUE The number of days elapsed since users last visited your property. Used to calculate user loyalty.
User User Defined Value ga:userDefinedValue DIMENSION STRING TRUE The value provided when you define custom user segments for your property.
User Users ga:users METRIC INTEGER FALSE Total number of users to your property for the requested time period.
User New Users ga:newUsers METRIC INTEGER TRUE The number of users whose session on your property was marked as a first-time session.
User  % New Sessions ga:percentNewSessions METRIC PERCENT FALSE ga:newUsers / ga:sessions The percentage of sessions by people who had never visited your property before.
Session Session Duration ga:sessionDurationBucket DIMENSION STRING TRUE The length of a session on your property measured in seconds and reported in second increments. The value returned is a string.
Session Sessions ga:sessions METRIC INTEGER TRUE Counts the total number of sessions.
Session Bounces ga:bounces METRIC INTEGER TRUE The total number of single page (or single engagement hit) sessions for your property.
Session Bounce Rate ga:bounceRate METRIC PERCENT FALSE ga:bounces / ga:sessions The percentage of single-page session (i.e., session in which the person left your property from the first page).
Session Session Duration ga:sessionDuration METRIC TIME TRUE The total duration of user sessions represented in total seconds.
Session Avg. Session Duration ga:avgSessionDuration METRIC TIME FALSE ga:sessionDuration / ga:sessions The average duration of user sessions represented in total seconds.
Traffic Sources Referral Path ga:referralPath DIMENSION STRING TRUE The path of the referring URL (e.g. document.referrer). If someone places a link to your property on their website, this element contains the path of the page that contains the referring link.
Traffic Sources Full Referrer ga:fullReferrer DIMENSION STRING FALSE The full referring URL including the hostname and path.
Traffic Sources Campaign ga:campaign DIMENSION STRING TRUE When using manual campaign tracking, the value of the utm_campaign campaign tracking parameter. When using AdWords autotagging, the name(s) of the online ad campaign that you use for your property. Otherwise the value (not set) is used.
Traffic Sources Source ga:source DIMENSION STRING TRUE The source of referrals to your property. When using manual campaign tracking, the value of the utm_source campaign tracking parameter. When using AdWords autotagging, the value is google. Otherwise the domain of the source referring the user to your property (e.g. document.referrer). The value may also contain a port address. If the user arrived without a referrer, the value is (direct)
Traffic Sources Medium ga:medium DIMENSION STRING TRUE The type of referrals to your property. When using manual campaign tracking, the value of the utm_medium campaign tracking parameter. When using AdWords autotagging, the value is ppc. If the user comes from a search engine detected by Google Analytics, the value is organic. If the referrer is not a search engine, the value is referral. If the users came directly to the property, and document.referrer is empty, the value is (none).
Traffic Sources Source / Medium ga:sourceMedium DIMENSION STRING TRUE Combined values of ga:source and ga:medium.
Traffic Sources Keyword ga:keyword DIMENSION STRING TRUE When using manual campaign tracking, the value of the utm_term campaign tracking parameter. When using AdWords autotagging or if a user used organic search to reach your property, the keywords used by users to reach your property. Otherwise the value is (not set).
Traffic Sources Ad Content ga:adContent DIMENSION STRING TRUE When using manual campaign tracking, the value of the utm_content campaign tracking parameter. When using AdWords autotagging, the first line of the text for your online Ad campaign. If you are using mad libs for your AdWords content, this field displays the keywords you provided for the mad libs keyword match. Otherwise the value is (not set)
Traffic Sources Social Network ga:socialNetwork DIMENSION STRING FALSE Name of the social network. This can be related to the referring social network for traffic sources, or to the social network for social data hub activities. E.g. Google+, Blogger, etc.
Traffic Sources Social Source Referral ga:hasSocialSourceReferral DIMENSION STRING FALSE Indicates sessions that arrived to the property from a social source. The possible values are Yes or No where the first letter is capitalized.
Traffic Sources Organic Searches ga:organicSearches METRIC INTEGER FALSE The number of organic searches that happened within a session. This metric is search engine agnostic.
Adwords Ad Group ga:adGroup DIMENSION STRING TRUE The name of your AdWords ad group.
Adwords Ad Slot ga:adSlot DIMENSION STRING TRUE The location of the advertisement on the hosting page (Top, RHS, or not set).
Adwords Ad Slot Position ga:adSlotPosition DIMENSION STRING TRUE The ad slot positions in which your AdWords ads appeared (1-8).
Adwords Ad Distribution Network ga:adDistributionNetwork DIMENSION STRING FALSE The networks used to deliver your ads (Content, Search, Search partners, etc.).
Adwords Query Match Type ga:adMatchType DIMENSION STRING FALSE The match types applied for the search term the user had input(Phrase, Exact, Broad, etc.). Ads on the content network are identified as "Content network". Details: https://support.google.com/adwords/answer/2472708?hl=en
Adwords Keyword Match Type ga:adKeywordMatchType DIMENSION STRING FALSE The match types applied to your keywords (Phrase, Exact, Broad). Details: https://support.google.com/adwords/answer/2472708?hl=en
Adwords Matched Search Query ga:adMatchedQuery DIMENSION STRING FALSE The search queries that triggered impressions of your AdWords ads.
Adwords Placement Domain ga:adPlacementDomain DIMENSION STRING FALSE The domains where your ads on the content network were placed.
Adwords Placement URL ga:adPlacementUrl DIMENSION STRING FALSE The URLs where your ads on the content network were placed.
Adwords Ad Format ga:adFormat DIMENSION STRING FALSE Your AdWords ad formats (Text, Image, Flash, Video, etc.).
Adwords Targeting Type ga:adTargetingType DIMENSION STRING FALSE How your AdWords ads were targeted (keyword, placement, and vertical targeting, etc.).
Adwords Placement Type ga:adTargetingOption DIMENSION STRING FALSE How you manage your ads on the content network. Values are Automatic placements or Managed placements.
Adwords Display URL ga:adDisplayUrl DIMENSION STRING FALSE The URLs your AdWords ads displayed.
Adwords Destination URL ga:adDestinationUrl DIMENSION STRING FALSE The URLs to which your AdWords ads referred traffic.
Adwords AdWords Customer ID ga:adwordsCustomerID DIMENSION STRING FALSE A string. Corresponds to AdWords API AccountInfo.customerId.
Adwords AdWords Campaign ID ga:adwordsCampaignID DIMENSION STRING FALSE A string. Corresponds to AdWords API Campaign.id.
Adwords AdWords Ad Group ID ga:adwordsAdGroupID DIMENSION STRING FALSE A string. Corresponds to AdWords API AdGroup.id.
Adwords AdWords Creative ID ga:adwordsCreativeID DIMENSION STRING FALSE A string. Corresponds to AdWords API Ad.id.
Adwords AdWords Criteria ID ga:adwordsCriteriaID DIMENSION STRING FALSE A string. Corresponds to AdWords API Criterion.id.
Adwords Impressions ga:impressions METRIC INTEGER FALSE Total number of campaign impressions.
Adwords Clicks ga:adClicks METRIC INTEGER FALSE The total number of times users have clicked on an ad to reach your property.
Adwords Cost ga:adCost METRIC CURRENCY FALSE Derived cost for the advertising campaign. The currency for this value is based on the currency that you set in your AdWords account.
Adwords CPM ga:CPM METRIC CURRENCY FALSE ga:adCost / (ga:impressions / 1000) Cost per thousand impressions.
Adwords CPC ga:CPC METRIC CURRENCY FALSE ga:adCost / ga:adClicks Cost to advertiser per click.
Adwords CTR ga:CTR METRIC PERCENT FALSE ga:adClicks / ga:impressions Click-through-rate for your ad. This is equal to the number of clicks divided by the number of impressions for your ad (e.g. how many times users clicked on one of your ads where that ad appeared).
Adwords Cost per Transaction ga:costPerTransaction METRIC CURRENCY FALSE (ga:adCost) / (ga:transactions) The cost per transaction for your property.
Adwords Cost per Goal Conversion ga:costPerGoalConversion METRIC CURRENCY FALSE (ga:adCost) / (ga:goalCompletionsAll) The cost per goal conversion for your property.
Adwords Cost per Conversion ga:costPerConversion METRIC CURRENCY FALSE (ga:adCost) / (ga:transactions + ga:goalCompletionsAll) The cost per conversion (including ecommerce and goal conversions) for your property.
Adwords RPC ga:RPC METRIC CURRENCY FALSE (ga:transactionRevenue + ga:goalValueAll) / ga:adClicks RPC or revenue-per-click is the average revenue (from ecommerce sales and/or goal value) you received for each click on one of your search ads.
Adwords ROAS ga:ROAS METRIC PERCENT FALSE (ga:transactionRevenue + ga:goalValueAll) / ga:adCost Return On Ad Spend (ROAS) is the total transaction revenue and goal value divided by derived advertising cost.
Goal Conversions Goal Completion Location ga:goalCompletionLocation DIMENSION STRING FALSE The page path or screen name that matched any destination type goal completion.
Goal Conversions Goal Previous Step - 1 ga:goalPreviousStep1 DIMENSION STRING FALSE The page path or screen name that matched any destination type goal, one step prior to the goal completion location.
Goal Conversions Goal Previous Step - 2 ga:goalPreviousStep2 DIMENSION STRING FALSE The page path or screen name that matched any destination type goal, two steps prior to the goal completion location.
Goal Conversions Goal Previous Step - 3 ga:goalPreviousStep3 DIMENSION STRING FALSE The page path or screen name that matched any destination type goal, three steps prior to the goal completion location.
Goal Conversions Goal XX Starts ga:goalXXStarts METRIC INTEGER TRUE The total number of starts for the requested goal number.
Goal Conversions Goal Starts ga:goalStartsAll METRIC INTEGER TRUE The total number of starts for all goals defined for your profile.
Goal Conversions Goal XX Completions ga:goalXXCompletions METRIC INTEGER TRUE The total number of completions for the requested goal number.
Goal Conversions Goal Completions ga:goalCompletionsAll METRIC INTEGER TRUE The total number of completions for all goals defined for your profile.
Goal Conversions Goal XX Value ga:goalXXValue METRIC CURRENCY TRUE The total numeric value for the requested goal number.
Goal Conversions Goal Value ga:goalValueAll METRIC CURRENCY TRUE The total numeric value for all goals defined for your profile.
Goal Conversions Per Session Goal Value ga:goalValuePerSession METRIC CURRENCY FALSE ga:goalValueAll / ga:sessions The average goal value of a session on your property.
Goal Conversions Goal XX Conversion Rate ga:goalXXConversionRate METRIC PERCENT FALSE ga:goalXXCompletions / ga:sessions The percentage of sessions which resulted in a conversion to the requested goal number.
Goal Conversions Goal Conversion Rate ga:goalConversionRateAll METRIC PERCENT FALSE ga:goalCompletionsAll / ga:sessions The percentage of sessions which resulted in a conversion to at least one of your goals.
Goal Conversions Goal XX Abandoned Funnels ga:goalXXAbandons METRIC INTEGER FALSE (ga:goalXXStarts - ga:goalXXCompletions) The number of times users started conversion activity on the requested goal number without actually completing it.
Goal Conversions Abandoned Funnels ga:goalAbandonsAll METRIC INTEGER FALSE (ga:goalStartsAll - ga:goalCompletionsAll) The overall number of times users started goals without actually completing them.
Goal Conversions Goal XX Abandonment Rate ga:goalXXAbandonRate METRIC PERCENT FALSE ((ga:goalXXStarts - ga:goalXXCompletions)) / (ga:goalXXStarts) The rate at which the requested goal number was abandoned.
Goal Conversions Total Abandonment Rate ga:goalAbandonRateAll METRIC PERCENT FALSE ((ga:goalStartsAll - ga:goalCompletionsAll)) / (ga:goalStartsAll) The rate at which goals were abandoned.
Platform or Device Browser ga:browser DIMENSION STRING TRUE The names of browsers used by users to your website. For example, Internet Explorer or Firefox.
Platform or Device Browser Version ga:browserVersion DIMENSION STRING TRUE The browser versions used by users to your website. For example, 2.0.0.14
Platform or Device Operating System ga:operatingSystem DIMENSION STRING TRUE The operating system used by your users. For example, Windows, Linux , Macintosh, iPhone, iPod.
Platform or Device Operating System Version ga:operatingSystemVersion DIMENSION STRING TRUE The version of the operating system used by your users, such as XP for Windows or PPC for Macintosh.
Platform or Device Mobile Device Branding ga:mobileDeviceBranding DIMENSION STRING TRUE Mobile manufacturer or branded name.
Platform or Device Mobile Device Model ga:mobileDeviceModel DIMENSION STRING TRUE Mobile device model
Platform or Device Mobile Input Selector ga:mobileInputSelector DIMENSION STRING TRUE Selector used on the mobile device (e.g.: touchscreen, joystick, clickwheel, stylus).
Platform or Device Mobile Device Info ga:mobileDeviceInfo DIMENSION STRING TRUE The branding, model, and marketing name used to identify the mobile device.
Platform or Device Mobile Device Marketing Name ga:mobileDeviceMarketingName DIMENSION STRING TRUE The marketing name used for the mobile device.
Platform or Device Device Category ga:deviceCategory DIMENSION STRING TRUE The type of device: desktop, tablet, or mobile.
Geo Network Continent ga:continent DIMENSION STRING TRUE The continents of property users, derived from IP addresses.
Geo Network Sub Continent ga:subContinent DIMENSION STRING TRUE The sub-continent of users, derived from IP addresses. For example, Polynesia or Northern Europe.
Geo Network Country ga:country DIMENSION STRING TRUE The country of users, derived from IP addresses.
Geo Network Region ga:region DIMENSION STRING TRUE The region of users to your property, derived from IP addresses. In the U.S., a region is a state, such as New York.
Geo Network Metro ga:metro DIMENSION STRING TRUE The Designated Market Area (DMA) from where traffic arrived on your property.
Geo Network City ga:city DIMENSION STRING TRUE The cities of property users, derived from IP addresses.
Geo Network Latitude ga:latitude DIMENSION STRING FALSE The approximate latitude of the user's city. Derived from IP address. Locations north of the equator are represented by positive values and locations south of the equator by negative values.
Geo Network Longitude ga:longitude DIMENSION STRING FALSE The approximate longitude of the user's city. Derived from IP address. Locations east of the meridian are represented by positive values and locations west of the meridian by negative values.
Geo Network Network Domain ga:networkDomain DIMENSION STRING TRUE The domain name of the ISPs used by users to your property. This is derived from the domain name registered to the IP address.
Geo Network Service Provider ga:networkLocation DIMENSION STRING TRUE The name of service providers used to reach your property. For example, if most users to your website come via the major service providers for cable internet, you will see the names of those cable service providers in this element.
System Flash Version ga:flashVersion DIMENSION STRING TRUE The versions of Flash supported by users' browsers, including minor versions.
System Java Support ga:javaEnabled DIMENSION STRING TRUE Indicates Java support for users' browsers. The possible values are Yes or No where the first letter must be capitalized.
System Language ga:language DIMENSION STRING TRUE The language provided by the HTTP Request for the browser. Values are given as an ISO-639 code (e.g. en-gb for British English).
System Screen Colors ga:screenColors DIMENSION STRING TRUE The color depth of users' monitors, as retrieved from the DOM of the user's browser. For example 4-bit, 8-bit, 24-bit, or undefined-bit.
System Source Property Display Name ga:sourcePropertyDisplayName DIMENSION STRING TRUE Source property display name of roll-up properties. This is valid only for roll-up properties.
System Source Property Tracking ID ga:sourcePropertyTrackingId DIMENSION STRING TRUE Source property tracking ID of roll-up properties. This is valid only for roll-up properties.
System Screen Resolution ga:screenResolution DIMENSION STRING TRUE The screen resolution of users' screens. For example: 1024x738.
Social Activities Endorsing URL ga:socialActivityEndorsingUrl DIMENSION STRING FALSE For a social data hub activity, this value represents the URL of the social activity (e.g. the Google+ post URL, the blog comment URL, etc.)
Social Activities Display Name ga:socialActivityDisplayName DIMENSION STRING FALSE For a social data hub activity, this value represents the title of the social activity posted by the social network user.
Social Activities Social Activity Post ga:socialActivityPost DIMENSION STRING FALSE For a social data hub activity, this value represents the content of the social activity posted by the social network user (e.g. The message content of a Google+ post)
Social Activities Social Activity Timestamp ga:socialActivityTimestamp DIMENSION STRING FALSE For a social data hub activity, this value represents when the social activity occurred on the social network.
Social Activities Social User Handle ga:socialActivityUserHandle DIMENSION STRING FALSE For a social data hub activity, this value represents the social network handle (e.g. name or ID) of the user who initiated the social activity.
Social Activities User Photo URL ga:socialActivityUserPhotoUrl DIMENSION STRING FALSE For a social data hub activity, this value represents the URL of the photo associated with the user's social network profile.
Social Activities User Profile URL ga:socialActivityUserProfileUrl DIMENSION STRING FALSE For a social data hub activity, this value represents the URL of the associated user's social network profile.
Social Activities Shared URL ga:socialActivityContentUrl DIMENSION STRING FALSE For a social data hub activity, this value represents the URL shared by the associated social network user.
Social Activities Social Tags Summary ga:socialActivityTagsSummary DIMENSION STRING FALSE For a social data hub activity, this is a comma-separated set of tags associated with the social activity.
Social Activities Originating Social Action ga:socialActivityAction DIMENSION STRING FALSE For a social data hub activity, this value represents the type of social action associated with the activity (e.g. vote, comment, +1, etc.).
Social Activities Social Network and Action ga:socialActivityNetworkAction DIMENSION STRING FALSE For a social data hub activity, this value represents the type of social action and the social network where the activity originated.
Social Activities Data Hub Activities ga:socialActivities METRIC INTEGER FALSE The count of activities where a content URL was shared / mentioned on a social data hub partner network.
Page Tracking Hostname ga:hostname DIMENSION STRING TRUE The hostname from which the tracking request was made.
Page Tracking Page ga:pagePath DIMENSION STRING TRUE A page on your website specified by path and/or query parameters. Use in conjunction with hostname to get the full URL of the page.
Page Tracking Page path level 1 ga:pagePathLevel1 DIMENSION STRING FALSE This dimension rolls up all the page paths in the first hierarchical level in pagePath.
Page Tracking Page path level 2 ga:pagePathLevel2 DIMENSION STRING FALSE This dimension rolls up all the page paths in the second hierarchical level in pagePath.
Page Tracking Page path level 3 ga:pagePathLevel3 DIMENSION STRING FALSE This dimension rolls up all the page paths in the third hierarchical level in pagePath.
Page Tracking Page path level 4 ga:pagePathLevel4 DIMENSION STRING FALSE This dimension rolls up all the page paths into hierarchical levels. Up to 4 pagePath levels maybe specified. All additional levels in the pagePath hierarchy are also rolled up in this dimension.
Page Tracking Page Title ga:pageTitle DIMENSION STRING TRUE The title of a page. Keep in mind that multiple pages might have the same page title.
Page Tracking Landing Page ga:landingPagePath DIMENSION STRING TRUE The first page in a user's session, or landing page.
Page Tracking Second Page ga:secondPagePath DIMENSION STRING FALSE The second page in a user's session.
Page Tracking Exit Page ga:exitPagePath DIMENSION STRING TRUE The last page in a user's session, or exit page.
Page Tracking Previous Page Path ga:previousPagePath DIMENSION STRING FALSE A page on your property that was visited before another page on the same property. Typically used with the pagePath dimension.
Page Tracking Next Page Path ga:nextPagePath DIMENSION STRING FALSE A page on your website that was visited after another page on your website. Typically used with the previousPagePath dimension.
Page Tracking Page Depth ga:pageDepth DIMENSION STRING TRUE The number of pages visited by users during a session. The value is a histogram that counts pageviews across a range of possible values. In this calculation, all sessions will have at least one pageview, and some percentage of sessions will have more.
Page Tracking Page Value ga:pageValue METRIC CURRENCY FALSE The average value of this page or set of pages. Page Value is (ga:transactionRevenue + ga:goalValueAll) / ga:uniquePageviews (for the page or set of pages).
Page Tracking Entrances ga:entrances METRIC INTEGER TRUE The number of entrances to your property measured as the first pageview in a session. Typically used with landingPagePath
Page Tracking Entrances / Pageviews ga:entranceRate METRIC PERCENT FALSE ga:entrances / ga:pageviews The percentage of pageviews in which this page was the entrance.
Page Tracking Pageviews ga:pageviews METRIC INTEGER TRUE The total number of pageviews for your property.
Page Tracking Pages / Session ga:pageviewsPerSession METRIC FLOAT FALSE ga:pageviews / ga:sessions The average number of pages viewed during a session on your property. Repeated views of a single page are counted.
Content Grouping Unique Views ga:contentGroupUniqueViewsXX METRIC INTEGER FALSE The number of different (unique) pages within a session for the specified content group. This takes into account both the pagePath and pageTitle to determine uniqueness.
Page Tracking Unique Pageviews ga:uniquePageviews METRIC INTEGER TRUE The number of different (unique) pages within a session. This takes into account both the pagePath and pageTitle to determine uniqueness.
Page Tracking Time on Page ga:timeOnPage METRIC TIME TRUE How long a user spent on a particular page in seconds. Calculated by subtracting the initial view time for a particular page from the initial view time for a subsequent page. Thus, this metric does not apply to exit pages for your property.
Page Tracking Avg. Time on Page ga:avgTimeOnPage METRIC TIME FALSE ga:timeOnPage / (ga:pageviews - ga:exits) The average amount of time users spent viewing this page or a set of pages.
Page Tracking Exits ga:exits METRIC INTEGER TRUE The number of exits from your property.
Page Tracking  % Exit ga:exitRate METRIC PERCENT FALSE ga:exits / (ga:pageviews + ga:screenviews) The percentage of exits from your property that occurred out of the total page views.
Internal Search Site Search Status ga:searchUsed DIMENSION STRING TRUE A boolean to distinguish whether internal search was used in a session. Values are Visits With Site Search and Visits Without Site Search.
Internal Search Search Term ga:searchKeyword DIMENSION STRING TRUE Search terms used by users within your property.
Internal Search Refined Keyword ga:searchKeywordRefinement DIMENSION STRING TRUE Subsequent keyword search terms or strings entered by users after a given initial string search.
Internal Search Site Search Category ga:searchCategory DIMENSION STRING TRUE The categories used for the internal search if you have this enabled for your profile. For example, you might have product categories such as electronics, furniture, or clothing.
Internal Search Start Page ga:searchStartPage DIMENSION STRING FALSE A page where the user initiated an internal search on your property.
Internal Search Destination Page ga:searchDestinationPage DIMENSION STRING FALSE The page the user immediately visited after performing an internal search on your site. (Usually the search results page).
Internal Search Results Pageviews ga:searchResultViews METRIC INTEGER FALSE The number of times a search result page was viewed after performing a search.
Internal Search Total Unique Searches ga:searchUniques METRIC INTEGER TRUE The total number of unique keywords from internal searches within a session. For example if "shoes" was searched for 3 times in a session, it will be only counted once.
Internal Search Results Pageviews / Search ga:avgSearchResultViews METRIC FLOAT FALSE ga:searchResultViews / ga:searchUniques The average number of times people viewed a search results page after performing a search.
Internal Search Sessions with Search ga:searchSessions METRIC INTEGER TRUE The total number of sessions that included an internal search
Internal Search  % Sessions with Search ga:percentSessionsWithSearch METRIC PERCENT FALSE ga:searchSessions / ga:sessions The percentage of sessions with search.
Internal Search Search Depth ga:searchDepth METRIC INTEGER TRUE The average number of subsequent page views made on your property after a use of your internal search feature.
Internal Search Average Search Depth ga:avgSearchDepth METRIC FLOAT FALSE ga:searchDepth / ga:searchUniques The average number of pages people viewed after performing a search on your property.
Internal Search Search Refinements ga:searchRefinements METRIC INTEGER TRUE The total number of times a refinement (transition) occurs between internal search keywords within a session. For example if the sequence of keywords is: "shoes", "shoes", "pants", "pants", this metric will be one because the transition between "shoes" and "pants" is different.
Internal Search  % Search Refinements ga:percentSearchRefinements METRIC PERCENT FALSE ga:searchRefinements / ga:searchResultViews The percentage of number of times a refinement (i.e., transition) occurs between internal search keywords within a session.
Internal Search Time after Search ga:searchDuration METRIC TIME TRUE The session duration on your property where a use of your internal search feature occurred.
Internal Search Time after Search ga:avgSearchDuration METRIC TIME FALSE ga:searchDuration / ga:searchUniques The average amount of time people spent on your property after searching.
Internal Search Search Exits ga:searchExits METRIC INTEGER TRUE The number of exits on your site that occurred following a search result from your internal search feature.
Internal Search  % Search Exits ga:searchExitRate METRIC PERCENT FALSE ga:searchExits / ga:searchUniques The percentage of searches that resulted in an immediate exit from your property.
Internal Search Site Search Goal XX Conversion Rate ga:searchGoalXXConversionRate METRIC PERCENT FALSE ga:goalXXCompletions / ga:searchUniques The percentage of search sessions (i.e., sessions that included at least one search) which resulted in a conversion to the requested goal number.
Internal Search Site Search Goal Conversion Rate ga:searchGoalConversionRateAll METRIC PERCENT FALSE ga:goalCompletionsAll / ga:searchUniques The percentage of search sessions (i.e., sessions that included at least one search) which resulted in a conversion to at least one of your goals.
Internal Search Per Search Goal Value ga:goalValueAllPerSearch METRIC CURRENCY FALSE ga:goalValueAll / ga:searchUniques The average goal value of a search on your property.
Site Speed Page Load Time (ms) ga:pageLoadTime METRIC INTEGER FALSE Total Page Load Time is the amount of time (in milliseconds) it takes for pages from the sample set to load, from initiation of the pageview (e.g. click on a page link) to load completion in the browser.
Site Speed Page Load Sample ga:pageLoadSample METRIC INTEGER FALSE The sample set (or count) of pageviews used to calculate the average page load time.
Site Speed Avg. Page Load Time (sec) ga:avgPageLoadTime METRIC FLOAT FALSE (ga:pageLoadTime / ga:pageLoadSample / 1000) The average amount of time (in seconds) it takes for pages from the sample set to load, from initiation of the pageview (e.g. click on a page link) to load completion in the browser.
Site Speed Domain Lookup Time (ms) ga:domainLookupTime METRIC INTEGER FALSE The total amount of time (in milliseconds) spent in DNS lookup for this page among all samples.
Site Speed Avg. Domain Lookup Time (sec) ga:avgDomainLookupTime METRIC FLOAT FALSE (ga:domainLookupTime / ga:speedMetricsSample / 1000) The average amount of time (in seconds) spent in DNS lookup for this page.
Site Speed Page Download Time (ms) ga:pageDownloadTime METRIC INTEGER FALSE The total amount of time (in milliseconds) to download this page among all samples.
Site Speed Avg. Page Download Time (sec) ga:avgPageDownloadTime METRIC FLOAT FALSE (ga:pageDownloadTime / ga:speedMetricsSample / 1000) The average amount of time (in seconds) to download this page.
Site Speed Redirection Time (ms) ga:redirectionTime METRIC INTEGER FALSE The total amount of time (in milliseconds) spent in redirects before fetching this page among all samples. If there are no redirects, the value for this metric is expected to be 0.
Site Speed Avg. Redirection Time (sec) ga:avgRedirectionTime METRIC FLOAT FALSE (ga:redirectionTime / ga:speedMetricsSample / 1000) The average amount of time (in seconds) spent in redirects before fetching this page. If there are no redirects, the value for this metric is expected to be 0.
Site Speed Server Connection Time (ms) ga:serverConnectionTime METRIC INTEGER FALSE The total amount of time (in milliseconds) spent in establishing TCP connection for this page among all samples.
Site Speed Avg. Server Connection Time (sec) ga:avgServerConnectionTime METRIC FLOAT FALSE (ga:serverConnectionTime / ga:speedMetricsSample / 1000) The average amount of time (in seconds) spent in establishing TCP connection for this page.
Site Speed Server Response Time (ms) ga:serverResponseTime METRIC INTEGER FALSE The total amount of time (in milliseconds) your server takes to respond to a user request among all samples, including the network time from user's location to your server.
Site Speed Avg. Server Response Time (sec) ga:avgServerResponseTime METRIC FLOAT FALSE (ga:serverResponseTime / ga:speedMetricsSample / 1000) The average amount of time (in seconds) your server takes to respond to a user request, including the network time from user's location to your server.
Site Speed Speed Metrics Sample ga:speedMetricsSample METRIC INTEGER FALSE The sample set (or count) of pageviews used to calculate the averages for site speed metrics. This metric is used in all site speed average calculations including avgDomainLookupTime, avgPageDownloadTime, avgRedirectionTime, avgServerConnectionTime, and avgServerResponseTime.
Site Speed Document Interactive Time (ms) ga:domInteractiveTime METRIC INTEGER FALSE The time the browser takes (in milliseconds) to parse the document (DOMInteractive), including the network time from the user's location to your server. At this time, the user can interact with the Document Object Model even though it is not fully loaded.
Site Speed Avg. Document Interactive Time (sec) ga:avgDomInteractiveTime METRIC FLOAT FALSE (ga:domInteractiveTime / ga:domLatencyMetricsSample / 1000) The average time (in seconds) it takes the browser to parse the document and execute deferred and parser-inserted scripts including the network time from the user's location to your server.
Site Speed Document Content Loaded Time (ms) ga:domContentLoadedTime METRIC INTEGER FALSE The time the browser takes (in milliseconds) to parse the document and execute deferred and parser-inserted scripts (DOMContentLoaded), including the network time from the user's location to your server. Parsing of the document is finished, the Document Object Model is ready, but referenced style sheets, images, and subframes may not be finished loading. This event is often the starting point for javascript framework execution, e.g., JQuery's onready() callback, etc.
Site Speed Avg. Document Content Loaded Time (sec) ga:avgDomContentLoadedTime METRIC FLOAT FALSE (ga:domContentLoadedTime / ga:domLatencyMetricsSample / 1000) The average time (in seconds) it takes the browser to parse the document.
Site Speed DOM Latency Metrics Sample ga:domLatencyMetricsSample METRIC INTEGER FALSE The sample set (or count) of pageviews used to calculate the averages for site speed DOM metrics. This metric is used in the avgDomContentLoadedTime and avgDomInteractiveTime calculations.
App Tracking App Installer ID ga:appInstallerId DIMENSION STRING TRUE ID of the installer (e.g., Google Play Store) from which the app was downloaded. By default, the app installer id is set based on the PackageManager#getInstallerPackageName method.
App Tracking App Version ga:appVersion DIMENSION STRING TRUE The version of the application.
App Tracking App Name ga:appName DIMENSION STRING TRUE The name of the application.
App Tracking App ID ga:appId DIMENSION STRING TRUE The ID of the application.
App Tracking Screen Name ga:screenName DIMENSION STRING TRUE The name of the screen.
App Tracking Screen Depth ga:screenDepth DIMENSION STRING TRUE The number of screenviews per session reported as a string. Can be useful for historgrams.
App Tracking Landing Screen ga:landingScreenName DIMENSION STRING TRUE The name of the first screen viewed.
App Tracking Exit Screen ga:exitScreenName DIMENSION STRING TRUE The name of the screen when the user exited the application.
App Tracking Screen Views ga:screenviews METRIC INTEGER TRUE The total number of screenviews.
App Tracking Unique Screen Views ga:uniqueScreenviews METRIC INTEGER TRUE The number of different (unique) screenviews within a session.
App Tracking Screens / Session ga:screenviewsPerSession METRIC FLOAT FALSE ga:screenviews / ga:sessions The average number of screenviews per session.
App Tracking Time on Screen ga:timeOnScreen METRIC TIME TRUE The time spent viewing the current screen.
App Tracking Avg. Time on Screen ga:avgScreenviewDuration METRIC TIME FALSE The average amount of time users spent on a screen in seconds.
Event Tracking Event Category ga:eventCategory DIMENSION STRING TRUE The category of the event.
Event Tracking Event Action ga:eventAction DIMENSION STRING TRUE The action of the event.
Event Tracking Event Label ga:eventLabel DIMENSION STRING TRUE The label of the event.
Event Tracking Total Events ga:totalEvents METRIC INTEGER TRUE The total number of events for the profile, across all categories.
Event Tracking Unique Events ga:uniqueEvents METRIC INTEGER FALSE The total number of unique events for the profile, across all categories.
Event Tracking Event Value ga:eventValue METRIC INTEGER TRUE The total value of events for the profile.
Event Tracking Avg. Value ga:avgEventValue METRIC FLOAT FALSE ga:eventValue / ga:totalEvents The average value of an event.
Event Tracking Sessions with Event ga:sessionsWithEvent METRIC INTEGER TRUE The total number of sessions with events.
Event Tracking Events / Session with Event ga:eventsPerSessionWithEvent METRIC FLOAT FALSE ga:totalEvents / ga:sessionsWithEvent The average number of events per session with event.
Ecommerce Transaction ID ga:transactionId DIMENSION STRING TRUE The transaction ID for the shopping cart purchase as supplied by your ecommerce tracking method.
Ecommerce Affiliation ga:affiliation DIMENSION STRING TRUE Typically used to designate a supplying company or brick and mortar location; product affiliation.
Ecommerce Sessions to Transaction ga:sessionsToTransaction DIMENSION STRING TRUE The number of sessions between users' purchases and the related campaigns that lead to the purchases.
Ecommerce Days to Transaction ga:daysToTransaction DIMENSION STRING TRUE The number of days between users' purchases and the related campaigns that lead to the purchases.
Ecommerce Product SKU ga:productSku DIMENSION STRING TRUE The product sku for purchased items as you have defined them in your ecommerce tracking application.
Ecommerce Product ga:productName DIMENSION STRING TRUE The product name for purchased items as supplied by your ecommerce tracking application.
Ecommerce Product Category ga:productCategory DIMENSION STRING TRUE Any product variations (size, color) for purchased items as supplied by your ecommerce application. Not compatible with Enhanced Ecommerce.
Ecommerce Currency Code ga:currencyCode DIMENSION STRING FALSE The local currency code of the transaction based on ISO 4217 standard.
Ecommerce Transactions ga:transactions METRIC INTEGER TRUE The total number of transactions.
Ecommerce Ecommerce Conversion Rate ga:transactionsPerSession METRIC PERCENT FALSE ga:transactions / ga:sessions The average number of transactions for a session on your property.
Ecommerce Revenue ga:transactionRevenue METRIC CURRENCY TRUE The total sale revenue provided in the transaction excluding shipping and tax.
Ecommerce Average Order Value ga:revenuePerTransaction METRIC CURRENCY FALSE ga:transactionRevenue / ga:transactions The average revenue for an e-commerce transaction.
Ecommerce Per Session Value ga:transactionRevenuePerSession METRIC CURRENCY FALSE ga:transactionRevenue / ga:sessions Average transaction revenue for a session on your property.
Ecommerce Shipping ga:transactionShipping METRIC CURRENCY TRUE The total cost of shipping.
Ecommerce Tax ga:transactionTax METRIC CURRENCY TRUE The total amount of tax.
Ecommerce Total Value ga:totalValue METRIC CURRENCY FALSE (ga:transactionRevenue + ga:goalValueAll) Total value for your property (including total revenue and total goal value).
Ecommerce Quantity ga:itemQuantity METRIC INTEGER TRUE The total number of items purchased. For example, if users purchase 2 frisbees and 5 tennis balls, 7 items have been purchased.
Ecommerce Unique Purchases ga:uniquePurchases METRIC INTEGER TRUE The number of product sets purchased. For example, if users purchase 2 frisbees and 5 tennis balls from your site, 2 unique products have been purchased.
Ecommerce Average Price ga:revenuePerItem METRIC CURRENCY FALSE ga:itemRevenue / ga:itemQuantity The average revenue per item.
Ecommerce Product Revenue ga:itemRevenue METRIC CURRENCY TRUE The total revenue from purchased product items on your property.
Ecommerce Average QTY ga:itemsPerPurchase METRIC FLOAT FALSE ga:itemQuantity / ga:uniquePurchases The average quantity of this item (or group of items) sold per purchase.
Ecommerce Local Revenue ga:localTransactionRevenue METRIC CURRENCY FALSE Transaction revenue in local currency.
Ecommerce Local Shipping ga:localTransactionShipping METRIC CURRENCY FALSE Transaction shipping cost in local currency.
Ecommerce Local Tax ga:localTransactionTax METRIC CURRENCY FALSE Transaction tax in local currency.
Ecommerce Local Product Revenue ga:localItemRevenue METRIC CURRENCY TRUE Product revenue in local currency.
Social Interactions Social Source ga:socialInteractionNetwork DIMENSION STRING FALSE For social interactions, a value representing the social network being tracked.
Social Interactions Social Action ga:socialInteractionAction DIMENSION STRING FALSE For social interactions, a value representing the social action being tracked (e.g. +1, bookmark)
Social Interactions Social Source and Action ga:socialInteractionNetworkAction DIMENSION STRING FALSE For social interactions, a value representing the concatenation of the socialInteractionNetwork and socialInteractionAction action being tracked at this hit level (e.g. Google: +1)
Social Interactions Social Entity ga:socialInteractionTarget DIMENSION STRING FALSE For social interactions, a value representing the URL (or resource) which receives the social network action.
Social Interactions Social Type ga:socialEngagementType DIMENSION STRING FALSE Engagement type. Possible values are "Socially Engaged" or "Not Socially Engaged".
Social Interactions Social Actions ga:socialInteractions METRIC INTEGER FALSE The total number of social interactions on your property.
Social Interactions Unique Social Actions ga:uniqueSocialInteractions METRIC INTEGER FALSE The number of sessions during which the specified social action(s) occurred at least once. This is based on the the unique combination of socialInteractionNetwork, socialInteractionAction, and socialInteractionTarget.
Social Interactions Actions Per Social Session ga:socialInteractionsPerSession METRIC FLOAT FALSE ga:socialInteractions / ga:uniqueSocialInteractions The number of social interactions per session on your property.
User Timings Timing Category ga:userTimingCategory DIMENSION STRING TRUE A string for categorizing all user timing variables into logical groups for easier reporting purposes.
User Timings Timing Label ga:userTimingLabel DIMENSION STRING TRUE The name of the resource's action being tracked.
User Timings Timing Variable ga:userTimingVariable DIMENSION STRING TRUE A value that can be used to add flexibility in visualizing user timings in the reports.
User Timings User Timing (ms) ga:userTimingValue METRIC INTEGER FALSE The total number of milliseconds for a user timing.
User Timings User Timing Sample ga:userTimingSample METRIC INTEGER FALSE The number of hits that were sent for a particular userTimingCategory, userTimingLabel, and userTimingVariable.
User Timings Avg. User Timing (sec) ga:avgUserTimingValue METRIC FLOAT FALSE (ga:userTimingValue / ga:userTimingSample / 1000) The average amount of elapsed time.
Exceptions Exception Description ga:exceptionDescription DIMENSION STRING TRUE The description for the exception.
Exceptions Exceptions ga:exceptions METRIC INTEGER TRUE The number of exceptions that were sent to Google Analytics.
Exceptions Exceptions / Screen ga:exceptionsPerScreenview METRIC PERCENT FALSE ga:exceptions / ga:screenviews The number of exceptions thrown divided by the number of screenviews.
Exceptions Crashes ga:fatalExceptions METRIC INTEGER TRUE The number of exceptions where isFatal is set to true.
Exceptions Crashes / Screen ga:fatalExceptionsPerScreenview METRIC PERCENT FALSE ga:fatalExceptions / ga:screenviews The number of fatal exceptions thrown divided by the number of screenviews.
Content Experiments Experiment ID ga:experimentId DIMENSION STRING TRUE The user-scoped id of the content experiment that the user was exposed to when the metrics were reported.
Content Experiments Variation ga:experimentVariant DIMENSION STRING TRUE The user-scoped id of the particular variation that the user was exposed to during a content experiment.
Custom Variables or Columns Custom Dimension XX ga:dimensionXX DIMENSION STRING TRUE The name of the requested custom dimension, where XX refers the number/index of the custom dimension.
Custom Variables or Columns Custom Variable (Key XX) ga:customVarNameXX DIMENSION STRING TRUE The name for the requested custom variable.
Custom Variables or Columns Custom Metric XX Value ga:metricXX METRIC INTEGER TRUE The name of the requested custom metric, where XX refers the number/index of the custom metric.
Custom Variables or Columns Custom Variable (Value XX) ga:customVarValueXX DIMENSION STRING TRUE The value for the requested custom variable.
Time Date ga:date DIMENSION STRING FALSE The date of the session formatted as YYYYMMDD.
Time Year ga:year DIMENSION STRING FALSE The year of the session. A four-digit year from 2005 to the current year.
Time Month of the year ga:month DIMENSION STRING FALSE The month of the session. A two digit integer from 01 to 12.
Time Week of the Year ga:week DIMENSION STRING FALSE The week of the session. A two-digit number from 01 to 53. Each week starts on Sunday.
Time Day of the month ga:day DIMENSION STRING FALSE The day of the month. A two-digit number from 01 to 31.
Time Hour ga:hour DIMENSION STRING TRUE A two-digit hour of the day ranging from 00-23 in the timezone configured for the account. This value is also corrected for daylight savings time, adhering to all local rules for daylight savings time. If your timezone follows daylight savings time, there will be an apparent bump in the number of sessions during the change-over hour (e.g. between 1:00 and 2:00) for the day per year when that hour repeats. A corresponding hour with zero sessions will occur at the opposite changeover. (Google Analytics does not track user time more precisely than hours.)
Time Minute ga:minute DIMENSION STRING TRUE Returns the minute in the hour. The possible values are between 00 and 59.
Time Month Index ga:nthMonth DIMENSION STRING FALSE Index for each month in the specified date range. Index for the first month in the date range is 0, 1 for the second month, and so on. The index corresponds to month entries.
Time Week Index ga:nthWeek DIMENSION STRING FALSE Index for each week in the specified date range. Index for the first week in the date range is 0, 1 for the second week, and so on. The index corresponds to week entries.
Time Day Index ga:nthDay DIMENSION STRING FALSE Index for each day in the specified date range. Index for the first day (i.e., start-date) in the date range is 0, 1 for the second day, and so on.
Time Minute Index ga:nthMinute DIMENSION STRING FALSE Index for each minute in the specified date range. Index for the first minute of first day (i.e., start-date) in the date range is 0, 1 for the next minute, and so on.
Time Day of Week ga:dayOfWeek DIMENSION STRING FALSE The day of the week. A one-digit number from 0 (Sunday) to 6 (Saturday).
Time Day of Week Name ga:dayOfWeekName DIMENSION STRING FALSE The name of the day of the week (in English).
Time Hour of Day ga:dateHour DIMENSION STRING FALSE Combined values of ga:date and ga:hour.
Time Month of Year ga:yearMonth DIMENSION STRING FALSE Combined values of ga:year and ga:month.
Time Week of Year ga:yearWeek DIMENSION STRING FALSE Combined values of ga:year and ga:week.
Time ISO Week of the Year ga:isoWeek DIMENSION STRING FALSE The ISO week number, where each week starts with a Monday. Details: http://en.wikipedia.org/wiki/ISO_week_date. ga:isoWeek should only be used with ga:isoYear since ga:year represents gregorian calendar.
Time ISO Year ga:isoYear DIMENSION STRING FALSE The ISO year of the session. Details: http://en.wikipedia.org/wiki/ISO_week_date. ga:isoYear should only be used with ga:isoWeek since ga:week represents gregorian calendar.
Time ISO Week of ISO Year ga:isoYearIsoWeek DIMENSION STRING FALSE Combined values of ga:isoYear and ga:isoWeek.
DoubleClick Campaign Manager DFA Ad (GA Model) ga:dcmClickAd DIMENSION STRING FALSE DCM ad name of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Ad ID (GA Model) ga:dcmClickAdId DIMENSION STRING FALSE DCM ad ID of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Ad Type (GA Model) ga:dcmClickAdType DIMENSION STRING FALSE DCM ad type name of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Ad Type ID ga:dcmClickAdTypeId DIMENSION STRING FALSE DCM ad type ID of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Advertiser (GA Model) ga:dcmClickAdvertiser DIMENSION STRING FALSE DCM advertiser name of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Advertiser ID (GA Model) ga:dcmClickAdvertiserId DIMENSION STRING FALSE DCM advertiser ID of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Campaign (GA Model) ga:dcmClickCampaign DIMENSION STRING FALSE DCM campaign name of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Campaign ID (GA Model) ga:dcmClickCampaignId DIMENSION STRING FALSE DCM campaign ID of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative ID (GA Model) ga:dcmClickCreativeId DIMENSION STRING FALSE DCM creative ID of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative (GA Model) ga:dcmClickCreative DIMENSION STRING FALSE DCM creative name of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Rendering ID (GA Model) ga:dcmClickRenderingId DIMENSION STRING FALSE DCM rendering ID of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative Type (GA Model) ga:dcmClickCreativeType DIMENSION STRING FALSE DCM creative type name of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative Type ID (GA Model) ga:dcmClickCreativeTypeId DIMENSION STRING FALSE DCM creative type ID of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative Version (GA Model) ga:dcmClickCreativeVersion DIMENSION STRING FALSE DCM creative version of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Site (GA Model) ga:dcmClickSite DIMENSION STRING FALSE Site name where the DCM creative was shown and clicked on for the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Site ID (GA Model) ga:dcmClickSiteId DIMENSION STRING FALSE DCM site ID where the DCM creative was shown and clicked on for the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Placement (GA Model) ga:dcmClickSitePlacement DIMENSION STRING FALSE DCM site placement name of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Placement ID (GA Model) ga:dcmClickSitePlacementId DIMENSION STRING FALSE DCM site placement ID of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Floodlight Configuration ID (GA Model) ga:dcmClickSpotId DIMENSION STRING FALSE DCM Floodlight configuration ID of the DCM click matching the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Activity ga:dcmFloodlightActivity DIMENSION STRING FALSE DCM Floodlight activity name associated with the floodlight conversion (premium only).
DoubleClick Campaign Manager DFA Activity and Group ga:dcmFloodlightActivityAndGroup DIMENSION STRING FALSE DCM Floodlight activity name and group name associated with the floodlight conversion (premium only).
DoubleClick Campaign Manager DFA Activity Group ga:dcmFloodlightActivityGroup DIMENSION STRING FALSE DCM Floodlight activity group name associated with the floodlight conversion (premium only).
DoubleClick Campaign Manager DFA Activity Group ID ga:dcmFloodlightActivityGroupId DIMENSION STRING FALSE DCM Floodlight activity group ID associated with the floodlight conversion (premium only).
DoubleClick Campaign Manager DFA Activity ID ga:dcmFloodlightActivityId DIMENSION STRING FALSE DCM Floodlight activity ID associated with the floodlight conversion (premium only).
DoubleClick Campaign Manager DFA Advertiser ID ga:dcmFloodlightAdvertiserId DIMENSION STRING FALSE DCM Floodlight advertiser ID associated with the floodlight conversion (premium only).
DoubleClick Campaign Manager DFA Floodlight Configuration ID ga:dcmFloodlightSpotId DIMENSION STRING FALSE DCM Floodlight configuration ID associated with the floodlight conversion (premium only).
DoubleClick Campaign Manager DFA Ad ga:dcmLastEventAd DIMENSION STRING FALSE DCM ad name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Ad ID (DFA Model) ga:dcmLastEventAdId DIMENSION STRING FALSE DCM ad ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Ad Type (DFA Model) ga:dcmLastEventAdType DIMENSION STRING FALSE DCM ad type name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Ad Type ID (DFA Model) ga:dcmLastEventAdTypeId DIMENSION STRING FALSE DCM ad type ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Advertiser (DFA Model) ga:dcmLastEventAdvertiser DIMENSION STRING FALSE DCM advertiser name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Advertiser ID (DFA Model) ga:dcmLastEventAdvertiserId DIMENSION STRING FALSE DCM advertiser ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Attribution Type (DFA Model) ga:dcmLastEventAttributionType DIMENSION STRING FALSE There are two possible values: ClickThrough and ViewThrough. If the last DCM event associated with the Google Analytics session was a click, then the value will be ClickThrough. If the last DCM event associated with the Google Analytics session was an ad impression, then the value will be ViewThrough (premium only).
DoubleClick Campaign Manager DFA Campaign (DFA Model) ga:dcmLastEventCampaign DIMENSION STRING FALSE DCM campaign name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Campaign ID (DFA Model) ga:dcmLastEventCampaignId DIMENSION STRING FALSE DCM campaign ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative ID (DFA Model) ga:dcmLastEventCreativeId DIMENSION STRING FALSE DCM creative ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative (DFA Model) ga:dcmLastEventCreative DIMENSION STRING FALSE DCM creative name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Rendering ID (DFA Model) ga:dcmLastEventRenderingId DIMENSION STRING FALSE DCM rendering ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative Type (DFA Model) ga:dcmLastEventCreativeType DIMENSION STRING FALSE DCM creative type name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative Type ID (DFA Model) ga:dcmLastEventCreativeTypeId DIMENSION STRING FALSE DCM creative type ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Creative Version (DFA Model) ga:dcmLastEventCreativeVersion DIMENSION STRING FALSE DCM creative version of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Site (DFA Model) ga:dcmLastEventSite DIMENSION STRING FALSE Site name where the DCM creative was shown and clicked on for the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Site ID (DFA Model) ga:dcmLastEventSiteId DIMENSION STRING FALSE DCM site ID where the DCM creative was shown and clicked on for the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Placement (DFA Model) ga:dcmLastEventSitePlacement DIMENSION STRING FALSE DCM site placement name of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Placement ID (DFA Model) ga:dcmLastEventSitePlacementId DIMENSION STRING FALSE DCM site placement ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Floodlight Configuration ID (DFA Model) ga:dcmLastEventSpotId DIMENSION STRING FALSE DCM Floodlight configuration ID of the last DCM event (impression or click within the DCM lookback window) associated with the Google Analytics session (premium only).
DoubleClick Campaign Manager DFA Conversions ga:dcmFloodlightQuantity METRIC INTEGER FALSE The number of DCM Floodlight conversions (premium only).
DoubleClick Campaign Manager DFA Revenue ga:dcmFloodlightRevenue METRIC CURRENCY FALSE DCM Floodlight revenue (premium only).
Content Grouping Landing Page Group XX ga:landingContentGroupXX DIMENSION STRING TRUE The first matching content group in a user's session.
Content Grouping Previous Page Group XX ga:previousContentGroupXX DIMENSION STRING TRUE Refers to content group that was visited before another content group.
Content Grouping Page Group XX ga:contentGroupXX DIMENSION STRING TRUE Content group on a property. A content group is a collection of content providing a logical structure that can be determined by tracking code or page title/url regex match, or predefined rules.
Content Grouping Next Page Group XX ga:nextContentGroupXX DIMENSION STRING TRUE Refers to content group that was visited after another content group.
Audience Age ga:userAgeBracket DIMENSION STRING TRUE Age bracket of user.
Audience Gender ga:userGender DIMENSION STRING TRUE Gender of user.
Audience Other Category ga:interestOtherCategory DIMENSION STRING TRUE Indicates that users are more likely to be interested in learning about the specified category, and more likely to be ready to purchase.
Audience Affinity Category (reach) ga:interestAffinityCategory DIMENSION STRING TRUE Indicates that users are more likely to be interested in learning about the specified category.
Audience In-Market Segment ga:interestInMarketCategory DIMENSION STRING TRUE Indicates that users are more likely to be ready to purchase products or services in the specified category.
Adsense AdSense Revenue ga:adsenseRevenue METRIC CURRENCY TRUE The total revenue from AdSense ads.
Adsense AdSense Ad Units Viewed ga:adsenseAdUnitsViewed METRIC INTEGER TRUE The number of AdSense ad units viewed. An Ad unit is a set of ads displayed as a result of one piece of the AdSense ad code. Details: https://support.google.com/adsense/answer/32715?hl=en
Adsense AdSense Impressions ga:adsenseAdsViewed METRIC INTEGER TRUE The number of AdSense ads viewed. Multiple ads can be displayed within an Ad Unit.
Adsense AdSense Ads Clicked ga:adsenseAdsClicks METRIC INTEGER TRUE The number of times AdSense ads on your site were clicked.
Adsense AdSense Page Impressions ga:adsensePageImpressions METRIC INTEGER TRUE The number of pageviews during which an AdSense ad was displayed. A page impression can have multiple Ad Units.
Adsense AdSense CTR ga:adsenseCTR METRIC PERCENT FALSE ga:adsenseAdsClicks/ga:adsensePageImpressions The percentage of page impressions that resulted in a click on an AdSense ad.
Adsense AdSense eCPM ga:adsenseECPM METRIC CURRENCY FALSE ga:adsenseRevenue/(ga:adsensePageImpressions/1000) The estimated cost per thousand page impressions. It is your AdSense Revenue per 1000 page impressions.
Adsense AdSense Exits ga:adsenseExits METRIC INTEGER TRUE The number of sessions that ended due to a user clicking on an AdSense ad.
Adsense AdSense Viewable Impression % ga:adsenseViewableImpressionPercent METRIC PERCENT FALSE The percentage of impressions that were viewable.
Adsense AdSense Coverage ga:adsenseCoverage METRIC PERCENT FALSE The percentage of ad requests that returned at least one ad.
Traffic Sources Campaign Code ga:campaignCode DIMENSION STRING FALSE When using manual campaign tracking, the value of the utm_id campaign tracking parameter.
Channel Grouping Default Channel Grouping ga:channelGrouping DIMENSION STRING TRUE The default channel grouping that is shared within the View (Profile).
Ecommerce Checkout Options ga:checkoutOptions DIMENSION STRING TRUE User options specified during the checkout process, e.g., FedEx, DHL, UPS for delivery options or Visa, MasterCard, AmEx for payment options. This dimension should be used along with ga:shoppingStage (Enhanced Ecommerce).
Related Products Correlation Model ID ga:correlationModelId DIMENSION STRING FALSE Correlation Model ID for related products.
Ecommerce Internal Promotion Creative ga:internalPromotionCreative DIMENSION STRING TRUE The creative content designed for a promotion (Enhanced Ecommerce).
Ecommerce Internal Promotion ID ga:internalPromotionId DIMENSION STRING TRUE The ID of the promotion (Enhanced Ecommerce).
Ecommerce Internal Promotion Name ga:internalPromotionName DIMENSION STRING TRUE The name of the promotion (Enhanced Ecommerce).
Ecommerce Internal Promotion Position ga:internalPromotionPosition DIMENSION STRING TRUE The position of the promotion on the web page or application screen (Enhanced Ecommerce).
Adwords TrueView Video Ad ga:isTrueViewVideoAd DIMENSION STRING FALSE 'Yes' or 'No' - Indicates whether the ad is an AdWords TrueView video ad.
Time Hour Index ga:nthHour DIMENSION STRING FALSE Index for each hour in the specified date range. Index for the first hour of first day (i.e., start-date) in the date range is 0, 1 for the next hour, and so on.
Ecommerce Order Coupon Code ga:orderCouponCode DIMENSION STRING TRUE Code for the order-level coupon (Enhanced Ecommerce).
Ecommerce Product Brand ga:productBrand DIMENSION STRING TRUE The brand name under which the product is sold (Enhanced Ecommerce).
Ecommerce Product Category (Enhanced Ecommerce) ga:productCategoryHierarchy DIMENSION STRING TRUE The hierarchical category in which the product is classified (Enhanced Ecommerce).
Ecommerce Product Category Level XX ga:productCategoryLevelXX DIMENSION STRING TRUE Level (1-5) in the product category hierarchy, starting from the top (Enhanced Ecommerce).
Ecommerce Product Coupon Code ga:productCouponCode DIMENSION STRING TRUE Code for the product-level coupon (Enhanced Ecommerce).
Ecommerce Product List Name ga:productListName DIMENSION STRING TRUE The name of the product list in which the product appears (Enhanced Ecommerce).
Ecommerce Product List Position ga:productListPosition DIMENSION STRING TRUE The position of the product in the product list (Enhanced Ecommerce).
Ecommerce Product Variant ga:productVariant DIMENSION STRING TRUE The specific variation of a product, e.g., XS, S, M, L for size or Red, Blue, Green, Black for color (Enhanced Ecommerce).
Related Products Queried Product ID ga:queryProductId DIMENSION STRING FALSE ID of the product being queried.
Related Products Queried Product Name ga:queryProductName DIMENSION STRING FALSE Name of the product being queried.
Related Products Queried Product Variation ga:queryProductVariation DIMENSION STRING FALSE Variation of the product being queried.
Related Products Related Product ID ga:relatedProductId DIMENSION STRING FALSE ID of the related product.
Related Products Related Product Name ga:relatedProductName DIMENSION STRING FALSE Name of the related product.
Related Products Related Product Variation ga:relatedProductVariation DIMENSION STRING FALSE Variation of the related product.
Ecommerce Shopping Stage ga:shoppingStage DIMENSION STRING TRUE Various stages of the shopping experience that users completed in a session, e.g., PRODUCT_VIEW, ADD_TO_CART, CHECKOUT, etc. (Enhanced Ecommerce).
Ecommerce Buy-to-Detail Rate ga:buyToDetailRate METRIC PERCENT FALSE Unique purchases divided by views of product detail pages (Enhanced Ecommerce).
Ecommerce Cart-to-Detail Rate ga:cartToDetailRate METRIC PERCENT FALSE Product adds divided by views of product details (Enhanced Ecommerce).
Related Products Correlation Score ga:correlationScore METRIC CURRENCY FALSE Correlation Score for related products.
DoubleClick Campaign Manager DFA CPC ga:dcmCPC METRIC CURRENCY FALSE DCM Cost Per Click (premium only).
DoubleClick Campaign Manager DFA CTR ga:dcmCTR METRIC PERCENT FALSE DCM Click Through Rate (premium only).
DoubleClick Campaign Manager DFA Clicks ga:dcmClicks METRIC INTEGER FALSE DCM Total Clicks (premium only).
DoubleClick Campaign Manager DFA Cost ga:dcmCost METRIC CURRENCY FALSE DCM Total Cost (premium only).
DoubleClick Campaign Manager DFA Impressions ga:dcmImpressions METRIC INTEGER FALSE DCM Total Impressions (premium only).
DoubleClick Campaign Manager DFA Margin ga:dcmMargin METRIC PERCENT FALSE DCM Margin (premium only).
DoubleClick Campaign Manager DFA ROI ga:dcmROI METRIC PERCENT FALSE DCM Return On Investment (premium only).
DoubleClick Campaign Manager DFA RPC ga:dcmRPC METRIC CURRENCY FALSE DCM Revenue Per Click (premium only).
Session Hits ga:hits METRIC INTEGER TRUE Total number of hits sent to Google Analytics. This metric sums all hit types (e.g. pageview, event, timing, etc.).
Ecommerce Internal Promotion CTR ga:internalPromotionCTR METRIC PERCENT FALSE ga:internalPromotionClicks / ga:internalPromotionViews The rate at which users clicked through to view the internal promotion (ga:internalPromotionClicks / ga:internalPromotionViews) - (Enhanced Ecommerce).
Ecommerce Internal Promotion Clicks ga:internalPromotionClicks METRIC INTEGER TRUE The number of clicks on an internal promotion (Enhanced Ecommerce).
Ecommerce Internal Promotion Views ga:internalPromotionViews METRIC INTEGER TRUE The number of views of an internal promotion (Enhanced Ecommerce).
Ecommerce Local Product Refund Amount ga:localProductRefundAmount METRIC CURRENCY TRUE Refund amount for a given product in the local currency (Enhanced Ecommerce).
Ecommerce Local Refund Amount ga:localRefundAmount METRIC CURRENCY TRUE Total refund amount for the transaction in the local currency (Enhanced Ecommerce).
Ecommerce Product Adds To Cart ga:productAddsToCart METRIC INTEGER TRUE Number of times the product was added to the shopping cart (Enhanced Ecommerce).
Ecommerce Product Checkouts ga:productCheckouts METRIC INTEGER TRUE Number of times the product was included in the check-out process (Enhanced Ecommerce).
Ecommerce Product Detail Views ga:productDetailViews METRIC INTEGER TRUE Number of times users viewed the product-detail page (Enhanced Ecommerce).
Ecommerce Product List CTR ga:productListCTR METRIC PERCENT FALSE ga:productListClicks / ga:productListViews The rate at which users clicked through on the product in a product list (ga:productListClicks / ga:productListViews) - (Enhanced Ecommerce).
Ecommerce Product List Clicks ga:productListClicks METRIC INTEGER TRUE Number of times users clicked the product when it appeared in the product list (Enhanced Ecommerce).
Ecommerce Product List Views ga:productListViews METRIC INTEGER TRUE Number of times the product appeared in a product list (Enhanced Ecommerce).
Ecommerce Product Refund Amount ga:productRefundAmount METRIC CURRENCY TRUE Total refund amount associated with the product (Enhanced Ecommerce).
Ecommerce Product Refunds ga:productRefunds METRIC INTEGER TRUE Number of times a refund was issued for the product (Enhanced Ecommerce).
Ecommerce Product Removes From Cart ga:productRemovesFromCart METRIC INTEGER TRUE Number of times the product was removed from shopping cart (Enhanced Ecommerce).
Ecommerce Product Revenue per Purchase ga:productRevenuePerPurchase METRIC CURRENCY FALSE ga:itemRevenue / ga:uniquePurchases Average product revenue per purchase (commonly used with Product Coupon Code) (ga:itemRevenue / ga:uniquePurchases) - (Enhanced Ecommerce).
Ecommerce Quantity Added To Cart ga:quantityAddedToCart METRIC INTEGER TRUE Number of product units added to the shopping cart (Enhanced Ecommerce).
Ecommerce Quantity Checked Out ga:quantityCheckedOut METRIC INTEGER TRUE Number of product units included in check out (Enhanced Ecommerce).
Ecommerce Quantity Refunded ga:quantityRefunded METRIC INTEGER TRUE Number of product units refunded (Enhanced Ecommerce).
Ecommerce Quantity Removed From Cart ga:quantityRemovedFromCart METRIC INTEGER TRUE Number of product units removed from cart (Enhanced Ecommerce).
Related Products Queried Product Quantity ga:queryProductQuantity METRIC INTEGER FALSE Quantity of the product being queried.
Ecommerce Refund Amount ga:refundAmount METRIC CURRENCY TRUE Currency amount refunded for a transaction (Enhanced Ecommerce).
Related Products Related Product Quantity ga:relatedProductQuantity METRIC INTEGER FALSE Quantity of the related product.
Ecommerce Refunds ga:totalRefunds METRIC INTEGER TRUE Number of refunds that have been issued (Enhanced Ecommerce).