在 Javascript 客户端中从 Google 驱动器下载文件

Downloading a file from Google Drive in Javascript client

我正在尝试将 Google 驱动器集成到我的 angular 应用程序中,以便我们的用户可以从文档中复制内容并将他们的图像下载到我的应用程序中。根据 file:get API Documentation,我使用以下代码获取文件

var request = gapi.client.drive.files.get({
        'fileId': fileId
    });
     var temp = this;
     request.execute(function (resp) {
});

但在响应中我只得到文件名,ID.There 没有下载 URL,这是 downloadFile 函数所必需的。 回应:

{kind: "drive#file", 
  id: "1KxxxxxxxxxxxxxxycMcfp8YWH2I",
   name: " Report-November", 
   mimeType: "application/vnd.google-apps.spreadsheet", 
    result:{
kind: "drive#file"
id: "1K7DxawpFz_xiEpxxxxxxxblfp8YWH2I"
name: "  Report-November"
mimeType: "application/vnd.google-apps.spreadsheet"
  }
}



下载文件功能:

/**
 * Download a file's content.
 *
 * @param {File} file Drive File instance.
 * @param {Function} callback Function to call when the request is complete.
 */
 downloadFile(file, callback) {
    if (file.downloadUrl) {
        var accessToken = gapi.auth.getToken().access_token;
        var xhr = new XMLHttpRequest();
        xhr.open('GET', file.downloadUrl);
        xhr.setRequestHeader('Authorization', 'Bearer ' + accessToken);
        xhr.onload = function () {
            callback(xhr.responseText);
        };
        xhr.onerror = function () {
            callback(null);
        };
        xhr.send();
    } else {
        callback(null);
    }
}

我错过了什么吗?在客户端从云端硬盘下载文件是否正确?

问题 1:

  • 您想从云端硬盘 API 下载文件。
  • 您的访问令牌可用于下载文件。
  • 您有下载文件的权限。
  • 您在驱动器 API 中使用 files.get 的方法。在这种情况下,文件不是 Google Docs.
  • 您想通过 Javascript.
  • 使用 gapi 来实现此目的

如果我的理解是正确的,这个修改怎么样?请将此视为几个可能的答案之一。

修改点:

  • 为了在Drive API中使用files.get的方法下载文件,请使用alt=media作为查询参数。反映到gapi时,请在request对象中加上alt: "media"

修改后的脚本:

当你的脚本修改后,变成如下。

从:
var request = gapi.client.drive.files.get({
        'fileId': fileId
    });
     var temp = this;
     request.execute(function (resp) {
});
到:
gapi.client.drive.files.get({
  fileId: fileId,
  alt: "media"
}).then(function(res) {

  // In this case, res.body is the binary data of the downloaded file.

});

参考:

问题 2:

  • 您想将 Google 文档下载为 DOCX 格式。

这种情况下,请使用files.export方法如下。

示例脚本:

gapi.client.drive.files.export({
  fileId: fileId,
  mimeType: "application/vnd.openxmlformats-officedocument.wordprocessingml.document"
}).then(function(res) {

  // In this case, res.body is the binary data of the downloaded file.

});
  • 在这种情况下,fileId 是 Google 文档的文件 ID。请注意这一点。

参考:

这适合下载图片

async function downloadFile(fileId: string, mimeType: string) {
        const res = await gapi.client.drive.files.get({
            fileId,
            alt: 'media'
        });
        const base64 = 'data:' + mimeType + ';base64,' + Buffer.from(res.body, 'binary').toString('base64');
        return base64;
    }