我正在尝试使用PHP了解Google Drive API v3的下载流程。使用API v2下载文件I:
使用API v3这似乎已被弃用,并且根据docs您在驱动器服务上使用数组参数files->get()
调用"alt" => "media"
来获取文件本身而不是元数据。
他们的例子是:
$fileId = '0BwwA4oUTeiV1UVNwOHItT0xfa2M';
$content = $driveService->files->get($fileId, array(
'alt' => 'media' ));
我无法理解它是如何工作的,并且已经在代码中进行了搜索,但它没有提供更多信息。
当您致电get()
时,示例中的$content
实际上是什么?它是文件的内容(在这种情况下,在处理大文件时这看起来很麻烦 - 当然你会忘记内存?!)或者它是某种类型的流引用我可以调用fopen
吗?如何将此文件保存到磁盘?
文档并没有真正详细说明进行API调用时会发生什么,只是说它执行文件下载?
答案 0 :(得分:11)
经过一些实验后,我想出来了。
当您使用文档中指定的get()
参数调用alt=>media
方法时,您将获得基础HTTP响应Guzzle response object(显然客户端库使用Guzzle,因为它是基础运输)。
从那里你可以调用任何Guzzle响应方法,例如$response->getStatusCode()
,或者你可以获得实际文件内容的流。
如果他们在某处记录了这些内容会有所帮助!
编辑:如果其他人不知道如何保存文件,这是一个粗略的例子。
<?php
date_default_timezone_set("Europe/London");
require_once 'vendor/autoload.php';
// I'm using a service account, use whatever Google auth flow for your type of account.
putenv('GOOGLE_APPLICATION_CREDENTIALS=/path/to/service/account/key.json');
$client = new Google_Client();
$client->addScope(Google_Service_Drive::DRIVE);
$client->useApplicationDefaultCredentials();
$service = new Google_Service_Drive($client);
$fileId = "0Bxxxxxxxxxxxxxxxxxxxx"; // Google File ID
$content = $service->files->get($fileId, array("alt" => "media"));
// Open file handle for output.
$outHandle = fopen("/path/to/destination", "w+");
// Until we have reached the EOF, read 1024 bytes at a time and write to the output file handle.
while (!$content->getBody()->eof()) {
fwrite($outHandle, $content->getBody()->read(1024));
}
// Close output file handle.
fclose($outHandle);
echo "Done.\n"
?>