如何从dotnet核心webapi下载ZipFile?

时间:2016-12-29 16:13:00

标签: asp.net-web-api download .net-core zipfile aurelia-fetch-client

我正在尝试从dotnet核心web api操作下载zip文件,但我无法使其工作。我尝试通过POSTMAN和我的Aurelia Http Fetch Client调用该动作。

我能够像我想要的那样创建ZipFile并将其存储在系统上,但无法修复它,因此它通过api返回zip文件。

用例:用户选择几个图片集并单击下载按钮。图片集的ID被发送到api并创建一个zipfile,其中包含用于保存图片的每个图片集的目录。该zipfile将返回给用户,以便他/她可以将其存储在他们的系统中。

任何帮助都将不胜感激。

我的控制器操作

ç

我的aurelia获取客户端功能:

      /// <summary>
      /// Downloads a collection of picture collections and their pictures
      /// </summary>
      /// <param name="ids">The ids of the collections to download</param>
      /// <returns></returns>
      [HttpPost("download")]
      [ProducesResponseType(typeof(void), (int) HttpStatusCode.OK)]
      public async Task<IActionResult> Download([FromBody] IEnumerable<int> ids)
      {
           // Create new zipfile
           var zipFile = $"{_ApiSettings.Pictures.AbsolutePath}/collections_download_{Guid.NewGuid().ToString("N").Substring(0,5)}.zip";

           using (var repo = new PictureCollectionsRepository())
           using (var picturesRepo = new PicturesRepository())
           using (var archive = ZipFile.Open(zipFile, ZipArchiveMode.Create))
           {
                foreach (var id in ids)
                {
                     // Fetch collection and pictures
                     var collection = await repo.Get(id);
                     var pictures = await picturesRepo
                          .GetAll()
                          .Where(x => x.CollectionId == collection.Id)
                          .ToListAsync();

                     // Create collection directory IMPORTANT: the trailing slash
                     var directory = $"{collection.Number}_{collection.Name}_{collection.Date:yyyy-MM-dd}/";
                     archive.CreateEntry(directory);

                     // Add the pictures to the current collection directory
                     pictures.ForEach(x => archive.CreateEntryFromFile(x.FilePath, $"{directory}/{x.FileName}"));
                }
           }

           // What to do here so it returns the just created zip file?
      }
 }

我尝试了什么

请注意,我尝试的不会产生错误,它似乎没有做任何事情。

1)创建我自己的FileResult(就像我以前使用旧的ASP.NET一样)。当我通过邮递员或应用程序调用时,看不到正在使用的标题。

/**
 * Downloads all pictures from the picture collections in the ids array
 * @params ids The ids of the picture collections to download
 */
download(ids: Array<number>): Promise<any> {
    return this.http.fetch(AppConfiguration.baseUrl + this.controller + 'download', {
        method: 'POST',
        body: json(ids)
    })
}

}

2)https://stackoverflow.com/a/34857134/2477872

什么都不做。

return new FileResult(zipFile, Path.GetFileName(zipFile), "application/zip");

 public class FileResult : IActionResult
 {
      private readonly string _filePath;
      private readonly string _contentType;
      private readonly string _fileName;

      public FileResult(string filePath, string fileName = "", string contentType = null)
      {
           if (filePath == null) throw new ArgumentNullException(nameof(filePath));

           _filePath = filePath;
           _contentType = contentType;
           _fileName = fileName;
      }

      public Task ExecuteResultAsync(ActionContext context)
      {
           var response = new HttpResponseMessage(HttpStatusCode.OK)
           {
                Content = new ByteArrayContent(System.IO.File.ReadAllBytes(_filePath))
           };

           if (!string.IsNullOrEmpty(_fileName))
                response.Content.Headers.ContentDisposition = new ContentDispositionHeaderValue("attachment")
                {
                     FileName = _fileName
                };

           response.Content.Headers.ContentType = new MediaTypeHeaderValue(_contentType);

           return Task.FromResult(response);
      }
 }

我已经尝试过测试虚拟PDF文件,这似乎与POSTMAN一起使用。但是当我尝试将其更改为zip文件(见上文)时,它什么也没做。

      HttpContext.Response.ContentType = "application/zip";
           var result = new FileContentResult(System.IO.File.ReadAllBytes(zipFile), "application/zip")
           {
                FileDownloadName = Path.GetFileName(zipFile)
           };
           return result;

1 个答案:

答案 0 :(得分:8)

简而言之,下面的例子说明了如何通过dotnet-core api轻松地同时提供PDF和ZIP:

/// <summary>
/// Serves a file as PDF.
/// </summary>
[HttpGet, Route("{filename}/pdf", Name = "GetPdfFile")]
public IActionResult GetPdfFile(string filename)
{
    const string contentType = "application/pdf";
    HttpContext.Response.ContentType = contentType;
    var result = new FileContentResult(System.IO.File.ReadAllBytes(@"{path_to_files}\file.pdf"), contentType)
    {
        FileDownloadName = $"{filename}.pdf"
    };

    return result;
}

/// <summary>
/// Serves a file as ZIP.
/// </summary>
[HttpGet, Route("{filename}/zip", Name = "GetZipFile")]
public IActionResult GetZipFile(string filename)
{
    const string contentType ="application/zip";
    HttpContext.Response.ContentType = contentType;
    var result = new FileContentResult(System.IO.File.ReadAllBytes(@"{path_to_files}\file.zip"), contentType)
    {
        FileDownloadName = $"{filename}.zip"
    };

    return result;
}

此示例仅适用于

请注意,在这种情况下,两个操作之间只有一个主要区别(当然是源文件名):返回的contentType。

上面的示例使用'application / zip',正如您自己提到的那样,但可能只需要提供不同的mimetype(如'application / octet *')。

这导致推测无法正确读取zipfile或者您的网络服务器配置可能无法正确配置以提供.zip文件。

后者可能因您运行IIS Express,IIS,红隼等而有所不同。但是为了测试,您可以尝试将zip文件添加到〜/ wwwroot文件夹中,确保已启用服务静态Status.cs中的文件,以查看是否可以直接下载文件。