检查图像是否存在而不加载它

时间:2012-12-18 16:17:23

标签: javascript jquery ajax xmlhttprequest loading

我目前在悬停功能中使用以下脚本:

function UrlExists(url) {
    var http = new XMLHttpRequest();
    http.open('HEAD', url, false);
    http.send();
    return http.status!=404;
}

它会逐个加载每个图像,导致整个网站速度变慢(甚至崩溃)。

有没有办法检查图片是否存在,但阻止加载(完全)使用javascript?

非常感谢!

4 个答案:

答案 0 :(得分:3)

由于JavaScript(以及jQuery)是客户端的,并且图像在加载之前驻留在服务器端,因此无法在不使用Ajax或服务器端脚本的情况下检查图像是否存在以确保图像存在

答案 1 :(得分:1)

如果图片存在时没有加载,则没有方式决定使用javascript或jQuery。

解决方法

检查服务器端是否存在图像的唯一方法是尝试将图像加载到隐藏的div或其他内容,然后检查图像是否存在,然后显示它。

或者您可以使用您选择的某些服务器端语言(如php,asp,jsp,python等)并将请求发送到服务器端语言(最好使用AJAX)并让服务器端脚本检查如果图像存在与否则返回图像(如果存在)或发送错误代码(如果不存在)。

答案 2 :(得分:0)

以下是检查图像是否存在的方法:

  function checkImage(src) {
     var img = new Image();
     img.onload = function() {
     // code to set the src on success
  };
  img.onerror = function() {
// doesn't exist or error loading
 };

 img.src = src; // fires off loading of image
}

这是一个有效的实施http://jsfiddle.net/jeeah/

答案 3 :(得分:0)

我的解决方案:

function imageExists(url) {
    return new Promise((resolve, reject) => {
        const img = new Image(url);
        img.onerror = reject;
        img.onload = resolve;
        const timer = setInterval(() => {
            if (img.naturalWidth && img.naturalHeight) {
                img.src = ''; /* stop loading */
                clearInterval(timer);
                resolve();
            }
        }, 10);
        img.src = url;
    });
}

示例:

imageExists(url)
    .then(() => console.log("Image exists."))
    .catch(() => console.log("Image not exists."));