如何使用Angular2或更高版本下载文件


180

我有一个WebApi / MVC应用程序,正在为其开发angular2客户端(以替换MVC)。我在了解Angular如何保存文件时遇到了一些麻烦。

请求成功(正常工作与MVC,我们可以登录接收到的数据),但我无法弄清楚如何保存下载的数据(我主要是遵循同样的逻辑这篇文章)。我敢肯定它很简单,但是到目前为止我还没有掌握它。

组件功能的代码如下。我尝试过不同的方案,则斑的方法应该是,据我了解的路要走,但没有作用createObjectURLURL。我什至无法URL在window中找到定义,但显然它存在。如果使用FileSaver.js模块,则会出现相同的错误。所以我想这是最近更改或尚未实现的事情。如何触发文件保存在A2中?

downloadfile(type: string){

    let thefile = {};
    this.pservice.downloadfile(this.rundata.name, type)
        .subscribe(data => thefile = new Blob([data], { type: "application/octet-stream" }), //console.log(data),
                    error => console.log("Error downloading the file."),
                    () => console.log('Completed file download.'));

    let url = window.URL.createObjectURL(thefile);
    window.open(url);
}

为了完整起见,获取数据的服务如下,但是它唯一要做的就是发出请求并成功传递数据而不进行映射:

downloadfile(runname: string, type: string){
   return this.authHttp.get( this.files_api + this.title +"/"+ runname + "/?file="+ type)
            .catch(this.logAndPassOn);
}

您不能使用这种方法下载大文件。您将达到每个选项卡的内存限制。可能低至1-2GB。
马修B.

@MatthewB。希望你说的更好。
史蒂夫

对于大文件下载,您需要指定一个新选项卡,例如,如果模拟<A>单击,目标需要等于“ _blank”或进行表单提交。我认为没有一种解决Ajax样式请求的大文件大小限制的干净方法。
马修·

Answers:


178

问题在于,可观察对象在另一个上下文中运行,因此当您尝试创建URL var时,您有一个空对象,而不是所需的Blob。

解决此问题的众多方法之一如下:

this._reportService.getReport().subscribe(data => this.downloadFile(data)),//console.log(data),
                 error => console.log('Error downloading the file.'),
                 () => console.info('OK');

请求准备就绪后,它将调用定义如下的函数“ downloadFile”:

downloadFile(data: Response) {
  const blob = new Blob([data], { type: 'text/csv' });
  const url= window.URL.createObjectURL(blob);
  window.open(url);
}

blob已完美创建,因此URL var,如果没有打开新窗口,请检查是否已导入'rxjs / Rx';

  import 'rxjs/Rx' ;

希望对您有所帮助。


9
什么是this._reportService.getReport()什么,返回什么?
Burjua '17

3
@Burjua的getReport()回报this.http.get(PriceConf.download.url)
JI-RUH

6
我遇到的问题是,在窗口打开和关闭不立即下载文件
布雷登布朗

7
我们如何在这里设置文件名?默认情况下,它选择一个数值作为名称
Saurabh '18

8
我已经使用上面的代码从API响应下载文件,但是在创建Blob部分“类型响应无法分配给Blobpart类型”时遇到了一些错误。如果有人知道此问题,请提供帮助
knbibin

90

试试这个

1-安装显示保存/打开文件弹出窗口的依赖项

npm install file-saver --save
npm install @types/file-saver --save

2-创建具有此功能的服务以获取数据

downloadFile(id): Observable<Blob> {
    let options = new RequestOptions({responseType: ResponseContentType.Blob });
    return this.http.get(this._baseUrl + '/' + id, options)
        .map(res => res.blob())
        .catch(this.handleError)
}

3-在组件中,使用“ file-saver”解析blob

import {saveAs as importedSaveAs} from "file-saver";

  this.myService.downloadFile(this.id).subscribe(blob => {
            importedSaveAs(blob, this.fileName);
        }
    )

这对我有用!


1
我将步骤2与@Alejandro的答案结合使用,不需要安装文件保护程序就可以工作...
Ewert

5
谢谢!它完美地工作!我想知道我们是否可以获得在响应头上定义的文件名。那可能吗?
jfajunior

2
错误Av5类型'RequestOptions'的参数不能分配给类型'{headers ?: HttpHeaders | {[header:string]:字符串| 串[]; };
GiveJob

但是,此文件不适合大文件下载。
瑞文

60

如果您不需要在请求中添加标题,则要在Angular2中下载文件,您可以执行以下简单操作

window.location.href='http://example.com/myuri/report?param=x';

在您的组件中。


4
有人可以告诉我为什么这个答案被否决了吗?主题是使用angular2下载文件。如果此方法可以进行简单下载,则也应将其标记为有效答案。
萨拉·谢蒂

5
@SaurabhShetty,如果您要发送自定义标头,这将无济于事,例如,如果您要发送身份验证令牌,该怎么办?如果您查看OP问题,您会发现他使用了authHttp
A.Akram

6
我确实了解反对票,但是这个答案解决了我的问题。
JoeriShoeby

1
如果让服务器在某些上下文中返回url,则服务器可以准备该url。例如:object:MyRecord.Cover。封面可以是服务器中图像的URL。调用get(Myrecord)时,让服务器返回准备好的URL(Cover),并设置安全令牌和其他标头。
Jens Alenius

2
这是一个有效的答案。只是因为它没有<在此处插入有用的功能>确实不能解决问题。
gburton

46

这是供那些正在寻找如何使用HttpClient和文件保护程序的人使用的:

  1. 安装文件保护程序

npm install file-saver --save

npm install @ types / file-saver --save

API服务类:

export() {
    return this.http.get(this.download_endpoint, 
        {responseType: 'blob'});
}

零件:

import { saveAs } from 'file-saver';
exportPdf() {
    this.api_service.export().subscribe(data => saveAs(data, `pdf report.pdf`));
}

1
开始下载时如何在浏览器中显示文件大小?我在http标头中将文件大小作为content-length发送。
humbleCoder

35

这个怎么样?

this.http.get(targetUrl,{responseType:ResponseContentType.Blob})
        .catch((err)=>{return [do yourself]})
        .subscribe((res:Response)=>{
          var a = document.createElement("a");
          a.href = URL.createObjectURL(res.blob());
          a.download = fileName;
          // start download
          a.click();
        })

我可以做的。
不需要额外的包裹。


3
如此简单,却是完美无缺的工具。它不会使DOM混乱,不会创建任何元素。我将此解决方案与上述解决方案结合使用,它的工作原理就像一个魅力。
Chax

20

Alejandro Corredor所述,这是一个简单的范围错误。在subscribe异步运行,并且open必须放置在此背景下,这样的数据加载完成时,我们触发下载。

也就是说,有两种方法可以做到这一点。如文档所建议,该服务负责获取和映射数据:

//On the service:
downloadfile(runname: string, type: string){
  var headers = new Headers();
  headers.append('responseType', 'arraybuffer');
  return this.authHttp.get( this.files_api + this.title +"/"+ runname + "/?file="+ type)
            .map(res => new Blob([res],{ type: 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet' }))
            .catch(this.logAndPassOn);
}

然后,在组件上,我们只订阅并处理映射的数据。有两种可能性。第一个,如原始帖子中所建议,但是需要进行一些小的修改,如Alejandro所指出的:

//On the component
downloadfile(type: string){
  this.pservice.downloadfile(this.rundata.name, type)
      .subscribe(data => window.open(window.URL.createObjectURL(data)),
                  error => console.log("Error downloading the file."),
                  () => console.log('Completed file download.'));
  }

第二种方法是使用FileReader。逻辑是相同的,但是我们可以显式地等待FileReader加载数据,避免嵌套,并解决异步问题。

//On the component using FileReader
downloadfile(type: string){
    var reader = new FileReader();
    this.pservice.downloadfile(this.rundata.name, type)
        .subscribe(res => reader.readAsDataURL(res), 
                    error => console.log("Error downloading the file."),
                    () => console.log('Completed file download.'));

    reader.onloadend = function (e) {
        window.open(reader.result, 'Excel', 'width=20,height=10,toolbar=0,menubar=0,scrollbars=no');
  }
}

注意:我正在尝试下载Excel文件,即使触发了下载(因此可以回答问题),文件也已损坏。请参阅此帖子的答案,避免损坏文件。


7
我认为文件损坏的原因是因为您正在加载res到Blob中并且您实际上想要res._body。但是_body是私有变量,无法访问。截至今天.blob(),并.arrayBuffer()在HTTP响应对象还没有2角已经实现text()json()是仅有的两个选项但双方会断章取义你的身体。您找到解决方案了吗?
sschueller

1
您好@rll,我按照上述步骤操作,我已完成订阅。仍然我看不到文件正在下载。我也看不到任何错误。请帮助
AishApp '16

1
这2个选项可让我下载文件,但会先将数据加载到后台。如果我必须下载一个大文件怎么办?
f123

1
我的解决方案是只使用 <a href=""></a>下载文件。
user2061057

1
我知道这是一个古老的答案,但它在搜索结果中占很高的位置,并且是公认的答案:`headers.append('responseType','arraybuffer');行是错误的。这是一个选项,而不是标题。请修复它。Aaaand ...标头已创建且未使用。没有帮助。
Stevo

17

下载用于angular 2.4.x的* .zip解决方案:您必须从“ @ angular / http”导入ResponseContentType,并将responseType更改为ResponseContentType.ArrayBuffer(默认情况下为ResponseContentType.Json)

getZip(path: string, params: URLSearchParams = new URLSearchParams()): Observable<any> {
 let headers = this.setHeaders({
      'Content-Type': 'application/zip',
      'Accept': 'application/zip'
    });

 return this.http.get(`${environment.apiUrl}${path}`, { 
   headers: headers, 
   search: params, 
   responseType: ResponseContentType.ArrayBuffer //magic
 })
          .catch(this.formatErrors)
          .map((res:Response) => res['_body']);
}

16

对于较新的角度版本:

npm install file-saver --save
npm install @types/file-saver --save


import {saveAs} from 'file-saver/FileSaver';

this.http.get('endpoint/', {responseType: "blob", headers: {'Accept': 'application/pdf'}})
  .subscribe(blob => {
    saveAs(blob, 'download.pdf');
  });

谢谢,可以和Angular 8一起使用。不知道为什么很难找到它。
MDave

11

通过ajax下载文件始终是一个痛苦的过程,在我看来,最好让服务器和浏览器完成内容类型协商的这项工作。

我认为最好

<a href="api/sample/download"></a> 

去做吧。这甚至不需要任何新的窗口打开之类的东西。

您的示例中的MVC控制器可以类似于以下示例:

[HttpGet("[action]")]
public async Task<FileContentResult> DownloadFile()
{
    // ...
    return File(dataStream.ToArray(), "text/plain", "myblob.txt");
}

1
没错,但是如何在单页应用程序中管理服务器错误?在一个错误的情况下,通常情况下,一个REST服务返回的JSON与错误,从而导致应用程序在另一个浏览器窗口中打开JSON,这是用户希望看到的不是
卢卡

2
如果您有访问令牌,则需要提供该令牌,否则将无法正常工作
chris313​​89'9

这很简单。但是,如果您想进行一些身份验证,则可能会有一次性令牌之类的东西。因此,您可以将URL设置为:example.com/myuri/report?tokenid=1234-1233,而不是像这样,并验证数据库中的令牌ID。当然,它不是一个简单的场景,并在所有的情况下工作,但可以在局面的解决方案在哪里,你返回报告甲流之前,必须对数据库的访问..
GingerBeer

从服务器获取下载网址。因此,服务器可以使用一次性安全令牌准备URL。
Jens Alenius

8

我将Angular 4与4.3 httpClient对象一起使用。我修改了在Js的技术博客中找到的答案,该答案创建了一个链接对象,使用它进行下载,然后销毁它。

客户:

doDownload(id: number, contentType: string) {
    return this.http
        .get(this.downloadUrl + id.toString(), { headers: new HttpHeaders().append('Content-Type', contentType), responseType: 'blob', observe: 'body' })
}

downloadFile(id: number, contentType: string, filename:string)  {

    return this.doDownload(id, contentType).subscribe(  
        res => { 
            var url = window.URL.createObjectURL(res);
            var a = document.createElement('a');
            document.body.appendChild(a);
            a.setAttribute('style', 'display: none');
            a.href = url;
            a.download = filename;
            a.click();
            window.URL.revokeObjectURL(url);
            a.remove(); // remove the element
        }, error => {
            console.log('download error:', JSON.stringify(error));
        }, () => {
            console.log('Completed file download.')
        }); 

} 

之前已设置this.downloadUrl的值以指向api。我正在使用它来下载附件,所以我知道id,contentType和文件名:我正在使用MVC api返回文件:

 [ResponseCache(Location = ResponseCacheLocation.None, NoStore = true)]
    public FileContentResult GetAttachment(Int32 attachmentID)
    { 
        Attachment AT = filerep.GetAttachment(attachmentID);            
        if (AT != null)
        {
            return new FileContentResult(AT.FileBytes, AT.ContentType);  
        }
        else
        { 
            return null;
        } 
    } 

附件类如下所示:

 public class Attachment
{  
    public Int32 AttachmentID { get; set; }
    public string FileName { get; set; }
    public byte[] FileBytes { get; set; }
    public string ContentType { get; set; } 
}

filerep存储库从数据库返回文件。

希望这可以帮助某人:)


7

对于那些使用Redux Pattern的人

我在他的答案中命名为@Hector Cuevas并添加了文件保存器。使用Angular2 v 2.3.1,我不需要添加@ types / file-saver。

以下示例是将日记下载为PDF。

日记动作

public static DOWNLOAD_JOURNALS = '[Journals] Download as PDF';
public downloadJournals(referenceId: string): Action {
 return {
   type: JournalActions.DOWNLOAD_JOURNALS,
   payload: { referenceId: referenceId }
 };
}

public static DOWNLOAD_JOURNALS_SUCCESS = '[Journals] Download as PDF Success';
public downloadJournalsSuccess(blob: Blob): Action {
 return {
   type: JournalActions.DOWNLOAD_JOURNALS_SUCCESS,
   payload: { blob: blob }
 };
}

日记效果

@Effect() download$ = this.actions$
    .ofType(JournalActions.DOWNLOAD_JOURNALS)
    .switchMap(({payload}) =>
        this._journalApiService.downloadJournal(payload.referenceId)
        .map((blob) => this._actions.downloadJournalsSuccess(blob))
        .catch((err) => handleError(err, this._actions.downloadJournalsFail(err)))
    );

@Effect() downloadJournalSuccess$ = this.actions$
    .ofType(JournalActions.DOWNLOAD_JOURNALS_SUCCESS)
    .map(({payload}) => saveBlobAs(payload.blob, 'journal.pdf'))

日记服务

public downloadJournal(referenceId: string): Observable<any> {
    const url = `${this._config.momentumApi}/api/journals/${referenceId}/download`;
    return this._http.getBlob(url);
}

HTTP服务

public getBlob = (url: string): Observable<any> => {
    return this.request({
        method: RequestMethod.Get,
        url: url,
        responseType: ResponseContentType.Blob
    });
};

日志减少器 虽然只设置了应用程序中使用的正确状态,但我仍然希望将其添加以显示完整的模式。

case JournalActions.DOWNLOAD_JOURNALS: {
  return Object.assign({}, state, <IJournalState>{ downloading: true, hasValidationErrors: false, errors: [] });
}

case JournalActions.DOWNLOAD_JOURNALS_SUCCESS: {
  return Object.assign({}, state, <IJournalState>{ downloading: false, hasValidationErrors: false, errors: [] });
}

我希望这是有帮助的。


7

我分享了对我有帮助的解决方案(任何改进都将不胜感激)

在您的服务 “ pservice”上:

getMyFileFromBackend(typeName: string): Observable<any>{
    let param = new URLSearchParams();
    param.set('type', typeName);
    // setting 'responseType: 2' tells angular that you are loading an arraybuffer
    return this.http.get(http://MYSITE/API/FILEIMPORT, {search: params, responseType: 2})
            .map(res => res.text())
            .catch((error:any) => Observable.throw(error || 'Server error'));
}

组成部分:

downloadfile(type: string){
   this.pservice.getMyFileFromBackend(typename).subscribe(
                    res => this.extractData(res),
                    (error:any) => Observable.throw(error || 'Server error')
                );
}

extractData(res: string){
    // transforme response to blob
    let myBlob: Blob = new Blob([res], {type: 'application/vnd.oasis.opendocument.spreadsheet'}); // replace the type by whatever type is your response

    var fileURL = URL.createObjectURL(myBlob);
    // Cross your fingers at this point and pray whatever you're used to pray
    window.open(fileURL);
}

在组件部分,您无需订阅响应即可调用服务。订阅openOffice MIME类型的完整列表,请参见:http : //www.openoffice.org/framework/documentation/mimetypes/mimetypes.html


7

如果尝试在内部调用新方法会更好 subscribe

this._reportService.getReport()
    .subscribe((data: any) => {
        this.downloadFile(data);
    },
        (error: any) => сonsole.log(error),
        () => console.log('Complete')
    );

downloadFile(data)我们需要做的内部功能block, link, href and file name

downloadFile(data: any, type: number, name: string) {
    const blob = new Blob([data], {type: 'text/csv'});
    const dataURL = window.URL.createObjectURL(blob);

    // IE doesn't allow using a blob object directly as link href
    // instead it is necessary to use msSaveOrOpenBlob
    if (window.navigator && window.navigator.msSaveOrOpenBlob) {
      window.navigator.msSaveOrOpenBlob(blob);
      return;
    }

    const link = document.createElement('a');
    link.href = dataURL;
    link.download = 'export file.csv';
    link.click();

    setTimeout(() => {

      // For Firefox it is necessary to delay revoking the ObjectURL
      window.URL.revokeObjectURL(dataURL);
      }, 100);
    }
}

5

要下载和显示PDF文件,会截取非常相似的代码,如下所示:

  private downloadFile(data: Response): void {
    let blob = new Blob([data.blob()], { type: "application/pdf" });
    let url = window.URL.createObjectURL(blob);
    window.open(url);
  }

  public showFile(fileEndpointPath: string): void {
    let reqOpt: RequestOptions = this.getAcmOptions();  //  getAcmOptions is our helper method. Change this line according to request headers you need.
    reqOpt.responseType = ResponseContentType.Blob;
    this.http
      .get(fileEndpointPath, reqOpt)
      .subscribe(
        data => this.downloadFile(data),
        error => alert("Error downloading file!"),
        () => console.log("OK!")
      );
  }

5

这是我做的事情-

// service method
downloadFiles(vendorName, fileName) {
    return this.http.get(this.appconstants.filesDownloadUrl, { params: { vendorName: vendorName, fileName: fileName }, responseType: 'arraybuffer' }).map((res: ArrayBuffer) => { return res; })
        .catch((error: any) => _throw('Server error: ' + error));
}

// a controller function which actually downloads the file
saveData(data, fileName) {
    var a = document.createElement("a");
    document.body.appendChild(a);
    a.style = "display: none";
    let blob = new Blob([data], { type: "octet/stream" }),
        url = window.URL.createObjectURL(blob);
    a.href = url;
    a.download = fileName;
    a.click();
    window.URL.revokeObjectURL(url);
}

// a controller function to be called on requesting a download
downloadFiles() {
    this.service.downloadFiles(this.vendorName, this.fileName).subscribe(data => this.saveData(data, this.fileName), error => console.log("Error downloading the file."),
        () => console.info("OK"));
}

该解决方案是从- 这里引用的


4

使用文件保护程序和HttpClient更新Hector的答案,以进行步骤2:

public downloadFile(file: File): Observable<Blob> {
    return this.http.get(file.fullPath, {responseType: 'blob'})
}

3

我有一个解决方案,可以使用spring mvc和angular 2从angular 2下载而不会损坏

1-我的返回类型是:- 从Java端的ResponseEntity。在这里,我要发送的byte []数组具有从控制器返回的类型。

第二-将文件保护程序包含在工作区中-在索引页面中为:

<script src="https://cdnjs.cloudflare.com/ajax/libs/FileSaver.js/2014-11-29/FileSaver.min.js"></script>

第三个组件ts编写以下代码:

import {ResponseContentType} from '@angular.core';

let headers = new Headers({ 'Content-Type': 'application/json', 'MyApp-Application' : 'AppName', 'Accept': 'application/pdf' });
        let options = new RequestOptions({ headers: headers, responseType: ResponseContentType.Blob });
            this.http
            .post('/project/test/export',
                    somevalue,options)
              .subscribe(data => {

                  var mediaType = 'application/vnd.ms-excel';
                  let blob: Blob = data.blob();
                    window['saveAs'](blob, 'sample.xls');

                });

这将为您提供xls文件格式。如果要使用其他格式,请使用右扩展名更改媒体类型和文件名。


3

我今天也遇到了同样的情况,我必须下载一个PDF文件作为附件(该文件不应在浏览器中呈现,而应下载)。为了实现这一点,我必须将文件放在Angular中Blob,同时Content-Disposition在响应中添加标头。

这是我能获得的最简单的方法(角度7):

服务内部:

getFile(id: String): Observable<HttpResponse<Blob>> {
  return this.http.get(`./file/${id}`, {responseType: 'blob', observe: 'response'});
}

然后,当我需要在组件中下载文件时,我可以简单地:

fileService.getFile('123').subscribe((file: HttpResponse<Blob>) => window.location.href = file.url);

更新:

从服务中删除了不必要的标题设置


如果我使用window.location.href而不是window.open,Chrome会将其视为多个文件下载。
DanO

如果您在标头中需要身份验证令牌,则此方法将不起作用
garg10may

2

以下代码对我有用

let link = document.createElement('a');
link.href = data.fileurl; //data is object received as response
link.download = data.fileurl.substr(data.fileurl.lastIndexOf('/') + 1);
link.click();

2

我发现到目前为止的答案缺乏洞察力和警告。您可以并且应该注意与IE10 +的不兼容(如果您在乎的话)。

这是带有应用程序部分和服务部分的完整示例。请注意,我们设置了观察:“响应”以捕获文件名的标题。还要注意,Content-Disposition标头必须由服务器设置和公开,否则当前的Angular HttpClient将不会继续传递它。我在下面添加了一个dotnet核心代码段。

public exportAsExcelFile(dataId: InputData) {
    return this.http.get(this.apiUrl + `event/export/${event.id}`, {
        responseType: "blob",
        observe: "response"
    }).pipe(
        tap(response => {
            this.downloadFile(response.body, this.parseFilename(response.headers.get('Content-Disposition')));
        })
    );
}

private downloadFile(data: Blob, filename: string) {
    const blob = new Blob([data], {type: 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet;charset=utf-8;'});
    if (navigator.msSaveBlob) { // IE 10+
        navigator.msSaveBlob(blob, filename);
    } else {
        const link = document.createElement('a');
        if (link.download !== undefined) {
            // Browsers that support HTML5 download attribute
            const url = URL.createObjectURL(blob);
            link.setAttribute('href', url);
            link.setAttribute('download', filename);
            link.style.visibility = 'hidden';
            document.body.appendChild(link);
            link.click();
            document.body.removeChild(link);
        }
    }
}

private parseFilename(contentDisposition): string {
    if (!contentDisposition) return null;
    let matches = /filename="(.*?)"/g.exec(contentDisposition);

    return matches && matches.length > 1 ? matches[1] : null;
}

Dotnet核心,具有Content-Disposition和MediaType

 private object ConvertFileResponse(ExcelOutputDto excelOutput)
    {
        if (excelOutput != null)
        {
            ContentDisposition contentDisposition = new ContentDisposition
            {
                FileName = excelOutput.FileName.Contains(_excelExportService.XlsxExtension) ? excelOutput.FileName : "TeamsiteExport.xlsx",
                Inline = false
            };
            Response.Headers.Add("Access-Control-Expose-Headers", "Content-Disposition");
            Response.Headers.Add("Content-Disposition", contentDisposition.ToString());
            return File(excelOutput.ExcelSheet, "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet");
        }
        else
        {
            throw new UserFriendlyException("The excel output was empty due to no events.");
        }
    }

1
 let headers = new Headers({
                'Content-Type': 'application/json',
                'MyApp-Application': 'AppName',
                'Accept': 'application/vnd.ms-excel'
            });
            let options = new RequestOptions({
                headers: headers,
                responseType: ResponseContentType.Blob
            });


this.http.post(this.urlName + '/services/exportNewUpc', localStorageValue, options)
                .subscribe(data => {
                    if (navigator.appVersion.toString().indexOf('.NET') > 0)
                    window.navigator.msSaveBlob(data.blob(), "Export_NewUPC-Items_" + this.selectedcategory + "_" + this.retailname +"_Report_"+this.myDate+".xlsx");

                    else {
                        var a = document.createElement("a");
                        a.href = URL.createObjectURL(data.blob());
                        a.download = "Export_NewUPC-Items_" + this.selectedcategory + "_" + this.retailname +"_Report_"+this.myDate+ ".xlsx";
                        a.click();
                    }
                    this.ui_loader = false;
                    this.selectedexport = 0;
                }, error => {
                    console.log(error.json());
                    this.ui_loader = false;
                    document.getElementById("exceptionerror").click();
                });



1

您也可以直接从模板中下载文件,并在其中使用download属性,并[attr.href]可以从组件中提供属性值。这个简单的解决方案应该适用于大多数浏览器。

<a download [attr.href]="yourDownloadLink"></a>

参考: https : //www.w3schools.com/tags/att_a_download.asp


1
欢迎来到SO!请检查我的(排版和语法)更正是否有帮助。
B–rian

0

如果仅将参数发送到URL,则可以通过以下方式进行操作:

downloadfile(runname: string, type: string): string {
   return window.location.href = `${this.files_api + this.title +"/"+ runname + "/?file="+ type}`;
}

在接收参数的服务中


0

答案表明,主要出于安全原因,您不能直接使用AJAX下载文件。因此,我将描述在这种情况下我该怎么做,

01.hrefcomponent.html文件的锚标记中添加属性,
例如:-

<div>
       <a [href]="fileUrl" mat-raised-button (click)='getGenaratedLetterTemplate(element)'> GENARATE </a>
</div>

02.执行以下所有步骤component.ts来绕过安全级别,并打开“另存为”弹出对话框,
例如:

import { environment } from 'environments/environment';
import { DomSanitizer } from '@angular/platform-browser';
export class ViewHrApprovalComponent implements OnInit {
private apiUrl = environment.apiUrl;
  fileUrl
 constructor(
    private sanitizer: DomSanitizer,
    private letterService: LetterService) {}
getGenaratedLetterTemplate(letter) {

    this.data.getGenaratedLetterTemplate(letter.letterId).subscribe(
      // cannot download files directly with AJAX, primarily for security reasons);
    console.log(this.apiUrl + 'getGeneratedLetter/' + letter.letterId);
    this.fileUrl = this.sanitizer.bypassSecurityTrustResourceUrl(this.apiUrl + 'getGeneratedLetter/' + letter.letterId);
  }

注意:如果收到状态代码为200的错误“确定”,此答案将起作用


0

好吧,我写了一段代码,灵感来自上面的许多答案,这些代码在服务器发送带有内容处置标头的文件的大多数情况下应该很容易工作,而无需安装任何第三方,rxjs和angular除外。

首先,如何从组件文件中调用代码

this.httpclient.get(
   `${myBackend}`,
   {
      observe: 'response',
      responseType: 'blob'
   }
).pipe(first())
.subscribe(response => SaveFileResponse(response, 'Custom File Name.extension'));

如您所见,基本上是来自angular的平均后端调用,但有两个变化

  1. 我正在观察反应,而不是身体
  2. 我明确表示响应是一团糟

从服务器上获取文件后,原则上,我将将文件保存到助手功能的整个任务委托给了我,该功能保存在一个单独的文件中,并导入到我需要的任何组件中

export const SaveFileResponse = 
(response: HttpResponse<Blob>, 
 filename: string = null) => 
{
    //null-checks, just because :P
    if (response == null || response.body == null)
        return;

    let serverProvidesName: boolean = true;
    if (filename != null)
        serverProvidesName = false;

    //assuming the header is something like
    //content-disposition: attachment; filename=TestDownload.xlsx; filename*=UTF-8''TestDownload.xlsx
    if (serverProvidesName)
        try {
            let f: string = response.headers.get('content-disposition').split(';')[1];
            if (f.includes('filename='))
                filename = f.substring(10);
        }
        catch { }
    SaveFile(response.body, filename);
}

//Create an anchor element, attach file to it, and
//programmatically click it. 
export const SaveFile = (blobfile: Blob, filename: string = null) => {
    const a = document.createElement('a');
    a.href = window.URL.createObjectURL(blobfile);
    a.download = filename;
    a.click();
}

在那里,不再有神秘的GUID文件名!我们可以使用服务器提供的任何名称,而不必在客户端中显式指定它,也可以覆盖服务器提供的文件名(如本例所示)。此外,如果需要,可以轻松地更改从内容处置中提取文件名的算法以适应他们的需求,而其他所有内容都不会受到影响-如果在提取过程中出错,它将仅传递“ null”作为文件名。

正如已经指出的另一个答案,IE一如既往需要特殊处理。但是随着铬边缘技术的出现,几个月后,我就不必为开发新应用而担心。也有撤销URL的问题,但是我对此不太确定,因此,如果有人可以在评论中提供帮助,那将是很棒的。


0

如果一个选项卡打开和关闭而没有下载任何东西,我尝试使用模拟锚链接进行跟踪,并且它起作用了。

downloadFile(x: any) {
var newBlob = new Blob([x], { type: "application/octet-stream" });

    // IE doesn't allow using a blob object directly as link href
    // instead it is necessary to use msSaveOrOpenBlob
    if (window.navigator && window.navigator.msSaveOrOpenBlob) {
      window.navigator.msSaveOrOpenBlob(newBlob);
      return;
    }

    // For other browsers: 
    // Create a link pointing to the ObjectURL containing the blob.
    const data = window.URL.createObjectURL(newBlob);

    var link = document.createElement('a');
    link.href = data;
    link.download = "mapped.xlsx";
    // this is necessary as link.click() does not work on the latest firefox
    link.dispatchEvent(new MouseEvent('click', { bubbles: true, cancelable: true, view: window }));

    setTimeout(function () {
      // For Firefox it is necessary to delay revoking the ObjectURL
      window.URL.revokeObjectURL(data);
      link.remove();
    }, 100);  }
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.