0

我只是好奇,是否可以在 C# 中进行直接网络传输,而无需本地缓存。

例如,我有代表 GoogleDrive 文件的响应流和将文件上传到另一个 GoogleDrive 帐户的请求流。

在那一刻,我可以将文件下载到本地电脑,然后将其上传到谷歌驱动器。但是是否可以直接从一个谷歌驱动器上传到另一个,或者至少在完整下载完成之前开始上传。

谢谢

4

1 回答 1

0

是的,您可以使用 Google Drive api 将文件下载到流中并将其保存在内存中,以便您可以在登录后将其上传到另一个 Google Drive 帐户。

您在第一个帐户上获得您的令牌并下载一个将其保存在流中的文件。

然后您在其他谷歌驱动器帐户上进行身份验证并使用流上传文件。

PS: 当您在第二个驱动器帐户上插入文件时,不是让 byte[] 数组从磁盘读取文件,而是从内存中的流中获取字节数组。

文件下载示例:

public static System.IO.Stream DownloadFile(
      IAuthenticator authenticator, File file) {
    if (!String.IsNullOrEmpty(file.DownloadUrl)) {
      try {
        HttpWebRequest request = (HttpWebRequest)WebRequest.Create(
            new Uri(file.DownloadUrl));
        authenticator.ApplyAuthenticationToRequest(request);
        HttpWebResponse response = (HttpWebResponse) request.GetResponse();
        if (response.StatusCode == HttpStatusCode.OK) {
          return response.GetResponseStream();
        } else {
          Console.WriteLine(
              "An error occurred: " + response.StatusDescription);
          return null;
        }
      } catch (Exception e) {
        Console.WriteLine("An error occurred: " + e.Message);
        return null;
      }
    } else {
      // The file doesn't have any content stored on Drive.
      return null;
    }

文件插入示例:

private static File insertFile(DriveService service, String title, String description, String parentId, String mimeType, String filename) {
    // File's metadata.
    File body = new File();
    body.Title = title;
    body.Description = description;
    body.MimeType = mimeType;

    // Set the parent folder.
    if (!String.IsNullOrEmpty(parentId)) {
      body.Parents = new List<ParentReference>()
          {new ParentReference() {Id = parentId}};
    }

    // File's content.
    byte[] byteArray = System.IO.File.ReadAllBytes(filename);
    MemoryStream stream = new MemoryStream(byteArray);

    try {
      FilesResource.InsertMediaUpload request = service.Files.Insert(body, stream, mimeType);
      request.Upload();

      File file = request.ResponseBody;

      // Uncomment the following line to print the File ID.
      // Console.WriteLine("File ID: " + file.Id);

      return file;
    } catch (Exception e) {
      Console.WriteLine("An error occurred: " + e.Message);
      return null;
    }
  }
于 2012-12-03T21:07:41.900 回答