Reputation: 71
I have a GA account, with defined properties and views. Now, I gave viewing rights for a few users to a specific view. How can I construct/get programmatically a direct URL that will bring those users right to that view/report?
Thanks a lot!
Upvotes: 4
Views: 1320
Reputation: 1
I have a few points to add to Matt and Adam's answers:
https://analytics.google.com/analytics/web/#/report-home/a[account id]w[internal web property id]p[view id]
Important: a user has to have at least READ_AND_ANALYZE
permissions for the web property in order to access its default view. internalWebPropertyId
is a resource in the web properties collection and can be obtained through various GA Management API calls. For example, I extracted this value from the response object after creating a new web property using insert
call.Upvotes: 0
Reputation: 1286
Further to Matt's brilliant answer, you can use the "Try this API" section in their documentation here to get this information without writing a line of code:
There is also some code snippets to do this programmatically.
Don't forget you will need to be logged in with an account with GA access for this to work.
Upvotes: 1
Reputation: 5168
First lets take a look at an typical report url for a specific view:
https://analytics.google.com/analytics/web/#report/visitors-actives/a40777649w70913173p73156703/
Notice the pattern:
BASE_URL = 'https://analytics.google.com/analytics/web/#report/'
REPORT_TYPE = 'visitors-actives/'
ACOUNT_ID = '40777649'
WEBPROPERTY_ID = '70913173'
PROFILE_ID = '73156703' # Also called the view Id.
You can retrieve this information programmatically by calling the Account Summaries: list API method which returns a list of Account Summaries:
{
"id": string,
"kind": "analytics#accountSummary",
"name": string,
"starred": boolean,
"webProperties": [
{
"kind": "analytics#webPropertySummary",
"id": string,
"name": string,
"internalWebPropertyId": string,
"level": string,
"websiteUrl": string,
"starred": boolean,
"profiles": [
{
"kind": "analytics#profileSummary",
"id": string,
"name": string,
"type": string,
"starred": boolean
}
]
}
]
}
ACCOUNT_ID
is the top level acountSumaries.id
.WEBPROPERTY_ID
is the accountsumaries.webproperties[X].internalWebPropertyId
.PROFILE_ID
is the accountsumaries.webproperties[X].profiles[X].id
Now with this information you can recustruct the URL link to the report of interest for a particular view.
FULL_URL = BASE_URL + REPORT_TYPE + 'a' + ACCOUNT_ID + 'w' + WEBPROPERTY_ID + 'p' + PROFILE_ID + '/'
Upvotes: 3