Reputation: 24450
I need to display an image in its actual size, even if it is bigger than its container. I tried the trick of using Image variable and capturing the size on load with something like this:
HTML:
<div ng-controller="MyCtrl">
<input ng-model="imageurl" type="url" />
<button ng-click="loadimage()" type="button">Load Image</button>
<img ng-src="{{image.path}}"
style="width: {{image.width}}px; height: {{image.height}}px" />
</div>
Javascript:
.controller("MyCtrl", ["$scope", function ($scope) {
$scope.image = {
path: "",
width: 0,
height: 0
}
$scope.loadimage = function () {
var img = new Image();
img.onload = function () {
$scope.image.width = img.width;
$scope.image.height = img.height;
$scope.image.path = $scope.imageurl;
}
img.src = $scope.imageurl;
}
}]);
This script works, but only after the button is clicked several times if the image is big.
What should I do to make it work in one click?
Is there a better way to discover the image size than this?
Upvotes: 5
Views: 40284
Reputation: 12045
This worked for me (using twitter bootstrap for the classes):
mainfile.js file (in products array):
{
name: 'Custom Products',
size: {width: 15, height: 15},
images:{thumbnail:"img/custom_products/full_custom_3.jpg"}
}
index.html file:
<div class="gallery">
<div class="img-wrap">
<ul class="clearfix">
<li class="small-image pull-left thumbnail">
<img ng-src="{{product.images.thumbnail}}" style="height:{{product.size.height}}em; width: {{product.size.width}}em" />
</li>
</ul>
</div>
</div>
Upvotes: 0
Reputation: 42166
May be it is still not late to re-build whole thing according to directives "pattern". My solution for similar problem ( link ) got several up-votes and it causes me to think that it is conventional approach.. Have a look:
HTML:
<div ng-controller="MyCtrl">
<input ng-model="image.tmp_path" type="url" />
<button ng-click="loadimage()" type="button">Load Image</button>
<img ng-src="{{image.path}}" preloadable />
</div>
CSS:
img[preloadable].empty{
width:0; height:0;
}
img[preloadable]{
width:auto; height:auto;
}
JS:
// Very "thin" controller:
app.controller('MyCtrl', function($scope) {
$scope.loadimage = function () {
$scope.image.path = $scope.image.tmp_path;
}
});
// View's logic placed in directive
app.directive('preloadable', function () {
return {
link: function(scope, element) {
element.addClass("empty");
element.bind("load" , function(e){
element.removeClass("empty");
});
}
}
});
Working Plunk: http://plnkr.co/edit/HX0bWz?p=preview
Upvotes: 2
Reputation: 203231
You need to use $scope.$apply
, otherwise any changes to $scope
made in non-Angular event handlers won't be processed properly:
img.onload = function () {
$scope.$apply(function() {
$scope.image.width = img.width;
$scope.image.height = img.height;
$scope.image.path = $scope.imageurl;
});
}
Upvotes: 6