我正在使用Atlasboard创建信息中心。
我需要访问Google分析数据,例如网页浏览量等,我会在其中显示here显示的一些查询。
有没有办法在没有此同意页面的情况下访问我的Google分析数据?
我正在使用google-api-nodejs-client api。
我发现this post有人提到使用服务帐户。但无论如何我都无法找到使用JavaScript的方法。
任何帮助都会很棒!
答案 0 :(得分:10)
我终于找到了解决这个问题的方法!这是解决方案:)
假设您已拥有Google分析帐户,该帐户包含视图等网站数据,并且已安装request和googleapis模块。
首先,您需要在console.developers.google.com创建一个Google控制台帐户。
在Google控制台:
在仪表板作业中(使用nodejs的服务器端):
使用此代码:
var fs = require('fs'),
crypto = require('crypto'),
request = require('request'); // This is an external module (https://github.com/mikeal/request)
var authHeader = {
'alg': 'RS256',
'typ': 'JWT'
},
authClaimSet = {
'iss': '#######SERVICE ACCOUNT EMAIL GOES HERE#######', // Service account email
'scope': 'https://www.googleapis.com/auth/analytics.readonly', // We MUST tell them we just want to read data
'aud': 'https://accounts.google.com/o/oauth2/token'
},
SIGNATURE_ALGORITHM = 'RSA-SHA256',
SIGNATURE_ENCODE_METHOD = 'base64',
GA_KEY_PATH = '#######DIRECTORY TO YOUR .PEM KEY#######', //finds current directory then appends private key to the directory
gaKey;
function urlEscape(source) {
return source.replace(/\+/g, '-').replace(/\//g, '_').replace(/\=+$/, '');
}
function base64Encode(obj) {
var encoded = new Buffer(JSON.stringify(obj), 'utf8').toString('base64');
return urlEscape(encoded);
}
function readPrivateKey() {
if (!gaKey) {
gaKey = fs.readFileSync(GA_KEY_PATH, 'utf8');
}
return gaKey;
}
var authorize = function(callback) {
var self = this,
now = parseInt(Date.now() / 1000, 10), // Google wants us to use seconds
cipher,
signatureInput,
signatureKey = readPrivateKey(),
signature,
jwt;
// Setup time values
authClaimSet.iat = now;
authClaimSet.exp = now + 60; // Token valid for one minute
// Setup JWT source
signatureInput = base64Encode(authHeader) + '.' + base64Encode(authClaimSet);
// Generate JWT
cipher = crypto.createSign('RSA-SHA256');
cipher.update(signatureInput);
signature = cipher.sign(signatureKey, 'base64');
jwt = signatureInput + '.' + urlEscape(signature);
// Send request to authorize this application
request({
method: 'POST',
headers: {
'Content-Type': 'application/x-www-form-urlencoded'
},
uri: 'https://accounts.google.com/o/oauth2/token',
body: 'grant_type=' + escape('urn:ietf:params:oauth:grant-type:jwt-bearer') +
'&assertion=' + jwt
}, function(error, response, body) {
if (error) {
console.log(error);
callback(new Error(error));
} else {
var gaResult = JSON.parse(body);
if (gaResult.error) {
callback(new Error(gaResult.error));
} else {
callback(null, gaResult.access_token);
console.log(gaResult);
console.log("Authorized");
###########IF IT REACHES THIS STAGE THE ACCOUNT HAS BEEN AUTHORIZED##############
}
}
});
};
var request = require('request'),
qs = require('querystring');
authorize(function(err, token) {
if (!err) {
// Query the number of total visits for a month
############requestConfig################
var requestConfig = {
'ids': 'ga:#######PROJECT ID GOES HERE#######',
'dimensions': 'ga:country',
'metrics': 'ga:users',
'sort': '-ga:users',
'start-date': '2014-04-08',
'end-date': '2014-04-22',
'max-results': '10'
};
request({
method: 'GET',
headers: {
'Authorization': 'Bearer ' + token // Here is where we use the auth token
},
uri: 'https://www.googleapis.com/analytics/v3/data/ga?' + qs.stringify(requestConfig)
}, function(error, resp, body) {
console.log(body);
var data = JSON.parse(body);
console.log(data);
});
}
});
记住输入您自己的服务电子邮件帐户,GA_KEY_PATH和IDS
您可以通过更改requestConfig来分析Google数据。我使用此Google Analytics查询工具来帮助我:http://ga-dev-tools.appspot.com/explorer/
然后应该在控制台中输出数据。
希望这会有所帮助:)
答案 1 :(得分:4)
除了smj2393的答案,以及想要创建特定网址以检索Google AnalyticsAPI提供的JSON的用户,以下是Node Express路由的示例。您需要安装官方Google API Node npm包(https://www.npmjs.org/package/googleapis)。
var google = require('googleapis');
var analytics = google.analytics('v3');
var ENV = process.env;
//get key.p12 in Google Developer console
//Extract it with : openssl pkcs12 -in key.p12 -nodes -nocerts > key.pem
//Get GOOGLE_API_EMAIL in Google Developer console (Service Account)
//Get GOOGLE_ANALYTICS_VIEW_ID in Google Analytics Console : Admin -> View -> View Parameters -> View ID
//Add GOOGLE_API_EMAIL in the Google Analytics account users
var authClient = new google.auth.JWT(
ENV.GOOGLE_API_EMAIL,
'./keys/googlekey.pem', //path to .pem
null,
// Scopes can be specified either as an array or as a single, space-delimited string
['https://www.googleapis.com/auth/analytics.readonly']);
module.exports = function(req, res, next) {
var startDate = (req.query.start_date) ? req.query.start_date : '7daysAgo';
var endDate = (req.query.end_date) ? req.query.end_date : 'yesterday';
authClient.authorize(function(err, tokens) {
if (err) {
console.log(err);
return;
}
// Make an authorized request to list analytics files.
// list of dimensions and metrics : https://developers.google.com/analytics/devguides/reporting/core/dimsmets
analytics.data.ga.get({
auth: authClient,
"ids":'ga:'+ENV.GOOGLE_ANALYTICS_VIEW_ID,
"start-date":startDate,
"end-date":endDate,
"metrics":"ga:sessions,ga:pageviews",
"dimensions":"ga:deviceCategory"
}, function(err, result) {
console.log(err);
console.log(result);
if(!err){
res.json(result);
}
else{
next();
}
});
});
}
此路线将显示一个JSON,表示设备(桌面,移动设备和平板电脑)的会话数和pageView数。您可以使用GET参数传递start_date或end_date。
希望得到这个帮助。
答案 2 :(得分:0)
从Atlasboard Atlassian包中查看google-analytics
作业。它使用Google APIs Node.js Client npm包:
您可以使用它与实时或经典的Google AnalyticsAPI进行对话。