我一直在寻找一个很好的解决方案整天,但谷歌发展如此之快,我无法找到工作。 我想要做的是,我有了一个管理部分,其中用户需要先登录看到信息的Web应用程序。 在这一节中,我想展示来自GA的一些数据,如网页浏览量为某些特定的URL。 因为它不是用户信息我展示,但谷歌analytics'user我想连接传递信息(用户名/密码或APIKey),但我不能找出如何。 我发现使用的OAuth2(女巫,如果我的理解,将要求访问者登录使用谷歌)的所有样本。
我发现迄今:
- 谷歌官方的客户端库对于.NET: http://code.google.com/p/google-api-dotnet-client/ ,没有样品GA
- 官方开发人员帮助: https://developers.google.com/analytics/
- 与SO代码的其他问题: 谷歌Analytics(分析)API -编程获取在服务器端的页面访问量 ,但我得到一个403,当我尝试验证
- 访问该API的一些来源: http://www.reimers.dk/jacob-reimers-blog/added-google-analytics-reader-for-net下载的源代码,但我无法弄清楚它是如何工作
- :对所以这个问题,其他与C#谷歌Analytics(分析)访问 ,但它并不能帮助
- 在写这篇他们认为我这个老09后谷歌Analytics(分析)API和.Net ...
也许我只是累了,明天它会很容易找到解决的办法,但现在我需要帮助!
谢谢
Answer 1:
我做了很多的搜索,最后无论是从多个地方查找代码,然后缠绕我自己的界面,我想出了以下解决方案。 不知道的人在这里贴上自己的整个代码,但我想为什么不救其他人的时间:)
先决条件,你需要安装Google.GData.Client和google.gdata.analytics包/ DLL。
这是做工作的主类。
namespace Utilities.Google
{
public class Analytics
{
private readonly String ClientUserName;
private readonly String ClientPassword;
private readonly String TableID;
private AnalyticsService analyticsService;
public Analytics(string user, string password, string table)
{
this.ClientUserName = user;
this.ClientPassword = password;
this.TableID = table;
// Configure GA API.
analyticsService = new AnalyticsService("gaExportAPI_acctSample_v2.0");
// Client Login Authorization.
analyticsService.setUserCredentials(ClientUserName, ClientPassword);
}
/// <summary>
/// Get the page views for a particular page path
/// </summary>
/// <param name="pagePath"></param>
/// <param name="startDate"></param>
/// <param name="endDate"></param>
/// <param name="isPathAbsolute">make this false if the pagePath is a regular expression</param>
/// <returns></returns>
public int GetPageViewsForPagePath(string pagePath, DateTime startDate, DateTime endDate, bool isPathAbsolute = true)
{
int output = 0;
// GA Data Feed query uri.
String baseUrl = "https://www.google.com/analytics/feeds/data";
DataQuery query = new DataQuery(baseUrl);
query.Ids = TableID;
//query.Dimensions = "ga:source,ga:medium";
query.Metrics = "ga:pageviews";
//query.Segment = "gaid::-11";
var filterPrefix = isPathAbsolute ? "ga:pagepath==" : "ga:pagepath=~";
query.Filters = filterPrefix + pagePath;
//query.Sort = "-ga:visits";
//query.NumberToRetrieve = 5;
query.GAStartDate = startDate.ToString("yyyy-MM-dd", CultureInfo.InvariantCulture);
query.GAEndDate = endDate.ToString("yyyy-MM-dd", CultureInfo.InvariantCulture);
Uri url = query.Uri;
DataFeed feed = analyticsService.Query(query);
output = Int32.Parse(feed.Aggregates.Metrics[0].Value);
return output;
}
public Dictionary<string, int> PageViewCounts(string pagePathRegEx, DateTime startDate, DateTime endDate)
{
// GA Data Feed query uri.
String baseUrl = "https://www.google.com/analytics/feeds/data";
DataQuery query = new DataQuery(baseUrl);
query.Ids = TableID;
query.Dimensions = "ga:pagePath";
query.Metrics = "ga:pageviews";
//query.Segment = "gaid::-11";
var filterPrefix = "ga:pagepath=~";
query.Filters = filterPrefix + pagePathRegEx;
//query.Sort = "-ga:visits";
//query.NumberToRetrieve = 5;
query.GAStartDate = startDate.ToString("yyyy-MM-dd", CultureInfo.InvariantCulture);
query.GAEndDate = endDate.ToString("yyyy-MM-dd", CultureInfo.InvariantCulture);
Uri url = query.Uri;
DataFeed feed = analyticsService.Query(query);
var returnDictionary = new Dictionary<string, int>();
foreach (var entry in feed.Entries)
returnDictionary.Add(((DataEntry)entry).Dimensions[0].Value, Int32.Parse(((DataEntry)entry).Metrics[0].Value));
return returnDictionary;
}
}
}
这是我用包起来的接口和实现。
namespace Utilities
{
public interface IPageViewCounter
{
int GetPageViewCount(string relativeUrl, DateTime startDate, DateTime endDate, bool isPathAbsolute = true);
Dictionary<string, int> PageViewCounts(string pagePathRegEx, DateTime startDate, DateTime endDate);
}
public class GooglePageViewCounter : IPageViewCounter
{
private string GoogleUserName
{
get
{
return ConfigurationManager.AppSettings["googleUserName"];
}
}
private string GooglePassword
{
get
{
return ConfigurationManager.AppSettings["googlePassword"];
}
}
private string GoogleAnalyticsTableName
{
get
{
return ConfigurationManager.AppSettings["googleAnalyticsTableName"];
}
}
private Analytics analytics;
public GooglePageViewCounter()
{
analytics = new Analytics(GoogleUserName, GooglePassword, GoogleAnalyticsTableName);
}
#region IPageViewCounter Members
public int GetPageViewCount(string relativeUrl, DateTime startDate, DateTime endDate, bool isPathAbsolute = true)
{
int output = 0;
try
{
output = analytics.GetPageViewsForPagePath(relativeUrl, startDate, endDate, isPathAbsolute);
}
catch (Exception ex)
{
Logger.Error(ex);
}
return output;
}
public Dictionary<string, int> PageViewCounts(string pagePathRegEx, DateTime startDate, DateTime endDate)
{
var input = analytics.PageViewCounts(pagePathRegEx, startDate, endDate);
var output = new Dictionary<string, int>();
foreach (var item in input)
{
if (item.Key.Contains('&'))
{
string[] key = item.Key.Split(new char[] { '?', '&' });
string newKey = key[0] + "?" + key.FirstOrDefault(k => k.StartsWith("p="));
if (output.ContainsKey(newKey))
output[newKey] += item.Value;
else
output[newKey] = item.Value;
}
else
output.Add(item.Key, item.Value);
}
return output;
}
#endregion
}
}
现在剩下的就是显而易见的东西 - 你将不得不在web.config值添加到您的应用程序配置或webconfig,并呼吁IPageViewCounter.GetPageViewCount
Answer 2:
这需要一点上谷歌方面设置的,但它实际上是相当简单的。 我将列出一步一步来。
首先,你需要创建在谷歌云控制台应用程序并启用Analytics(分析)API。
- 转到http://code.google.com/apis/console
- 选择下拉并创建一个项目,如果你不已经有一个
- 一旦创建项目点击服务
- 从这里启用Analytics(分析)API
现在,Analytics(分析)API启用下一步将启用服务帐户来访问所需的分析配置文件/点。 该服务帐户将允许您登录,而无需提示输入凭据的用户。
- 转到http://code.google.com/apis/console并选择您从下拉创建下来的项目。
- 接下来进入“API访问”部分,然后点击“创建另一个客户端ID”按钮。
- 在创建客户端ID窗口中选择服务帐户,然后点击创建客户端ID。
- 下载公钥此帐户,如果它没有开始下载automatically.You将需要此以后,当你的代码进行授权。
- 在退出副本之前的服务帐户自动生成的电子邮件地址,你将需要这在下一步。 客户端电子邮件看起来像@ developer.gserviceaccount.com
现在,我们有一个服务帐户,您需要允许该服务帐户来访问您的个人资料/在谷歌Analytics(分析)的网站。
- 登录到谷歌Analytics(分析)。
- 登录后点击管理按钮,左边屏幕上的bottem。
- 在管理员单击帐户下拉菜单,然后选择帐户/网站,您希望您的服务帐户能够访问再下帐户部分点击“用户管理”。
- 输入是为您的服务帐户生成的电子邮件地址,并给它阅读和分析权限。
- 重复这些步骤为任何其他帐户/网站,你想你的服务能够访问。
现在,该设置是服务帐户,通过我们就可以开始编写API访问谷歌Analytics(分析)来完成。
得到这个包从的NuGet:
Google.Apis.Analytics.v3客户端库
添加这些usings:
using Google.Apis.Analytics.v3;
using Google.Apis.Analytics.v3.Data;
using Google.Apis.Services;
using System.Security.Cryptography.X509Certificates;
using Google.Apis.Auth.OAuth2;
using System.Collections.Generic;
using System.Linq;
有些事情需要注意的是。
- 该
keyPath
是通向你以.p12文件扩展下载的密钥文件。 - 该
accountEmailAddress
是我们前面获取的API电子邮件。 - 适用范围是在一个枚举
Google.Apis.Analytics.v3.AnalyticService
即决定了网址,以便使用授权(如:类AnalyticsService.Scope.AnalyticsReadonly
)。 - 应用程序名称是您选择的名称,告诉谷歌API是什么访问它(又名:它可以是你选择什么都)。
然后代码做一些基本通话费如下。
public class GoogleAnalyticsAPI
{
public AnalyticsService Service { get; set; }
public GoogleAnalyticsAPI(string keyPath, string accountEmailAddress)
{
var certificate = new X509Certificate2(keyPath, "notasecret", X509KeyStorageFlags.Exportable);
var credentials = new ServiceAccountCredential(
new ServiceAccountCredential.Initializer(accountEmailAddress)
{
Scopes = new[] { AnalyticsService.Scope.AnalyticsReadonly }
}.FromCertificate(certificate));
Service = new AnalyticsService(new BaseClientService.Initializer()
{
HttpClientInitializer = credentials,
ApplicationName = "WorthlessVariable"
});
}
public AnalyticDataPoint GetAnalyticsData(string profileId, string[] dimensions, string[] metrics, DateTime startDate, DateTime endDate)
{
AnalyticDataPoint data = new AnalyticDataPoint();
if (!profileId.Contains("ga:"))
profileId = string.Format("ga:{0}", profileId);
//Make initial call to service.
//Then check if a next link exists in the response,
//if so parse and call again using start index param.
GaData response = null;
do
{
int startIndex = 1;
if (response != null && !string.IsNullOrEmpty(response.NextLink))
{
Uri uri = new Uri(response.NextLink);
var paramerters = uri.Query.Split('&');
string s = paramerters.First(i => i.Contains("start-index")).Split('=')[1];
startIndex = int.Parse(s);
}
var request = BuildAnalyticRequest(profileId, dimensions, metrics, startDate, endDate, startIndex);
response = request.Execute();
data.ColumnHeaders = response.ColumnHeaders;
data.Rows.AddRange(response.Rows);
} while (!string.IsNullOrEmpty(response.NextLink));
return data;
}
private DataResource.GaResource.GetRequest BuildAnalyticRequest(string profileId, string[] dimensions, string[] metrics,
DateTime startDate, DateTime endDate, int startIndex)
{
DataResource.GaResource.GetRequest request = Service.Data.Ga.Get(profileId, startDate.ToString("yyyy-MM-dd"),
endDate.ToString("yyyy-MM-dd"), string.Join(",", metrics));
request.Dimensions = string.Join(",", dimensions);
request.StartIndex = startIndex;
return request;
}
public IList<Profile> GetAvailableProfiles()
{
var response = Service.Management.Profiles.List("~all", "~all").Execute();
return response.Items;
}
public class AnalyticDataPoint
{
public AnalyticDataPoint()
{
Rows = new List<IList<string>>();
}
public IList<GaData.ColumnHeadersData> ColumnHeaders { get; set; }
public List<IList<string>> Rows { get; set; }
}
}
其他链接,这将证明是有益的:
解析API浏览器-查询API从Web
解析API Explorer版本2 -查询API从Web
维度和指标参考
希望这有助于有人试图做到这一点在未来。
Answer 3:
我希望只是添加注释的答案v3的测试版,但代表处点阻止。 但是,我认为这将是很好的人有这样的信息,所以在这里,它是:
using Google.Apis.Authentication.OAuth2;
using Google.Apis.Authentication.OAuth2.DotNetOpenAuth;
using System.Security.Cryptography.X509Certificates;
using Google.Apis.Services;
这些名字空间贯穿在该职位代码中使用。 我总是希望人们更经常张贴名字空间,我似乎花的时间好一点找他们。 我希望这可以节省一些人的工作几分钟。
Answer 4:
这个答案是对于那些谁想要访问自己的Analytics(分析)帐户,并希望使用新的分析报告API v4的 。
我最近写了一篇博客文章如何使用C#来获得谷歌Analytics的数据。 阅读存在的所有细节。
首先,您需要用OAuth2用户或服务帐户连接之间进行选择。 我假设你拥有Analytics帐户,所以你需要创建一个从谷歌的API“服务帐户键” 凭据页。
一旦你创建,下载JSON文件,并把它放在你的项目(我把我的在我App_Data
文件夹)。
接下来,安装Google.Apis.AnalyticsReporting.v4 NuGet包。 还安装Newtonsoft的Json.NET 。
在项目中的某处有这个类:
public class PersonalServiceAccountCred
{
public string type { get; set; }
public string project_id { get; set; }
public string private_key_id { get; set; }
public string private_key { get; set; }
public string client_email { get; set; }
public string client_id { get; set; }
public string auth_uri { get; set; }
public string token_uri { get; set; }
public string auth_provider_x509_cert_url { get; set; }
public string client_x509_cert_url { get; set; }
}
这里是你一直在等待什么:一个完整的例子!
string keyFilePath = Server.MapPath("~/App_Data/Your-API-Key-Filename.json");
string json = System.IO.File.ReadAllText(keyFilePath);
var cr = JsonConvert.DeserializeObject(json);
var xCred = new ServiceAccountCredential(new ServiceAccountCredential.Initializer(cr.client_email)
{
Scopes = new[] {
AnalyticsReportingService.Scope.Analytics
}
}.FromPrivateKey(cr.private_key));
using (var svc = new AnalyticsReportingService(
new BaseClientService.Initializer
{
HttpClientInitializer = xCred,
ApplicationName = "[Your Application Name]"
})
)
{
// Create the DateRange object.
DateRange dateRange = new DateRange() { StartDate = "2017-05-01", EndDate = "2017-05-31" };
// Create the Metrics object.
Metric sessions = new Metric { Expression = "ga:sessions", Alias = "Sessions" };
//Create the Dimensions object.
Dimension browser = new Dimension { Name = "ga:browser" };
// Create the ReportRequest object.
ReportRequest reportRequest = new ReportRequest
{
ViewId = "[A ViewId in your account]",
DateRanges = new List() { dateRange },
Dimensions = new List() { browser },
Metrics = new List() { sessions }
};
List requests = new List();
requests.Add(reportRequest);
// Create the GetReportsRequest object.
GetReportsRequest getReport = new GetReportsRequest() { ReportRequests = requests };
// Call the batchGet method.
GetReportsResponse response = svc.Reports.BatchGet(getReport).Execute();
}
首先,我们从JSON文件反序列化的服务帐户的关键信息,并将其转换为PersonalServiceAccountCred
对象。 然后,我们创建ServiceAccountCredential
,并通过连接到谷歌AnalyticsReportingService
。 使用该服务,我们再准备一些基本的过滤器来传递给API和发送关闭请求。
这也可能是最好设置一个断点,其中行response
变量声明,按F10键一次,然后变量悬停,所以你可以看到哪些数据是可供您在响应中使用。
Answer 5:
我有非常相似的NuGet包上面的回答设置的东西。 它具有以下功能: - 连接到“服务帐户”您在API控制台设置 - 拉任何谷歌Analytics的数据,你想 - 使用谷歌的图表API的数据显示和它所有的这一个非常简单的修改方法。 你可以看到更多在这里: https://www.nuget.org/packages/GoogleAnalytics.GoogleCharts.NET/ 。
Answer 6:
希望谷歌总有一天会提供适当的文档。 我在这里列出了所有谷歌分析服务器端验证在ASP.NET C#集成的步骤。
第1步:创建谷歌控制台项目
转到链接https://console.developers.google.com/iam-admin/projects并通过点击“创建项目”按钮创建一个项目,并在弹出的窗口中提供的项目名称和提交。
第2步:创建凭证和服务帐户
创建项目后,您将被重定向到“API管理器”页面。 点击凭证,并按“创建凭证”按钮。 选择“服务帐户键”从下拉菜单,你会被重定向到下一个页面。 在服务帐户下拉菜单中选择“新建服务帐户”。 填写服务帐户名和下载P12关键。 这将有P12的扩展。 你会得到具有密码“notasecret”,这是默认的,您的私人密钥将下载的弹出窗口。
步骤3:创建0auth客户端ID
点击“创建凭证”下拉菜单,选择“0auth客户端ID”,你会被重定向到“0auth同意画面”选项卡。 提供项目名称文本框中随机名称。 选择应用程序类型为“Web应用程序”,然后点击创建按钮。 在一个记事本复制生成的客户端ID。
步骤4:启用的API
在“概述”选项卡,然后选择左侧点击“启用的API”从水平选项卡。 在搜索栏搜索“分析API”单击下拉,然后按“启用”按钮。 现在再次搜索“分析报告V4”和启用它。
第5步:安装的NuGet包
在Visual Studio中,转到工具> NuGet包管理器>软件包管理器控制台。 复制粘贴下面的代码在控制台安装的NuGet包。
安装,包装Google.Apis.Analytics.v3
安装,包装DotNetOpenAuth.Core -Version 4.3.4.13329
上述两个包谷歌分析和DotNetOpenAuth的NuGet包。
第6步:提供“查看和分析”,以服务帐户的权限
转到谷歌Analytics帐户,然后单击“管理”选项卡,然后从左侧菜单“用户管理”中,选择您要访问的分析数据,并根据其插入服务帐户的电子邮件ID,然后选择“阅读和分析”权限的域从下拉菜单中。 服务帐户的电子邮件ID看起来像前:googleanalytics@googleanalytics.iam.gserviceaccount.com。
工作守则
前端代码:
复制并粘贴嵌入脚本下面的分析中你的前端,否则你还可以得到谷歌分析文档页面的代码。
<script>
(function (w, d, s, g, js, fs) {
g = w.gapi || (w.gapi = {}); g.analytics = { q: [], ready: function (f) { this.q.push(f); } };
js = d.createElement(s); fs = d.getElementsByTagName(s)[0];
js.src = 'https://apis.google.com/js/platform.js';
fs.parentNode.insertBefore(js, fs); js.onload = function () { g.load('analytics'); };
}(window, document, 'script'));</script>
在你的前端页面的主体标签下面的代码粘贴。
<asp:HiddenField ID="accessToken" runat="server" />
<div id="chart-1-container" style="width:600px;border:1px solid #ccc;"></div>
<script>
var access_token = document.getElementById('<%= accessToken.ClientID%>').value;
gapi.analytics.ready(function () {
/**
* Authorize the user with an access token obtained server side.
*/
gapi.analytics.auth.authorize({
'serverAuth': {
'access_token': access_token
}
});
/**
* Creates a new DataChart instance showing sessions.
* It will be rendered inside an element with the id "chart-1-container".
*/
var dataChart1 = new gapi.analytics.googleCharts.DataChart({
query: {
'ids': 'ga:53861036', // VIEW ID <-- Goto your google analytics account and select the domain whose analytics data you want to display on your webpage. From the URL ex: a507598w53044903p53861036. Copy the digits after "p". It is your view ID
'start-date': '2016-04-01',
'end-date': '2016-04-30',
'metrics': 'ga:sessions',
'dimensions': 'ga:date'
},
chart: {
'container': 'chart-1-container',
'type': 'LINE',
'options': {
'width': '100%'
}
}
});
dataChart1.execute();
/**
* Creates a new DataChart instance showing top 5 most popular demos/tools
* amongst returning users only.
* It will be rendered inside an element with the id "chart-3-container".
*/
});
</script>
您还可以让你查看ID https://ga-dev-tools.appspot.com/account-explorer/
后端代码:
using System;
using System.Linq;
using System.Collections.Generic;
using System.Collections.Specialized;
using System.Web.Script.Serialization;
using System.Net;
using System.Text;
using Google.Apis.Analytics.v3;
using Google.Apis.Analytics.v3.Data;
using Google.Apis.Services;
using System.Security.Cryptography.X509Certificates;
using Google.Apis.Auth.OAuth2;
using Google.Apis.Util;
using DotNetOpenAuth.OAuth2;
using System.Security.Cryptography;
namespace googleAnalytics
{
public partial class api : System.Web.UI.Page
{
public const string SCOPE_ANALYTICS_READONLY = "https://www.googleapis.com/auth/analytics.readonly";
string ServiceAccountUser = "googleanalytics@googleanalytics.iam.gserviceaccount.com"; //service account email ID
string keyFile = @"D:\key.p12"; //file link to downloaded key with p12 extension
protected void Page_Load(object sender, EventArgs e)
{
string Token = Convert.ToString(GetAccessToken(ServiceAccountUser, keyFile, SCOPE_ANALYTICS_READONLY));
accessToken.Value = Token;
var certificate = new X509Certificate2(keyFile, "notasecret", X509KeyStorageFlags.Exportable);
var credentials = new ServiceAccountCredential(
new ServiceAccountCredential.Initializer(ServiceAccountUser)
{
Scopes = new[] { AnalyticsService.Scope.AnalyticsReadonly }
}.FromCertificate(certificate));
var service = new AnalyticsService(new BaseClientService.Initializer()
{
HttpClientInitializer = credentials,
ApplicationName = "Google Analytics API"
});
string profileId = "ga:53861036";
string startDate = "2016-04-01";
string endDate = "2016-04-30";
string metrics = "ga:sessions,ga:users,ga:pageviews,ga:bounceRate,ga:visits";
DataResource.GaResource.GetRequest request = service.Data.Ga.Get(profileId, startDate, endDate, metrics);
GaData data = request.Execute();
List<string> ColumnName = new List<string>();
foreach (var h in data.ColumnHeaders)
{
ColumnName.Add(h.Name);
}
List<double> values = new List<double>();
foreach (var row in data.Rows)
{
foreach (var item in row)
{
values.Add(Convert.ToDouble(item));
}
}
values[3] = Math.Truncate(100 * values[3]) / 100;
txtSession.Text = values[0].ToString();
txtUsers.Text = values[1].ToString();
txtPageViews.Text = values[2].ToString();
txtBounceRate.Text = values[3].ToString();
txtVisits.Text = values[4].ToString();
}
public static dynamic GetAccessToken(string clientIdEMail, string keyFilePath, string scope)
{
// certificate
var certificate = new X509Certificate2(keyFilePath, "notasecret");
// header
var header = new { typ = "JWT", alg = "RS256" };
// claimset
var times = GetExpiryAndIssueDate();
var claimset = new
{
iss = clientIdEMail,
scope = scope,
aud = "https://accounts.google.com/o/oauth2/token",
iat = times[0],
exp = times[1],
};
JavaScriptSerializer ser = new JavaScriptSerializer();
// encoded header
var headerSerialized = ser.Serialize(header);
var headerBytes = Encoding.UTF8.GetBytes(headerSerialized);
var headerEncoded = Convert.ToBase64String(headerBytes);
// encoded claimset
var claimsetSerialized = ser.Serialize(claimset);
var claimsetBytes = Encoding.UTF8.GetBytes(claimsetSerialized);
var claimsetEncoded = Convert.ToBase64String(claimsetBytes);
// input
var input = headerEncoded + "." + claimsetEncoded;
var inputBytes = Encoding.UTF8.GetBytes(input);
// signature
var rsa = certificate.PrivateKey as RSACryptoServiceProvider;
var cspParam = new CspParameters
{
KeyContainerName = rsa.CspKeyContainerInfo.KeyContainerName,
KeyNumber = rsa.CspKeyContainerInfo.KeyNumber == KeyNumber.Exchange ? 1 : 2
};
var aescsp = new RSACryptoServiceProvider(cspParam) { PersistKeyInCsp = false };
var signatureBytes = aescsp.SignData(inputBytes, "SHA256");
var signatureEncoded = Convert.ToBase64String(signatureBytes);
// jwt
var jwt = headerEncoded + "." + claimsetEncoded + "." + signatureEncoded;
var client = new WebClient();
client.Encoding = Encoding.UTF8;
var uri = "https://accounts.google.com/o/oauth2/token";
var content = new NameValueCollection();
content["assertion"] = jwt;
content["grant_type"] = "urn:ietf:params:oauth:grant-type:jwt-bearer";
string response = Encoding.UTF8.GetString(client.UploadValues(uri, "POST", content));
var result = ser.Deserialize<dynamic>(response);
object pulledObject = null;
string token = "access_token";
if (result.ContainsKey(token))
{
pulledObject = result[token];
}
//return result;
return pulledObject;
}
private static int[] GetExpiryAndIssueDate()
{
var utc0 = new DateTime(1970, 1, 1, 0, 0, 0, 0, DateTimeKind.Utc);
var issueTime = DateTime.UtcNow;
var iat = (int)issueTime.Subtract(utc0).TotalSeconds;
var exp = (int)issueTime.AddMinutes(55).Subtract(utc0).TotalSeconds;
return new[] { iat, exp };
}
}
}
Answer 7:
另一个工作方法
添加以下代码在ConfigAuth
var googleApiOptions = new GoogleOAuth2AuthenticationOptions()
{
AccessType = "offline", // can use only if require
ClientId = ClientId,
ClientSecret = ClientSecret,
Provider = new GoogleOAuth2AuthenticationProvider()
{
OnAuthenticated = context =>
{
context.Identity.AddClaim(new Claim("Google_AccessToken", context.AccessToken));
if (context.RefreshToken != null)
{
context.Identity.AddClaim(new Claim("GoogleRefreshToken", context.RefreshToken));
}
context.Identity.AddClaim(new Claim("GoogleUserId", context.Id));
context.Identity.AddClaim(new Claim("GoogleTokenIssuedAt", DateTime.Now.ToBinary().ToString()));
var expiresInSec = 10000;
context.Identity.AddClaim(new Claim("GoogleTokenExpiresIn", expiresInSec.ToString()));
return Task.FromResult(0);
}
},
SignInAsAuthenticationType = DefaultAuthenticationTypes.ApplicationCookie
};
googleApiOptions.Scope.Add("openid"); // Need to add for google+
googleApiOptions.Scope.Add("profile");// Need to add for google+
googleApiOptions.Scope.Add("email");// Need to add for google+
googleApiOptions.Scope.Add("https://www.googleapis.com/auth/analytics.readonly");
app.UseGoogleAuthentication(googleApiOptions);
下方添加代码,名称空间和相对引用
using Google.Apis.Analytics.v3;
using Google.Apis.Analytics.v3.Data;
using Google.Apis.Auth.OAuth2;
using Google.Apis.Auth.OAuth2.Flows;
using Google.Apis.Auth.OAuth2.Responses;
using Google.Apis.Services;
using Microsoft.AspNet.Identity;
using Microsoft.Owin.Security;
using System;
using System.Threading.Tasks;
using System.Web;
using System.Web.Mvc;
public class HomeController : Controller
{
AnalyticsService service;
public IAuthenticationManager AuthenticationManager
{
get
{
return HttpContext.GetOwinContext().Authentication;
}
}
public async Task<ActionResult> AccountList()
{
service = new AnalyticsService(new BaseClientService.Initializer()
{
HttpClientInitializer = await GetCredentialForApiAsync(),
ApplicationName = "Analytics API sample",
});
//Account List
ManagementResource.AccountsResource.ListRequest AccountListRequest = service.Management.Accounts.List();
//service.QuotaUser = "MyApplicationProductKey";
Accounts AccountList = AccountListRequest.Execute();
return View();
}
private async Task<UserCredential> GetCredentialForApiAsync()
{
var initializer = new GoogleAuthorizationCodeFlow.Initializer
{
ClientSecrets = new ClientSecrets
{
ClientId = ClientId,
ClientSecret = ClientSecret,
},
Scopes = new[] { "https://www.googleapis.com/auth/analytics.readonly" }
};
var flow = new GoogleAuthorizationCodeFlow(initializer);
var identity = await AuthenticationManager.GetExternalIdentityAsync(DefaultAuthenticationTypes.ApplicationCookie);
if (identity == null)
{
Redirect("/Account/Login");
}
var userId = identity.FindFirstValue("GoogleUserId");
var token = new TokenResponse()
{
AccessToken = identity.FindFirstValue("Google_AccessToken"),
RefreshToken = identity.FindFirstValue("GoogleRefreshToken"),
Issued = DateTime.FromBinary(long.Parse(identity.FindFirstValue("GoogleTokenIssuedAt"))),
ExpiresInSeconds = long.Parse(identity.FindFirstValue("GoogleTokenExpiresIn")),
};
return new UserCredential(flow, userId, token);
}
}
在Global.asax中的Application_Start()添加这个
AntiForgeryConfig.UniqueClaimTypeIdentifier = ClaimTypes.NameIdentifier;
文章来源: Use Google Analytics API to show information in C#