在Angular中下载文件时无法获得进度和文件

问题描述 投票:0回答:1

我有一个Angular应用程序,我只想下载一个文件。

到目前为止,这是我的代码:

this.fileNavigationService.downloadFile(element).subscribe(result => {
    this.generateDownload(result);
});

我的服务:

downloadFile(file: FileElement) {
    return this.http.get(this.apiUrl + '/downloadFile', { params: file.name, responseType: 'blob' });
}

现在,我想在下载文件时显示进度。在网上查询后,我发现了一些非常有用的东西。我的服务现在看起来像这样:

downloadFile(file: FileElement) {
    const req = new HttpRequest('GET', '/downloadFile?path=' + file.name, {
      reportProgress: true,
    });

    return this.http.request(req).subscribe(event => {
      if (event.type === HttpEventType.DownloadProgress) {
        const percentDone = Math.round(100 * event.loaded / event.total);
        console.log(`File is ${percentDone}% downloaded.`);
      } else if (event instanceof HttpResponse) {
        console.log('File is completely downloaded!');
      }
    });
}

我可以在我的控制台中清楚地看到进度,但是,我现在有两个问题:

  • 我的代码永远不会进入最后的if,即使下载似乎达到100%
  • 我的组件中的代码显然在订阅方法上被破坏了 “订阅”类型中不存在“订阅”属性。

但我似乎无法找到一种方法来使这个工作,所以我可以得到进展和我的结果文件。

你有任何想法或例子可以帮助我吗?谢谢。

angular rxjs observable angular-httpclient
1个回答
2
投票

经过一些研究,我终于通过this answer设法解决了我的问题。

这是我的服务代码:

downloadFile(file: FileElement) {
  return this.http.get(
    this.apiUrl + '/downloadFile', 
    { 
        params: file.name, 
        responseType: 'blob',
        reportProgress: true,
        observe: 'events', 
        headers: new HttpHeaders({ 'Content-Type': 'application/json' }) 
    }
  );
}

在我的组件中:

this.fileNavigationService.downloadFile(element).subscribe(result => {
    if (result.type === HttpEventType.DownloadProgress) {
      const percentDone = Math.round(100 * result.loaded / result.total);
      console.log(percentDone);
    }
    if (result.type === HttpEventType.Response) {
      this.generateDownload(result.body);
    }
});
© www.soinside.com 2019 - 2024. All rights reserved.