I have a scope like $scope.doc_details in my angularjs controller, and I want to use it to display a pdf file by using a tag, like this:
<object data="{{doc_details.file_url}}" type="application/pdf"></object>
but it doesn't get loaded in the browser, in my chrome console, all I see is:
Failed to load resource: the server responded with a status of 404 (Not Found)
http://localhost/%7B%7Bdoc_details.file_url%7D%7D
and when I just display it using <span>{{doc_details.file_url}}</span> it show the value.
As of AngularJS 1.1.4, you can use the ng-attr- prefix (introduction) for the data attribute:
<object ng-attr-data="{{doc_details.file_url}}" type="application/pdf"></object>
The problem here is that the browser is seeing
<object data="{{doc_details.file_url}}" type="application/pdf"></object>
in the DOM before Angular compiles it, and obviously {{doc_details.file_url}} isn't a valid URL.
Directives can be your friend here.
Say we want to write:
<pdf src='doc_details.file_url'></pdf>
We can create a very simple directive:
app.directive('pdf', function() {
return {
restrict: 'E',
link: function(scope, element, attrs) {
var url = scope.$eval(attrs.src);
element.replaceWith('<object type="application/pdf" data="' + url + '"></object>');
}
};
});
This will defer the creation of the object element until we actually have the URL available to us from the scope (assuming it's already there - otherwise you'd want to $watch the src attribute on the scope until it became available).