Angular2以上でファイルをダウンロードするには


181

私は(MVCを置き換えるために)angular2クライアントを開発しているWebApi / MVCアプリを持っています。Angularがファイルを保存する方法を理解するのに問題があります。

リクエストは問題ありません(MVCで正常に動作し、受信したデータをログに記録できます)が、ダウンロードしたデータを保存する方法がわかりません(私はこの投稿と同じロジックに従っています)。私はそれが愚かなほど単純であると確信していますが、今のところそれを単に把握していません。

コンポーネント関数のコードは以下のとおりです。私はブロブの方法は、私の知る限り理解されるように移動するための方法である必要があり、別の選択肢を試してみたが、機能はありませんcreateObjectURLURLURLウィンドウ内での定義を見つけることさえできませんが、明らかに存在しています。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〜2 GBの低さになる場合があります。
マシュー

@MatthewB。何が良かったか言ったらよかったのに。
スティーブ

大きなファイルをダウンロードする場合は、新しいタブを指定する必要があります。たとえば、<A>クリックをシミュレートする場合、ターゲットは「_blank」に等しいか、フォーム送信を実行する必要があります。Ajaxスタイルのリクエストで大きなファイルサイズの制限を回避するための明確な方法はないと思います。
マシューB.

回答:


180

問題は、オブザーバブルが別のコンテキストで実行されるため、URL変数を作成しようとすると、必要なblobではなく空のオブジェクトが存在することです。

これを解決するために存在する多くの方法の1つは次のとおりです。

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()返しますか?
ブルジュア2017

3
@BurjuaのgetReport()リターンathis.http.get(PriceConf.download.url)
ji-ruh

6
私が抱えている問題は、ウィンドウが開いてすぐに閉じてファイルがダウンロードされないことです
Braden Brown

7
ここでファイル名をどのように設定できますか?デフォルトでは、名前として数値を選択します
Saurabh

8
API応答からファイルをダウンロードするために上記のコードを使用しましたが、Blobパーツ「タイプ応答はタイプBlobpartに割り当てることができません」を作成するときにエラーが発生します。誰かがこの問題を知っている場合は親切に助けてください
knbibin '11 / 10/19

91

これをお試しください!

1-show save / open file pop-upの依存関係をインストールします

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 2018年

2
タイプ 'RequestOptions'のエラーAv5引数は、タイプ '{headers?のパラメーターに割り当てることができませんか?:HttpHeaders | {[ヘッダー:文字列]:文字列| ストリング[]; };
giveJob 2018年

ただし、これは大きなファイルのダウンロードには適していません。
レベン社製

60

リクエストにヘッダーを追加する必要がない場合は、Angular2でファイルをダウンロードするために簡単なことができます:

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

コンポーネント内。


4
誰かがこの回答が反対投票された理由を教えてもらえますか?トピックは、angular2を使用してファイルをダウンロードすることです。この方法が単純なダウンロードを実行する場合は、有効な回答としてマークする必要があります。
Saurabh Shetty 2017

5
@SaurabhShetty、これはカスタムヘッダーを送信する場合に役立ちません。たとえば、認証トークンを送信する場合はどうでしょうか。OPの質問を見ると、彼が使用していることがわかりますauthHttp
A.Akram 2017

6
私は反対投票を理解していますが、それでもこの回答で問題が解決しました。
JoeriShoeby 2017

1
サーバーが特定のコンテキストでURLを返すようにすると、サーバーはURLを準備できます。例:オブジェクト:MyRecord.Cover。カバーは、サーバー内の画像のURLにすることができます。get(Myrecord)を呼び出すと、セキュリティトークンとその他のヘッダーが設定された準備済みのURL(カバー)をサーバーに返すことができます。
イェンスアレニウス2017年

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 2018

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そのデータの読み込みが完了することを、我々は、ダウンロードをトリガーする場合、そのコンテキストに配置する必要があります。

とはいえ、それを行うには2つの方法があります。ドキュメントが推奨するように、サービスはデータの取得とマッピングを行います:

//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);
}

次に、コンポーネントでサブスクライブして、マッピングされたデータを処理します。2つの可能性があります。最初のは元の投稿で提案されていましたが、アレハンドロが指摘したように小さな修正が必要です。

//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.'));
  }

2番目の方法は、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()しているだけで2つのオプションが、両方があなたの体をごっちゃになります。解決策を見つけましたか?
sschueller

1
こんにちは@rll、私は上記の手順を実行しました。それでもファイルがダウンロードされるのを見ることができませんでした。エラーも確認できませんでした。助けてください
AishApp

1
2つのオプションでファイルをダウンロードできますが、データは最初にバックグラウンドでロードされます。ダウンロードする必要がある大きなファイルがある場合はどうなりますか?
f123 2016年

1
私の解決策は、を使用<a href=""></a>してファイルをダウンロードすることです。
user2061057 2017年

1
私はこれが古い答えであることを知っていますが、それは検索結果の上位にあり、受け入れられた答えです。`headers.append( 'responseType'、 'arraybuffer'); `という行は間違っています。これはオプションではなく、ヘッダーです。修正してください。Aaaand ...ヘッダーが作成され、使用されません。役に立たなかった。
Stevo 2017

17

Angular 2.4.xの* .zipソリューションをダウンロードします。ResponseContentTypeを '@ angular / http'からインポートし、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を別のブラウザーウィンドウで開きますが、これはユーザーが見たいものではありません
Luca

2
アクセストークンがある場合、これを提供する必要がありますが機能しません
chris313​​89

これは単純明快です。ただし、何らかの認証を行いたい場合は、ワンタイムトークンのようなものが存在する可能性があります。したがって、このようにする代わりに、次のようなURLを使用できます。example.com / myuri / report?tokenid = 1234-1233そして、データベース内のトークンIDを確認します。もちろんそのない単純なシナリオとすべての状況で動作しますが、あなたはストリームとしてレポートを返す前に、データベースへのアクセス権を持って、状況における解決策になることができます。..
GingerBeer

サーバーからダウンロードURLを取得します。そのため、サーバーは1回限りのセキュリティトークンでURLを準備できます。
イェンス・アレニウス2017年

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、およびfilenameがわかります。MVCapiを使用してファイルを返します。

 [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パターンを使用している方

私はファイルセーバーに、@ 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

ステップ2のファイルセーバーとHttpClientを使用してヘクターの回答を更新します。

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

3

Spring MVCとAngle 2を使用して、破損することなくAngle 2からダウンロードするための解決策を得ました

1番目-私の戻り値の型は次のとおりです。JavaエンドからのResponseEntity。ここでは、コントローラからの戻り値の型を持つbyte []配列を送信しています。

2番目-ワークスペースにファイルセーバーを含める-インデックスページに次のように:

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

3番目-コンポーネント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応答にヘッダーを追加する必要があることを発見しました。

これは私が入手できる最も簡単なものでした(Angular 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.openの代わりにwindow.location.hrefを使用すると、Chromeは複数のファイルのダウンロードとして扱います。
DanO

ヘッダーに認証トークンが必要な場合、これは機能しません
garg10may

3

次のコードは私のために働きました

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 +との非互換性に注意する必要があります。

これは、アプリケーション部分とサービス部分の完全な例です。ファイル名のヘッダーをキャッチするためにobserve: "response"を設定することに注意してください。また、Content-Dispositionヘッダーはサーバーによって設定および公開される必要があることにも注意してください。そうしないと、現在のAngular HttpClientはそれを渡しません。そのためのドットネットコアコードを以下に追加しました。

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;
}

Content-DispositionとMediaTypeを備えたDotnetコア

 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

簡単に言えurlとしてhref以下のように。

<a href="my_url">Download File</a>

うまくいきますか?「ERROR TypeError: "Access to 'file:///Downloads/test.json' from script denied。」"
Jay

ありがとうございます。あなたのurlはどのように見えますか?それはファイルプロトコルまたはhttpまたは何か他のものですか?
ジェイ

それはファイルプロトコルです。
Harunur Ra​​shid


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.ファイルhref内のアンカータグに属性を追加しcomponent.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のエラー「OK」が表示された場合に機能します


0

さて、私は上記の回答の多くに触発されたコードを書きました。これは、rxjsとangularを除いて、サードパーティのインストールなしで、サーバーがコンテンツ処理ヘッダーを含むファイルを送信するほとんどのシナリオで簡単に機能するはずです。

まず、コンポーネントファイルからコードを呼び出す方法

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

ご覧のとおり、基本的にはangularからの平均バックエンド呼び出しであり、2つの変更点があります

  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ファイル名はもうありません!クライアントで明示的に指定する必要なく、サーバーが提供する名前を使用できます。または、サーバーが提供するファイル名を上書きします(この例のように)。また、必要に応じて、content-dispositionからファイル名を抽出するアルゴリズムを簡単に変更して、ニーズに合わせることができます。他のすべては影響を受けません-そのような抽出中にエラーが発生した場合は、「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);  }
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.