如何在AngularJS应用中显示blob(.pdf)


106

我一直在尝试显示我从$http.post响应中获取的pdf文件。pdf必须使用<embed src>例如在应用程序内显示。

我遇到了几个堆栈帖子,但是以某种方式我的示例似乎不起作用。

JS:

根据这份文件,我继续尝试...

$http.post('/postUrlHere',{myParams}).success(function (response) {
 var file = new Blob([response], {type: 'application/pdf'});
 var fileURL = URL.createObjectURL(file);
 $scope.content = fileURL;
});

现在,据我所知,将fileURL创建一个临时URL,该博客可以用作参考。

HTML:

<embed src="{{content}}" width="200" height="200"></embed>

我不确定如何在Angular中处理此问题,理想情况是(1)将其分配给作用域,(2)将blob“准备/重建”到pdf (3)使用,<embed>因为我将其传递给HTML 想要在应用程序中显示它。

我已经研究了一天多了,但是某种程度上我似乎无法理解它在Angular中是如何工作的。而我们只是假设那里没有pdf查看器库。


嗨,D'lo DeProjuicer,您是否设法解决了通过角度固定生成PDF的问题?
Raymond Nakampe 2014年

@michael D'lo DeProjuicer对于Angular 2中的相同案例应该怎么做?
monica

Answers:


214

首先,您需要将设置responseTypearraybuffer。如果要创建数据块,这是必需的。请参阅Sending_and_Receiving_Binary_Data。因此,您的代码将如下所示:

$http.post('/postUrlHere',{myParams}, {responseType:'arraybuffer'})
  .success(function (response) {
       var file = new Blob([response], {type: 'application/pdf'});
       var fileURL = URL.createObjectURL(file);
});

下一部分是,您需要使用$ sce服务来使角度信任您的URL。这可以通过以下方式完成:

$scope.content = $sce.trustAsResourceUrl(fileURL);

不要忘记注入$ sce服务。

如果全部完成,您现在可以嵌入pdf:

<embed ng-src="{{content}}" style="width:200px;height:200px;"></embed>

9
对我来说,这在Chrome(35.0.1916.114 m)中不起作用。通过使用<object>代替<embed>解决了这个问题:<object data =“ {{content}}” type =“ application / pdf”> </ object>
HoffZ 2014年

2
对我来说(AngularJS 1.25)我必须做:new Blob([response.data]
Martin Connell 2014年

2
@HoffZ:我$http.get用一个完整的快捷方式替换了该快捷方式,并指定了该responseType字段:{ url: "http://127.0.0.1:8080/resources/jobs/af471106-2e71-4fe6-946c-cd1809c659e5/result/?key="+$scope.key, method: "GET", headers: { 'Accept': 'application/pdf' }, responseType: 'arraybuffer' }并且有效:)
Nikolay Melnikov 2014年

1
对我而言,使其生效的唯一方法是使用response.data而不是创建blob response,如下所示:var file = new Blob([response.data], {type: 'application/pdf'});
Alekos Filini

1
@ yosep-kim在IE上不起作用,因为IE中不存在URL对象:caniuse.com/#search=URL
Carlos

32

我使用AngularJS v1.3.4

HTML:

<button ng-click="downloadPdf()" class="btn btn-primary">download PDF</button>

JS控制器:

'use strict';
angular.module('xxxxxxxxApp')
    .controller('xxxxController', function ($scope, xxxxServicePDF) {
        $scope.downloadPdf = function () {
            var fileName = "test.pdf";
            var a = document.createElement("a");
            document.body.appendChild(a);
            a.style = "display: none";
            xxxxServicePDF.downloadPdf().then(function (result) {
                var file = new Blob([result.data], {type: 'application/pdf'});
                var fileURL = window.URL.createObjectURL(file);
                a.href = fileURL;
                a.download = fileName;
                a.click();
            });
        };
});

JS服务:

angular.module('xxxxxxxxApp')
    .factory('xxxxServicePDF', function ($http) {
        return {
            downloadPdf: function () {
            return $http.get('api/downloadPDF', { responseType: 'arraybuffer' }).then(function (response) {
                return response;
            });
        }
    };
});

Java REST Web服务-Spring MVC:

@RequestMapping(value = "/downloadPDF", method = RequestMethod.GET, produces = "application/pdf")
    public ResponseEntity<byte[]> getPDF() {
        FileInputStream fileStream;
        try {
            fileStream = new FileInputStream(new File("C:\\xxxxx\\xxxxxx\\test.pdf"));
            byte[] contents = IOUtils.toByteArray(fileStream);
            HttpHeaders headers = new HttpHeaders();
            headers.setContentType(MediaType.parseMediaType("application/pdf"));
            String filename = "test.pdf";
            headers.setContentDispositionFormData(filename, filename);
            ResponseEntity<byte[]> response = new ResponseEntity<byte[]>(contents, headers, HttpStatus.OK);
            return response;
        } catch (FileNotFoundException e) {
           System.err.println(e);
        } catch (IOException e) {
            System.err.println(e);
        }
        return null;
    }

哪个版本的safari?window.URL是在Safari浏览器9和好后:caniuse.com/#search=createObjectURL
斯特凡Grillon酒店

我在MacBook Pro和Safari 9.0.2上进行了测试和验证。
斯特凡Grillon的

一样,macBook队长。window.URL.createObjectURL(file); 我不知道问题出在哪里,但是代码不起作用。可能是我做错了。谢谢你 我没有时间检查它不起作用并使用FileSaver.js
fdrv

如果您的应用程序在线,请发布您的URL?你有同样的后端吗?
斯特凡Grillon的

Safari浏览器不支持download属性。caniuse.com/#search=download
Biswanath

21

迈克尔的建议对我来说就像一个魅力:)如果用$ http.get替换$ http.post,请记住.get方法接受2个参数而不是3个参数……这是浪费我的时间...;)

控制器:

$http.get('/getdoc/' + $stateParams.id,     
{responseType:'arraybuffer'})
  .success(function (response) {
     var file = new Blob([(response)], {type: 'application/pdf'});
     var fileURL = URL.createObjectURL(file);
     $scope.content = $sce.trustAsResourceUrl(fileURL);
});

视图:

<object ng-show="content" data="{{content}}" type="application/pdf" style="width: 100%; height: 400px;"></object>

responseType:'arraybuffer',只为我节省了几个小时的睡眠时间!+1
svarog

如何触发保存,而不是将其打印为html?
fdrv

谢谢,这节省了我几个小时,您也可以替换$scope.content = $sce.trustAsResourceUrl(fileURL);$window.open(fileURL, '_self', '');并在全屏模式下打开文件。
塔维托斯

9

我在Opera Opera中使用“ window.URL”时遇到了困难,因为这将导致“未定义”。同样,使用window.URL,PDF文档也永远不会在Internet Explorer和Microsoft Edge中打开(它将一直处于等待状态)。我想出了以下可在IE,Edge,Firefox,Chrome和Opera(尚未通过Safari测试)中运行的解决方案:

$http.post(postUrl, data, {responseType: 'arraybuffer'})
.success(success).error(failed);

function success(data) {
   openPDF(data.data, "myPDFdoc.pdf");
};

function failed(error) {...};

function openPDF(resData, fileName) {
    var ieEDGE = navigator.userAgent.match(/Edge/g);
    var ie = navigator.userAgent.match(/.NET/g); // IE 11+
    var oldIE = navigator.userAgent.match(/MSIE/g); 

    var blob = new window.Blob([resData], { type: 'application/pdf' });

    if (ie || oldIE || ieEDGE) {
       window.navigator.msSaveBlob(blob, fileName);
    }
    else {
       var reader = new window.FileReader();
       reader.onloadend = function () {
          window.location.href = reader.result;
       };
       reader.readAsDataURL(blob);
    }
}

让我知道是否有帮助!:)


这种方法不会在IE的浏览器窗口中打开PDF文档,而是提示用户下载它。有没有解决的办法?
2016年

1
上面的代码是下载PDF文件,然后让您的默认PDF Reader应用程序将其打开。它甚至在移动设备上也能很好地工作。原因是,虽然我能够在某些浏览器上打开PDF,但无法在其他浏览器上打开它。因此,我认为最好有一个可以在所有浏览器(包括移动浏览器)上运行的解决方案,以下载PDF文件。
曼努埃尔·埃尔南德斯

您可以使用以下代码在新选项卡中查看PDF:window.open(reader.result,'_blank');
samneric '16

6

向由angular发出的请求中添加responseType确实是解决方案,但是对我而言,直到我将responseType设置为blob而不是arrayBuffer,它才起作用。该代码是不言自明的:

    $http({
            method : 'GET',
            url : 'api/paperAttachments/download/' + id,
            responseType: "blob"
        }).then(function successCallback(response) {
            console.log(response);
             var blob = new Blob([response.data]);
             FileSaver.saveAs(blob, getFileNameFromHttpResponse(response));
        }, function errorCallback(response) {   
        });

2
实际上,使用'blob'类型可以写得更短:FileSaver.saveAs(response.data, getFileNameFromHttpResponse(response));无需创建Blob
Alena Kastsiukavets

0

在过去的几天里,我一直在努力尝试下载pdf和图像,我只能下载简单的文本文件。

大多数问题都具有相同的组成部分,但是花了一段时间才弄清楚使它起作用的正确顺序。

谢谢@Nikolay Melnikov,您对这个问题的评论/回复是它起作用的原因。

简而言之,这是我的AngularJS Service后端调用:

  getDownloadUrl(fileID){
    //
    //Get the download url of the file
    let fullPath = this.paths.downloadServerURL + fileId;
    //
    // return the file as arraybuffer 
    return this.$http.get(fullPath, {
      headers: {
        'Authorization': 'Bearer ' + this.sessionService.getToken()
      },
      responseType: 'arraybuffer'
    });
  }

从我的控制器:

downloadFile(){
   myService.getDownloadUrl(idOfTheFile).then( (response) => {
      //Create a new blob object
      let myBlobObject=new Blob([response.data],{ type:'application/pdf'});

      //Ideally the mime type can change based on the file extension
      //let myBlobObject=new Blob([response.data],{ type: mimeType});

      var url = window.URL || window.webkitURL
      var fileURL = url.createObjectURL(myBlobObject);
      var downloadLink = angular.element('<a></a>');
      downloadLink.attr('href',fileURL);
      downloadLink.attr('download',this.myFilesObj[documentId].name);
      downloadLink.attr('target','_self');
      downloadLink[0].click();//call click function
      url.revokeObjectURL(fileURL);//revoke the object from URL
    });
}

0

最新答案(针对Angular 8+):

this.http.post("your-url",params,{responseType:'arraybuffer' as 'json'}).subscribe(
  (res) => {
    this.showpdf(res);
  }
)};

public Content:SafeResourceUrl;
showpdf(response:ArrayBuffer) {
  var file = new Blob([response], {type: 'application/pdf'});
  var fileURL = URL.createObjectURL(file);
  this.Content = this.sanitizer.bypassSecurityTrustResourceUrl(fileURL);
}

  HTML :

  <embed [src]="Content" style="width:200px;height:200px;" type="application/pdf" />

-1

我刚刚在使用AngularJS v1.7.2的项目中使用的代码建议

$http.get('LabelsPDF?ids=' + ids, { responseType: 'arraybuffer' })
            .then(function (response) {
                var file = new Blob([response.data], { type: 'application/pdf' });
                var fileURL = URL.createObjectURL(file);
                $scope.ContentPDF = $sce.trustAsResourceUrl(fileURL);
            });

<embed ng-src="{{ContentPDF}}" type="application/pdf" class="col-xs-12" style="height:100px; text-align:center;" />

1
请添加一些简短的信息。
Farhana
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.