Как авторизовать сервисную учетную запись для доступа к учетной записи пользователя Drive? - PullRequest
0 голосов
/ 09 мая 2018

Я пытаюсь разрешить пользователю обмениваться файлами с моим веб-приложением, у моего приложения есть служебная учетная запись, и оно успешно настроено с помощью G Suite.

Однако я не могу аутентифицировать пользователя, например, johndoe@gmail.com на ServiceAccount, чтобы получить доступ к его загруженным файлам, используя следующий код:

ServiceAccountCredential serviceAccountCredential = GoogleCredential.FromFile("service_account_secret.json").CreateScoped(DriveServiceScope).CreateWithUser("john_doe@gmail.com").UnderlyingCredential as ServiceAccountCredential;

Я получаю следующее исключение при отправке запроса с помощью DriveService:

Google.Apis.Auth.OAuth2.Responses.TokenResponseException: Ошибка: «unauthorized_client», Описание: «Клиент не авторизован для получить токены доступа, используя этот метод. ", Uri:" "'

Что нужно сделать johndoe@gmail.com, чтобы авторизовать мой ServiceAccount для доступа к его файлам?

1 Ответ

0 голосов
/ 09 мая 2018

Когда вы создали свою учетную запись службы в консоли разработчика Google, вы выбрали неправильный тип. Файлы кода и учетных данных различаются для разных типов учетных данных.

Вы, вероятно, создали учетные данные браузера или собственного приложения

Вот также пример кода для .net

    /// <summary>
    /// Authenticating to Google using a Service account
    /// Documentation: https://developers.google.com/accounts/docs/OAuth2#serviceaccount
    /// </summary>
    /// <param name="serviceAccountEmail">From Google Developer console https://console.developers.google.com</param>
    /// <param name="serviceAccountCredentialFilePath">Location of the .p12 or Json Service account key file downloaded from Google Developer console https://console.developers.google.com</param>
    /// <returns>AnalyticsService used to make requests against the Analytics API</returns>
    public static DriveService AuthenticateServiceAccount(string serviceAccountEmail, string serviceAccountCredentialFilePath, string[] scopes)
    {
        try
        {
            if (string.IsNullOrEmpty(serviceAccountCredentialFilePath))
                throw new Exception("Path to the service account credentials file is required.");
            if (!File.Exists(serviceAccountCredentialFilePath))
                throw new Exception("The service account credentials file does not exist at: " + serviceAccountCredentialFilePath);
            if (string.IsNullOrEmpty(serviceAccountEmail))
                throw new Exception("ServiceAccountEmail is required.");                

            // For Json file
            if (Path.GetExtension(serviceAccountCredentialFilePath).ToLower() == ".json")
            {
                GoogleCredential credential;
                using (var stream = new FileStream(serviceAccountCredentialFilePath, FileMode.Open, FileAccess.Read))
                {
                    credential = GoogleCredential.FromStream(stream)
                         .CreateScoped(scopes);
                }

                // Create the  Analytics service.
                return new DriveService(new BaseClientService.Initializer()
                {
                    HttpClientInitializer = credential,
                    ApplicationName = "Drive Service account Authentication Sample",
                });
            }
            else if (Path.GetExtension(serviceAccountCredentialFilePath).ToLower() == ".p12")
            {   // If its a P12 file

                var certificate = new X509Certificate2(serviceAccountCredentialFilePath, "notasecret", X509KeyStorageFlags.MachineKeySet | X509KeyStorageFlags.Exportable);
                var credential = new ServiceAccountCredential(new ServiceAccountCredential.Initializer(serviceAccountEmail)
                {
                    Scopes = scopes
                }.FromCertificate(certificate));

                // Create the  Drive service.
                return new DriveService(new BaseClientService.Initializer()
                {
                    HttpClientInitializer = credential,
                    ApplicationName = "Drive Authentication Sample",
                });
            }
            else
            {
                throw new Exception("Unsupported Service accounts credentials.");
            }

        }
        catch (Exception ex)
        {                
            throw new Exception("CreateServiceAccountDriveFailed", ex);
        }
    }
}
}

код извлечен из serviceaccount.cs

...