Xamrin.Android的Google Drive ApI V3迁移

问题描述 投票:1回答:1

[请让我知道如何迁移到Google Drive API v2或V3。我找到了与java有关的所有迁移答案。找不到与Google Drive API v2或V3等效的xamarin nuget程序包。

我已经尝试过使用此Xamarin.GooglePlayServices.Drive nuget程序包,但是在此描述了所有驱动器api。

有人可以在xamarin中尝试Google驱动器集成。请帮助我。这是我的尝试

    GoogleSignInOptions gso = new GoogleSignInOptions.Builder(GoogleSignInOptions.DefaultSignIn)
                .RequestEmail()
                .Build();

    var mGoogleApiClient = new GoogleApiClient.Builder(this)
                .EnableAutoManage(this /* FragmentActivity */, this /* OnConnectionFailedListener */)
                .AddApi(Auth.GOOGLE_SIGN_IN_API, gso)
                .Build();


     MetadataChangeSet changeSet = new MetadataChangeSet.Builder()
            .SetTitle(_backupFolderName)
            .Build();
        IDriveFolderDriveFolderResult result;
        try
        {
            result = await DriveClass.DriveApi.GetRootFolder(_googleApiClient)
                .CreateFolderAsync(_googleApiClient, changeSet);
        }
        catch (Exception)
        {
            return null;
        }
c# xamarin.android
1个回答
1
投票

我找不到支持Xamarin和OAuth身份验证的Google驱动器的任何nuget程序包。所以我找到了使用Http Client Rest API的方法]

请执行以下步骤

  1. 使用Google Developer Console创建OAuth客户端ID
  2. 使用客户端ID以及其他信息,例如重定向

    public class GoogleAuthenticator : OAuth2Authenticator
    {
    public static OAuth2Authenticator Auth;
    
    public GoogleAuthenticator(string clientId, string scope, Uri authorizeUrl, Uri redirectUrl,
        GetUsernameAsyncFunc getUsernameAsync = null, bool isUsingNativeUi = false) : base(clientId, scope,
        authorizeUrl, redirectUrl, getUsernameAsync, isUsingNativeUi)
    {
        Auth = new OAuth2Authenticator(clientId, string.Empty, scope,
            authorizeUrl,
            redirectUrl,
            new Uri(GoogleDriveConfig.AccessTokenUri),
            null, true);
    
        Auth.Completed += OnAuthenticationCompleted;
        Auth.Error += OnAuthenticationFailed;
    }
    
    public void OnAuthenticationCompleted(object sender,AuthenticatorCompletedEventArgs e)
    {
        if (e.IsAuthenticated)
        {
            AuthenticationCompleted?.Invoke(e.Account.Properties["access_token"],
                e.Account.Properties["refresh_token"], e.Account.Properties["expires_in"]);
        }
    
    }
    
    public void OnAuthenticationFailed(object sender, AuthenticatorErrorEventArgs e)
    {
    
    }
    
  3. 启动浏览器

    public void SignInToDrive(Activity context)
      {
        Intent loginUi = Auth.GetUI(context);
    
        CustomTabsConfiguration.IsShowTitleUsed = false;
        CustomTabsConfiguration.IsActionButtonUsed = false;
        context.StartActivity(loginUi);
      }
    
  4. 创建GoogleAuthInterceptor活动

      [Activity(Label = "GoogleAuthInterceptor")] 
      [  IntentFilter ( actions: new[] 
      {Intent.ActionView}, 
       Categories = new[] { Intent.CategoryDefault, 
      Intent.CategoryBrowsable }, 
      DataSchemes = new[] {"YOUR PACKAGE NAME"}, DataPaths = new[] { "/oauth2redirect" 
       } ) ]
    
      public class GoogleAuthInterceptor : Activity
     {
       protected override void OnCreate(Bundle savedInstanceState)
      {
        base.OnCreate(savedInstanceState);
        Uri uriAndroid = Intent.Data;
    
        System.Uri uri = new System.Uri(uriAndroid.ToString());
    
            var intent = new Intent(ApplicationContext, typeof(MainActivity));
            intent.SetFlags(ActivityFlags.ClearTop | ActivityFlags.SingleTop);
            StartActivity(intent);
    
        GoogleAuthenticator.Auth.OnPageLoading(uri);
    
        Finish();
        return;
    }
    }
    
  5. 将文件上传到Google云端硬盘

    此基本地址适用于以下所有Google Drive API的

      HttpClient _httpClient = httpClient ?? new HttpClient
        {
            BaseAddress = new Uri(),
    
        };
    
    private async Task<HttpResponseMessage> CreateResumableSession(string accessToken, string fileName, long fileSize, string folderId)
    {
    
        var sessionRequest = new 
        HttpRequestMessage(HttpMethod.Post,"upload/drive/v3/files?uploadType=resumable");
        sessionRequest.Headers.Add("Authorization", "Bearer " + accessToken);
        sessionRequest.Headers.Add("X-Upload-Content-Type", "*/*");
        sessionRequest.Headers.Add("X-Upload-Content-Length", fileSize.ToString());
    
        string body = "{\"name\": \"" + fileName + "\", \"parents\": [\"" + folderId + "\"]}";
        sessionRequest.Content = new StringContent(body);
        sessionRequest.Content.Headers.ContentType = new MediaTypeHeaderValue("application/json");
      using (var sessionResponse = await _httpClient.SendAsync(sessionRequest) )
        {
            return sessionResponse;
        };
    
  6. 更新Google云端硬盘中的文件

    private async Task<bool> UpdateFile(string accessToken,string fileId,long fileSize,Stream stream)
    {
       HttpRequestMessage sessionRequest = new HttpRequestMessage(new HttpMethod("PATCH"), "upload/drive/v3/files/" + $"{fileId}");
        sessionRequest.Headers.Add("Authorization", "Bearer " + accessToken);
        sessionRequest.Headers.Add("X-Upload-Content-Type", "*/*");
        sessionRequest.Headers.Add("X-Upload-Content-Length", fileSize.ToString());
        sessionRequest.Content = new StreamContent(stream);
        sessionRequest.Content.Headers.ContentType = new MediaTypeHeaderValue("*/*");
    
        using (var response = await _httpClient.SendAsync(sessionRequest))
        {
            return response.IsSuccessStatusCode;
        }
    }
    
  7. 下载文件

      public async Task<Stream> DownloadFile(string accessToken, string fileId)
    {
        var request = new HttpRequestMessage(HttpMethod.Get,"drive/v3/files"+ $"/{fileId}" + "?fields=*&alt=media");
        request.Headers.Add("Authorization", "Bearer " + accessToken);
    
        var response = await _httpClient.SendAsync(request);
    
        if (response.IsSuccessStatusCode)
        {
            var contents = await response.Content.ReadAsStreamAsync();
            return contents;
        }
    
        return null; 
    }
    
  8. 获取所有文件

    public  async Task<GoogleDriveItem> GetFiles(string folderId, string accessToken)
    {  
        var request = new HttpRequestMessage(HttpMethod.Get,
            "drive/v3/files" +  "?q=parents%20%3D%20'" +
            $"{folderId}" +
            "'%20and%20trashed%20%3D%20false&fields=files(id%2Cname%2Ctrashed%2CmodifiedTime%2Cparents)");
        request.Headers.Add("Authorization", "Bearer " + accessToken);
        request.Headers.Add("Accept", "application/json");
        request.Headers.CacheControl = new CacheControlHeaderValue() { NoCache = true 
        };
    
        using (var response = await _httpClient.SendAsync(request))
        {
            var content = await response.Content.ReadAsStringAsync();
            return (JsonConvert.DeserializeObject<GoogleDriveItem>(content));
        }
    }
    
© www.soinside.com 2019 - 2024. All rights reserved.