jquery JS -从base64代码中获取图像宽度和高度

nnsrf1az  于 2023-01-30  发布在  jQuery
关注(0)|答案(5)|浏览(231)

我有一个base64 img编码,你可以找到here。我怎么才能得到它的高度和宽度?

t1qtbnec

t1qtbnec1#

var i = new Image(); 

i.onload = function(){
 alert( i.width+", "+i.height );
};

i.src = imageData;
wsxa1bj1

wsxa1bj12#

对于同步使用,只需将其 Package 成如下的promise:

function getImageDimensions(file) {
  return new Promise (function (resolved, rejected) {
    var i = new Image()
    i.onload = function(){
      resolved({w: i.width, h: i.height})
    };
    i.src = file
  })
}

然后你可以使用await来获取同步编码风格的数据:

var dimensions = await getImageDimensions(file)
vq8itlhq

vq8itlhq3#

我发现使用.naturalWidth.naturalHeight的效果最好。

const img = new Image();

img.src = 'https://via.placeholder.com/350x150';

img.onload = function() {
  const imgWidth = img.naturalWidth;
  const imgHeight = img.naturalHeight;

  console.log('imgWidth: ', imgWidth);
  console.log('imgHeight: ', imgHeight);
};

文件:

只有现代浏览器才支持此功能。http://www.jacklmoore.com/notes/naturalwidth-and-naturalheight-in-ie/

iovurdzv

iovurdzv4#

更现代的解决方案是使用HTMLImageElement.decode()而不是onload事件。decode()返回一个promise,因此可以与await同步使用。
异步用途:

let img = new Image();
img.src = "myImage.png";
img.decode().then(() => {
    let width = img.width;
    let height = img.height;
    // Do something with dimensions
});

同步使用(在异步函数内):

let img = new Image();
img.src = "myImage.png";
await img.decode();
let width = img.width;
let height = img.height;
// Do something with dimensions
vjrehmav

vjrehmav5#

使用该图像创建隐藏的<img>,然后使用jquery .width()和. height()

$("body").append("<img id='hiddenImage' src='"+imageData+"' />");
var width = $('#hiddenImage').width();
var height = $('#hiddenImage').height();
$('#hiddenImage').remove();
alert("width:"+width+" height:"+height);

此处测试:FIDDLE
图像最初并不是隐藏的。它被创建,然后你得到宽度和高度,然后删除它。这可能会导致一个非常短的可见性在大图像在这种情况下,你必须 Package 在另一个容器中的图像,并使该容器隐藏,而不是图像本身。
另一个小提琴,不添加到dom作为每个gp.的答案:HERE

相关问题