API Google Диска не может написать папку

Я собрал это воедино из документации Google. Я пытаюсь записать тестовую папку в приложение Google Drive, но получаю эту ошибку:

An error occurred: {
 "error": {
  "errors": [
   {
    "domain": "global",
    "reason": "insufficientPermissions",
    "message": "Insufficient Permission"
   }
  ],
  "code": 403,
  "message": "Insufficient Permission"
 }
}

Поиск в Интернете кажется, что это связано с областями? Вот почему я добавил так много ниже:

require_once 'vendor/autoload.php';

date_default_timezone_set('Europe/London');

define('APPLICATION_NAME', 'Pauls Google Drive');
define('CREDENTIALS_PATH', '~/.credentials/drive-php-quickstart.json');
define('CLIENT_SECRET_PATH', __DIR__ . '/client_secret_paul.json');
// If modifying these scopes, delete your previously saved credentials
// at ~/.credentials/drive-php-quickstart.json
define('SCOPES', implode(' ', array(
        Google_Service_Drive::DRIVE,
        Google_Service_Drive::DRIVE_FILE,
        Google_Service_Drive::DRIVE_APPDATA,
        Google_Service_Drive::DRIVE_READONLY,
        Google_Service_Drive::DRIVE_METADATA,
        Google_Service_Drive::DRIVE_METADATA_READONLY
    )
));

if (php_sapi_name() != 'cli') {
    throw new Exception('This application must be run on the command line.');
}

/**
 * Returns an authorized API client.
 * @return Google_Client the authorized client object
 */
function getClient() {
    $client = new Google_Client();
    $client->setApplicationName(APPLICATION_NAME);
    $client->setScopes(SCOPES);
    $client->setAuthConfig(CLIENT_SECRET_PATH);
    $client->setAccessType('offline');

    // Load previously authorized credentials from a file.
    $credentialsPath = expandHomeDirectory(CREDENTIALS_PATH);
    if (file_exists($credentialsPath)) {
        $accessToken = json_decode(file_get_contents($credentialsPath), true);
    } else {
        // Request authorization from the user.
        $authUrl = $client->createAuthUrl();
        printf("Open the following link in your browser:\n%s\n", $authUrl);
        print 'Enter verification code: ';
        $authCode = trim(fgets(STDIN));

        // Exchange authorization code for an access token.
        $accessToken = $client->fetchAccessTokenWithAuthCode($authCode);

        // Store the credentials to disk.
        if(!file_exists(dirname($credentialsPath))) {
            mkdir(dirname($credentialsPath), 0700, true);
        }
        file_put_contents($credentialsPath, json_encode($accessToken));
        printf("Credentials saved to %s\n", $credentialsPath);
    }
    $client->setAccessToken($accessToken);

    // Refresh the token if it's expired.
    if ($client->isAccessTokenExpired()) {
        $client->fetchAccessTokenWithRefreshToken($client->getRefreshToken());
        file_put_contents($credentialsPath, json_encode($client->getAccessToken()));
    }
    return $client;
}

/**
 * Expands the home directory alias '~' to the full path.
 * @param string $path the path to expand.
 * @return string the expanded path.
 */
function expandHomeDirectory($path) {
    $homeDirectory = getenv('HOME');
    if (empty($homeDirectory)) {
        $homeDirectory = getenv('HOMEDRIVE') . getenv('HOMEPATH');
    }
    return str_replace('~', realpath($homeDirectory), $path);
}

function getFolderExistsCreate($service, $folderName, $folderDesc) {
    // List all user files (and folders) at Drive root
    $files = $service->files->listFiles();
    $found = false;
    // Go through each one to see if there is already a folder with the specified name
    foreach ($files['items'] as $item) {
        if ($item['title'] == $folderName) {
            $found = true;
            return $item['id'];
            break;
        }
    }
    // If not, create one
    if ($found == false) {
        $folder = new Google_Service_Drive_DriveFile();
        //Setup the folder to create
        $folder->setName($folderName);
        if(!empty($folderDesc))
            $folder->setDescription($folderDesc);
        $folder->setMimeType('application/vnd.google-apps.folder');
        //Create the Folder
        try {
            $createdFile = $service->files->create($folder, array(
                'mimeType' => 'application/vnd.google-apps.folder',
            ));
            // Return the created folder's id
            return $createdFile->id;
        } catch (Exception $e) {
            print "An error occurred: " . $e->getMessage();
        }
    }
}


// Get the API client and construct the service object.
$client = getClient();
$service = new Google_Service_Drive($client);

getFolderExistsCreate( $service, 'Test', 'This is a test folder' );

getFolderExistsCreate - метод, фактически создающий папку, которая находится чуть более чем на половине пути к коду. Пожалуйста помоги!!:) Я смог вернуть список файлов с диска без ошибок, поэтому я счастлив, что учетные данные и подключение в порядке.

2 ответа

Решение

Как насчет следующих подтверждений?

  1. Подтвердите, что Drive API снова включен.
  2. Вы сказали, что вы добавили области. Поэтому, пожалуйста, удалите файл ~/.credentials/drive-php-quickstart.json один раз. А затем запустите ваш скрипт и создайте drive-php-quickstart.json снова. Таким образом, добавленные области отражаются в токене доступа и токене обновления.

Если это не было полезно для вас, извините.

"code": 403, "message": "Недостаточно прав доступа"

эта ошибка указывает на разрешение папки.

Чтобы ваше приложение могло взаимодействовать с этой папкой (писать или читать), вы должны предоставить общий доступ к папке с идентификатором электронной почты учетной записи службы.

Шаги, которые необходимо выполнить Чтобы установить разрешение для папки: например, используемые учетные данные API Google Drive - это ключ учетной записи службы (другие параметры - ключ API, ключ OAuth),

  1. скопируйте "client_email" из файла service-account.json.

    [генерируется при создании учетной записи службы, файл, используемый для установки аутентификации на диске Google:$client->setAuthConfig('service-account.json'), шаблон client_email для поиска: SERVICE_ACCOUNT_NAME @ PROJECT_IDiam.gserviceaccount.com ]

  2. На диске Google щелкните правой кнопкой мыши выбранную папку, в которую необходимо загрузить файлы, выберите "Поделиться". Добавьте client_email. Нажмите "Готово". Этот процесс должен предоставить разрешение на доступ к папке client_email.

  3. Получить идентификатор папки этой папки (нажмите кнопку "клик" - выберите ссылку для общего доступа - только идентификатор). используйте этот folderId внутри файла, вызывающего новый Google_Service_Drive_DriveFile(массив ( 'name' => $filename, 'parent' => array($folderId), '$mimeType' => $ftype)

  4. Обратите внимание также на загруженные файлы совпадений mimeType.

Надеюсь это поможет!