use jQuery to get 'true size' of image without removing the class
I am using Jcrop on an image that is resized with css for uniformity.
JS
<script type="text/javascript">
$(window).load(function() {
//invoke Jcrop API and set options
var api = $.Jcrop('#image', { onSelect: storeCoords, trueSize: [w, h] });
api.disable(); //disable until ready to use
//enable the Jcrop on crop button click
$('#crop').click(function() {
api.enable();
});
});
function storeCoords(c) {
$('#X').val(c.x);
$('#Y').val(c.y);
$('#W').val(c.w);
$('#H').val(c.h);
};
</script>
HTML
<body>
<img src="/path/to/image.jpg" id="image" class="img_class" alt="" />
<br />
<span id="crop" class="button">Crop Photo</span>
<span id="#X" class="hidden"></span>
<span id="#Y" class="hidden"></span>
<span id="#W" class="hidden"></span>
<span id="#H" class="hidden"></span>
</body>
CSS
body { font-size: 13px; width: 500px; height: 500px; }
.image { width: 200px; height: 300px; }
.hidden { display: none; }
I need to set the h
and w
variables to the size of the actual image. I tried using the .clone()
manipulator to make a copy of the image and then remove the class from the clone to get the sizing but it sets the variables to zeros.
var pic = $('#image').clone();
pic.removeClass('image');
var h = pic.height();
var w = pic.width();
It works if I append the image to an element in the page, but these are larger images and I would prefer not to be loading them as hidden images if开发者_Python百科 there is a better way to do this. Also removing the class, setting the variables, and then re-adding the class was producing sporadic results.
I was hoping for something along the lines of:
$('#image').removeClass('image', function() {
h = $(this).height();
w = $(this).width();
}).addClass('image');
But the removeClass
function doesn't work like that :P
Try hiding the image, then take the dimensions, then show it:
var $img = $("#image");
$img.hide().removeClass("image");
var width = $img.width();
var height = $img.height();
$img.addClass("image").show();
This should remove any weird behavior you might see while adding and removing the class.
Maybe you can clone the image (should not be extremely network-painful, because it should be cached), and get the size of the cloned one:
$newImg = $("#image").clone();
$newImg.css("display", "none").removeClass("image").appendTo("body");
var width = $newImg.width(), height = $newImg.height();
$newImg.remove();
Good luck!
精彩评论