前言
網路上關於利用Javascript獲取圖片原始寬度和高度的方法有很多,本文將再次給大家談談這個問題,或許會對一些人能有所幫助。
方法詳解
頁面中的img元素,想要取得它的原始尺寸,以寬度為例,可能首先想到的是元素的innerWidth屬性,或者jQuery中的width()方法。
如下:
<img id="img" src="1.jpg" alt="Javascript取得圖片原始寬度和高度的方法詳解" > <script type="text/javascript"> var img = document.getElementById("img"); console.log(img.innerWidth); // 600 </script>
這樣看起來可以拿到圖片的尺寸。
但是如果為img元素增加了width屬性,例如圖片實際寬度是600,則設定了width為400。這時候innerWidth為400,而不是600。顯然,用innerWidth取得圖片原始尺寸是不靠譜的。
這是因為 innerWidth屬性取得的是元素盒模型的實際渲染的寬度,而不是圖片的原始寬度。
<img id="img" src="1.jpg" style="max-width:90%" alt="Javascript取得圖片原始寬度和高度的方法詳解" > <script type="text/javascript"> var img = document.getElementById("img"); console.log(img.innerWidth); // 400 </script>
jQuery的width()方法在底層呼叫的是innerWidth屬性,所以width()方法取得的寬度也不是圖片的原始寬度。
那麼該怎麼取得img元素的原始寬度呢?
naturalWidth / naturalHeight
HTML5提供了一個新屬性naturalWidth/naturalHeight可以直接獲取圖片的原始寬高。這兩個屬性在Firefox/Chrome/Safari/Opera及IE9裡已經實現。
如下:
var naturalWidth = document.getElementById('img').naturalWidth, naturalHeight = document.getElementById('img').naturalHeight;
naturalWidth / naturalHeight在各大瀏覽器中的相容性如下:
所以,如果不考慮兼容至IE8的,可以放心使用 uralthHeight 屬性/屬性了。
IE7/8中的相容性實作:
在IE8及以前版本的瀏覽器並不支援naturalWidth和naturalHeight屬性。
在IE7/8中,我們可以採用new Image()的方式來取得圖片的原始尺寸,如下:
function getNaturalSize (Domlement) { var img = new Image(); img.src = DomElement.src; return { width: img.width, height: img.height }; } // 使用 var natural = getNaturalSize (document.getElementById('img')), natureWidth = natural.width, natureHeight = natural.height;
IE7+瀏覽器都能相容的函數封裝:總結
function getNaturalSize (Domlement) { var natureSize = {}; if(window.naturalWidth && window.naturalHeight) { natureSize.width = Domlement.naturalWidth; natureSizeheight = Domlement.naturalHeight; } else { var img = new Image(); img.src = DomElement.src; natureSize.width = img.width; natureSizeheight = img.height; } return natureSize; } // 使用 var natural = getNaturalSize (document.getElementById('img')), natureWidth = natural.width, natureHeight = natural.height;