2
3

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

More than 1 year has passed since last update.

Blazor WebAssemblyとMicrosoft GraphでOneDriveを読み書きする

Last updated at Posted at 2022-06-11

概要

以下を読みながら、Blazor WebAssemblyMicrosoft Graph APIでOneDriveの読み書きを試したときのメモ。

開発環境構築方法は割愛する。
Visual Studio 2022でBlazor WebAssemblyの開発ができる状態であれば、大丈夫なはず。

ざっくりな流れは、以下のとおり。

  1. Azure Active Directoryにアプリを登録する
  2. Blazor WebAssemblyを実装する

Azure Active Directoryにアプリを登録する

Azure Active Directoryにアプリを登録する必要がある。

  1. 以下にアクセスする。
    https://aad.portal.azure.com/#blade/Microsoft_AAD_IAM/ActiveDirectoryMenuBlade/Overview
  2. [追加] -> [アプリの登録]をクリックする。
  3. 各種入力をして、登録をクリックする。
    1. 名前
      任意の名前。OneDriveReadWriteByBlazorWasmとした。
    2. サポートされているアカウントの種類
    3. リダイレクトURL
      あとで設定する
  4. 表示されているページのURLとクライアントIDを控える。
  5. パブリッククライアントフローを許可し、保存する。
  6. APIのアクセスを許可する。
    1. [APIのアクセス許可] -> [アクセス許可の追加] -> [Microsoft Graph] を選択する
    2. [委任されたアクセス許可]を選択する
    3. User.ReadFiles.ReadWriteを追加する

Blazor WebAssemblyを実装する

ここから本題。

プロジェクト作成

dotnet new blazorwasm -au SingleOrg --client-id "{CLIENT ID}" --tenant-id "common" -o {APP NAME}
プレースホルダー Azure Active Directory Name 備考
APP NAME - - 任意のアプリ名
CLIENT ID アプリケーション(クライアント)ID 41451fa7-82d9-4673-8fa5-69eff5a761fd 上で控えたやつ

Nugetパッケージ[Microsoft.Graph]をプロジェクトに追加

cd {APP NAME}.csprojがあるフォルダ
dotnet add package Microsoft.Graph

openid と offline_access の DefaultAccessTokenScopes の MsalProviderOptions のペアを追加

Program.csにaddの2行を追加する

builder.Services.AddMsalAuthentication(options =>
{
    builder.Configuration.Bind("AzureAd", options.ProviderOptions.Authentication);
    options.ProviderOptions.DefaultAccessTokenScopes.Add("openid");          // add
    options.ProviderOptions.DefaultAccessTokenScopes.Add("offline_access");  // add
});

ログインできることを確認

  1. {APP NAME}.csprojがあるフォルダに移動してdotnet runを実行する。
    以下が出力される。

    Building...
    info: Microsoft.Hosting.Lifetime[14]
          Now listening on: https://localhost:7176
    info: Microsoft.Hosting.Lifetime[14]
          Now listening on: http://localhost:5013
    info: Microsoft.Hosting.Lifetime[0]
          Application started. Press Ctrl+C to shut down.
    info: Microsoft.Hosting.Lifetime[0]
          Hosting environment: Development
    info: Microsoft.Hosting.Lifetime[0]
          Content root path: xxxxxxxxx\OneDriveReadWriteByBlazorWasm\OneDriveReadWriteByBlazorWasm
    
  2. 上で控えたURLをブラウザで表示し、[リダイレクトURLを追加する]をクリックする。

  3. [プラットホームを追加]をクリックする。

  4. [シングルページアプリケーション]をクリックする。

  5. [リダイレクトURL]を入力し、[構成]をクリックする。
    [リダイレクトURL]はhttps://localhost:ポート番号/authentication/login-callbackとする。
    ポート番号はdotnet runの最初に出るURLを参照。
    上の例で言うとhttps://localhost:7176

  6. ブラウザでdotnet runの最初に出るURLを表示し、Log inをクリックする。

  7. 以下が表示されたら、Microsoftアカウントにログインする。

  8. ログインできると、赤枠のところに"Hello 名前!"が表示される。

  9. ログインできたことを確認したら、ブラウザを閉じる。

  10. dotnet runを[Ctrl + C]で止める。

Microsoft Graph APIを使用して、OneDriveを読み書き

  • Visual Studio 2022で{APP NAME}.csprojを開く。

  • プロジェクト直下にGraphClientExtensions.csを追加し、以下のコードを書く。

namespace {APP NAME}
{
    using System;
    using System.Net.Http;
    using System.Net.Http.Headers;
    using System.Threading;
    using System.Threading.Tasks;
    using Microsoft.AspNetCore.Components.WebAssembly.Authentication;
    using Microsoft.Authentication.WebAssembly.Msal.Models;
    using Microsoft.Extensions.Configuration;
    using Microsoft.Extensions.DependencyInjection;
    using Microsoft.Graph;

    internal static class GraphClientExtensions
    {
        public static IServiceCollection AddGraphClient(
            this IServiceCollection services, params string[] scopes)
        {
            services.Configure<RemoteAuthenticationOptions<MsalProviderOptions>>(
                options =>
                {
                    foreach (var scope in scopes)
                    {
                        options.ProviderOptions.AdditionalScopesToConsent.Add(scope);
                    }
                });

            services.AddScoped<IAuthenticationProvider,
                NoOpGraphAuthenticationProvider>();
            services.AddScoped<IHttpProvider, HttpClientHttpProvider>(sp =>
                new HttpClientHttpProvider(new HttpClient()));
            services.AddScoped(sp =>
            {
                return new GraphServiceClient(
                    sp.GetRequiredService<IAuthenticationProvider>(),
                    sp.GetRequiredService<IHttpProvider>());
            });

            return services;
        }

        private class NoOpGraphAuthenticationProvider : IAuthenticationProvider
        {
            public NoOpGraphAuthenticationProvider(IAccessTokenProvider tokenProvider)
            {
                TokenProvider = tokenProvider;
            }

            public IAccessTokenProvider TokenProvider { get; }

            public async Task AuthenticateRequestAsync(HttpRequestMessage request)
            {
                var result = await TokenProvider.RequestAccessToken(
                    new AccessTokenRequestOptions()
                    {
                        Scopes = new[] {
                            "https://graph.microsoft.com/User.Read",
                            "https://graph.microsoft.com/Files.ReadWrite"
                        }
                    });

                if (result.TryGetToken(out var token))
                {
                    request.Headers.Authorization ??= new AuthenticationHeaderValue(
                        "Bearer", token.Value);
                }
            }
        }

        private class HttpClientHttpProvider : IHttpProvider
        {
            private readonly HttpClient http;

            public HttpClientHttpProvider(HttpClient http)
            {
                this.http = http;
            }

            public ISerializer Serializer { get; } = new Serializer();

            public TimeSpan OverallTimeout { get; set; } = TimeSpan.FromSeconds(300);

            public void Dispose()
            {
            }

            public Task<HttpResponseMessage> SendAsync(HttpRequestMessage request)
            {
                return http.SendAsync(request);
            }

            public Task<HttpResponseMessage> SendAsync(HttpRequestMessage request,
                HttpCompletionOption completionOption,
                CancellationToken cancellationToken)
            {
                return http.SendAsync(request, completionOption, cancellationToken);
            }
        }
    }
}
  • Program.csにaddの1行を追加する
builder.Services.AddMsalAuthentication(options =>
{
    builder.Configuration.Bind("AzureAd", options.ProviderOptions.Authentication);
    options.ProviderOptions.DefaultAccessTokenScopes.Add("openid");
    options.ProviderOptions.DefaultAccessTokenScopes.Add("offline_access");
});

// add
builder.Services.AddGraphClient("https://graph.microsoft.com/User.Read", "https://graph.microsoft.com/Files.ReadWrite");
  • Pages/GraphExample.razorを追加し、以下のコードを書く
@page "/GraphExample"
@using Microsoft.AspNetCore.Authorization
@using Microsoft.Graph
@using System.IO
@using System.Text
@attribute [Authorize]
@inject GraphServiceClient GraphClient

<h3>Graph Client Example</h3>

<h4>User infomation</h4>

@if (user != null)
{
    <p>DisplayName: @user.DisplayName</p>
    <p>UserPrincipalName: @user.UserPrincipalName</p>
}

<h4>Onedrive root items</h4>

@if (rootChildren != null)
{
    <table class="table">
        <thead>
            <tr>
                <th>Name</th>
            </tr>
        </thead>
        <tbody>
            @foreach (var rootChild in rootChildren)
            {
                <tr>
                    <td>@rootChild.Name</td>
                </tr>
            }
        </tbody>
    </table>
}

<h4>uploaded_by_graph_example</h4>
@if (lines != null)
{
    @foreach(var line in lines)
    {
        <p>@line</p>
    }
}


@code {
    private User? user;
    private IDriveItemChildrenCollectionPage? rootChildren;
    private List<string>? lines;

    protected override async Task OnInitializedAsync()
    {
        await this.InitializeUser();

        await this.PutFileToOneDrive();

        await this.InitializeItemList();

        await this.ReadTextFromOneDrive();
    }

    private async Task InitializeUser()
    {
        var request = GraphClient.Me.Request();
        user = await request.GetAsync();
    }

    private async Task PutFileToOneDrive()
    {
        await GraphClient.Me.Drive.Root
            .ItemWithPath("uploaded_by_graph_example.txt").Content
            .Request()
            .PutAsync<DriveItem>(new MemoryStream(Encoding.GetEncoding("UTF-8").GetBytes("line1\nline2\n行3\n")));
    }

    private async Task InitializeItemList()
    {
        rootChildren = await GraphClient.Me.Drive.Root.Children.Request().GetAsync();
    }

    private async Task ReadTextFromOneDrive()
    {
        var stream = await GraphClient.Me.Drive.Root
            .ItemWithPath("uploaded_by_graph_example.txt").Content
            .Request()
            .GetAsync();

        var ms = new MemoryStream();
        await stream.CopyToAsync(ms);
        var text = Encoding.GetEncoding("UTF-8").GetString(ms.ToArray());
        lines = text.Split('\n').ToList();
    }
}
  • {APP NAME}.csprojがあるフォルダに移動してdotnet runを実行し、ブラウザでhttps://localhost:ポート番号/を表示する。

  • [Log in]をクリックし、Microsoftアカウントにログインする。


  • ログインできると、赤枠のところに"Hello 名前!"が表示される。

  • ブラウザでhttps://localhost:ポート番号/GraphExampleを表示する。

    1. 上手くいっていれば、以下の動作をする。
      1. ユーザー情報(User infomation)が表示される。
      2. One Driveのルート直下にある要素一覧(Onedrive root items)が表示される。
        書き込みができていれば、uploaded_by_graph_example.txtがある。
      3. 書き込んだファイルを読み込んだ結果(uploaded_by_graph_example)に書き込んだ文字列が表示される。
    2. 念のため、OneDriveを直接覗いてアップロードされていることを確認する。
2
3
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
2
3

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?