web-dev-qa-db-ja.com

GoogleアナリティクスAPIを使用して、C#で情報を表示します

私は一日中良い解決策を探していましたが、グーグルは非常に速く進化するので、何かが機能することはありません。私がやりたいことは、情報を表示するためにユーザーがログインする必要がある管理セクションを持つWebアプリがあることです。このセクションでは、特定のURLのページビューなど、GAのデータを表示します。私が表示しているのはユーザー情報ではなく、Googleアナリティクスのユーザーなので、渡す情報(ユーザー名/パスワードまたはAPIKey)を接続したいのですが、方法がわかりません。私が見つけたサンプルはすべてOAuth2を使用しています(私が理解していれば、訪問者にgoogleを使用してログインするように依頼します)。

私がこれまでに見つけたもの:

たぶん私は疲れているだけで、明日は簡単に解決策を見つけることができますが、今は助けが必要です!

ありがとう

49
VinnyG

私は多くの検索を行い、最終的に複数の場所からコードを検索し、その周りに自分のインターフェイスをラップするか、次の解決策を思いつきました。ここにコード全体を貼り付けるかどうかはわかりませんが、他のすべての人の時間を節約しないのはなぜでしょうか:)

前提条件として、Google.GData.Clientとgoogle.gdata.analytics package/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値をアプリケーションのconfigまたはwebconfigに追加し、IPageViewCounter.GetPageViewCountを呼び出す必要があります

31
MoXplod

Google側で少しセットアップする必要がありますが、実際には非常に簡単です。ステップごとにリストします。

まず、Googleクラウドコンソールでアプリケーションを作成し、Analytics APIを有効にする必要があります。

  • http://code.google.com/apis/console に移動します
  • ドロップダウンを選択し、プロジェクトをまだ作成していない場合は作成します
  • プロジェクトが作成されたら、サービスをクリックします
  • ここからAnalytics APIを有効にします

Analytics APIが有効になったので、次のステップは、サービスアカウントが目的の分析プロファイル/サイトにアクセスできるようにすることです。サービスアカウントを使用すると、ユーザーに資格情報を要求することなくログインできます。

  • http://code.google.com/apis/console に移動し、作成したプロジェクトをドロップダウンから選択します。
  • 次に、「API Access」セクションに移動して、「Create another client id」ボタンをクリックします。
  • [クライアントIDの作成]ウィンドウで、サービスアカウントを選択し、[クライアントIDの作成]をクリックします。
  • ダウンロードが自動的に開始されない場合は、このアカウントの公開鍵をダウンロードします。これは、後で認証のためにコーディングするときに必要になります。
  • 終了する前に、次の手順で必要になるため、サービスアカウントの自動生成メールアドレスをコピーします。クライアントのメールは@ developer.gserviceaccount.comのようになります

サービスアカウントを作成したので、このサービスアカウントがGoogleアナリティクスのプロファイル/サイトにアクセスできるようにする必要があります。

  • Google Analyticsにログインします。
  • ログインしたら、画面に残っているボットムの管理ボタンをクリックします。
  • [管理]で、アカウントのドロップダウンをクリックし、サービスアカウントにアクセスできるようにするアカウント/サイトを選択して、アカウントセクションの下にある[ユーザー管理]をクリックします。
  • サービスアカウント用に生成されたメールアドレスを入力し、読み取りと分析の許可を与えます。
  • サービスにアクセスさせたい他のアカウント/サイトについて、これらの手順を繰り返します。

これで、サービスアカウントがAPIを介してGoogleアナリティクスにアクセスするためのセットアップが完了したので、コーディングを開始できます。

NuGetからこのパッケージを入手します。

Google.Apis.Analytics.v3クライアントライブラリ

これらを使用して追加します。

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クラスのEnumであり、承認するために使用するURLを指示します(例:AnalyticsService.Scope.AnalyticsReadonly)。
  • アプリケーション名とは、Google 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; }
    }
}

役立つと思われるその他のリンク:

Analytic API Explorer-WebからのクエリAPI

Analytic API Explorerバージョン2-WebからのクエリAPI

ディメンションと指標のリファレンス

うまくいけば、これが将来これをしようとしている人の助けになります。

82
Logan G.

V3 Betaの回答にコメントを追加したいだけでしたが、担当者がそれを防いでいます。しかし、私は他の人がこの情報を持っているのがいいと思ったので、ここにあります:

using Google.Apis.Authentication.OAuth2;
using Google.Apis.Authentication.OAuth2.DotNetOpenAuth;
using System.Security.Cryptography.X509Certificates;
using Google.Apis.Services;

これらの名前空間は、その投稿のコード全体で使用されます。人々がネームスペースをもっと頻繁に投稿することを常に望んでいます。彼らを探すのにかなりの時間を費やしているようです。これにより、一部の人が数分の作業を節約できることを願っています。

10
Jereme Guenther

この回答は、独自のAnalyticsアカウントへのアクセスを希望し、新しい Analytics Reporting API v4 を使用したい人向けです。

最近、C#を使用してGoogleアナリティクスデータを取得する方法について ブログ投稿 を書きました。すべての詳細についてはこちらをお読みください。

まず、OAuth2とサービスアカウントのどちらで接続するかを選択する必要があります。アナリティクスアカウントを所有していると想定しているため、Google API Credentials ページから「サービスアカウントキー」を作成する必要があります。

作成したら、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を介してGoogleに接続します。そのサービスを使用して、APIに渡してリクエストを送信するための基本的なフィルターをいくつか準備します。

おそらく、response変数が宣言されている行にブレークポイントを設定し、F10を1回押してから変数の上にカーソルを置くと、応答で使用できるデータを確認できます。

9
John Washam

NuGetパッケージで上記の回答にかなり似たものをセットアップしました。以下を実行します。-APIコンソールで設定した「サービスアカウント」に接続します-任意のGoogleアナリティクスデータを取得します-GoogleのCharts APIを使用してそのデータを表示し、非常に簡単に変更できます。詳細はこちらをご覧ください: https://www.nuget.org/packages/GoogleAnalytics.GoogleCharts.NET/

3
pharophy

Googleがいつか適切なドキュメントを提供することを願っています。ここでは、ASP.NET C#にGoogleアナリティクスサーバー側認証を統合するためのすべての手順をリストしています。

ステップ1:Googleコンソールでプロジェクトを作成する

リンクに移動します https://console.developers.google.com/iam-admin/projects 「プロジェクトの作成」ボタンをクリックしてプロジェクトを作成し、ポップアップウィンドウにプロジェクト名を入力して送信しますそれ。

ステップ2:資格情報とサービスアカウントを作成する

プロジェクトの作成後、「API Manager」ページにリダイレクトされます。資格情報をクリックして、「資格情報の作成」ボタンを押します。ドロップダウンから「サービスアカウントキー」を選択すると、次のページにリダイレクトされます。サービスアカウントのドロップダウンで、[新しいサービスアカウント]を選択します。サービスアカウント名を入力し、p12キーをダウンロードします。 p12拡張子が付きます。デフォルトのパスワード「notasecret」を含むポップアップが表示され、秘密鍵がダウンロードされます。

ステップ3:0authクライアントIDを作成する

「資格情報の作成」ドロップダウンをクリックし、「0authクライアントID」を選択すると、「0auth同意画面」タブにリダイレクトされます。プロジェクト名のテキストボックスにランダムな名前を入力します。 「Webアプリケーション」としてアプリケーションの種類を選択し、作成ボタンをクリックします。生成されたクライアントIDをメモ帳にコピーします。

ステップ4:APIを有効にする

左側で[概要]タブをクリックし、水平タブから[有効なAPI]を選択します。 「Analytics API」の検索バー検索でドロップダウンをクリックし、「有効にする」ボタンを押します。ここで再び「Analytics Reporting V4」を検索して有効にします。

ステップ5:nugetパッケージをインストールする

Visual Studioで、[ツール]> [Nugetパッケージマネージャー]> [パッケージマネージャーコンソール]に移動します。以下のコードをコピーしてコンソールに貼り付け、nugetパッケージをインストールします。

Install-Package Google.Apis.Analytics.v3

Install-Package DotNetOpenAuth.Core -Version 4.3.4.13329

上記の2つのパッケージは、GoogleアナリティクスとDotNetOpenAuth nugetパッケージです。

ステップ6:サービスアカウントに「表示および分析」権限を付与する

Googleアナリティクスアカウントに移動し、「管理」タブをクリックして、左側のメニューから「ユーザー管理」を選択し、アナリティクスデータにアクセスするドメインを選択し、その下にサービスアカウントのメールIDを挿入し、「読み取りと分析」権限を選択しますドロップダウンから。サービスアカウントのメールIDは、例:[email protected]のようになります。

作業コード

フロントエンドコード:

以下のアナリティクス埋め込みスクリプトをコピーしてフロントエンドに貼り付けるか、Googleアナリティクスのドキュメントページからこのコードを取得することもできます。

 <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>

フロントエンドページのbodyタグに以下のコードを貼り付けます。

 <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 = "[email protected]"; //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 };
        }

        }
    }
1

別の作業アプローチ

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;
0
Parth Mistry