我有一个包含一堆图像的网页。有时图像不可用,因此客户端浏览器中会显示损坏的图像。
如何使用 jQuery 获取图像集,将其过滤为损坏的图像,然后替换 src?
--我认为使用 jQuery 会更容易做到这一点,但结果证明只使用纯 JavaScript 解决方案要容易得多,即 Prestaul 提供的解决方案。
我有一个包含一堆图像的网页。有时图像不可用,因此客户端浏览器中会显示损坏的图像。
如何使用 jQuery 获取图像集,将其过滤为损坏的图像,然后替换 src?
--我认为使用 jQuery 会更容易做到这一点,但结果证明只使用纯 JavaScript 解决方案要容易得多,即 Prestaul 提供的解决方案。
使用 JavaScript处理onError
图像以重新分配其源的事件:
function imgError(image) {
image.onerror = "";
image.src = "/images/noimage.gif";
return true;
}
<img src="image.png" onerror="imgError(this);"/>
或者没有 JavaScript 函数:
<img src="image.png" onError="this.onerror=null;this.src='/images/noimage.gif';" />
以下兼容性表列出了支持错误工具的浏览器:
我使用内置的error
处理程序:
$("img").error(function () {
$(this).unbind("error").attr("src", "broken.gif");
});
编辑:该error()
方法在jquery 1.8及更高版本中已弃用。相反,您应该.on("error")
改用:
$("img").on("error", function () {
$(this).attr("src", "broken.gif");
});
这是一个独立的解决方案:
$(window).load(function() {
$('img').each(function() {
if ( !this.complete
|| typeof this.naturalWidth == "undefined"
|| this.naturalWidth == 0 ) {
// image was broken, replace with your new image
this.src = 'http://www.tranism.com/weblog/images/broken_ipod.gif';
}
});
});
我相信这就是你所追求的:jQuery.Preload
这是演示中的示例代码,您指定了加载和未找到的图像,并且一切就绪:
jQuery('#images img').preload({
placeholder:'placeholder.jpg',
notFound:'notfound.jpg'
});
$(window).bind('load', function() {
$('img').each(function() {
if( (typeof this.naturalWidth != "undefined" && this.naturalWidth == 0)
|| this.readyState == 'uninitialized' ) {
$(this).attr('src', 'missing.jpg');
}
});
});
来源: http: //www.developria.com/2009/03/jquery-quickie---broken-images.html
虽然 OP 正在寻找替换 SRC,但我敢肯定,很多人遇到这个问题可能只想隐藏损坏的图像,在这种情况下,这个简单的解决方案对我来说非常有用。
<img src="img.jpg" onerror="this.style.display='none';" />
var images = document.querySelectorAll('img');
for (var i = 0; i < images.length; i++) {
images[i].onerror = function() {
this.style.display='none';
}
}
<img src='img.jpg' />
document.querySelectorAll('img').forEach((img) => {
img.onerror = function() {
this.style.display = 'none';
}
});
<img src='img.jpg' />
请参阅浏览器对NodeList.forEach和箭头函数的支持。
这是替换所有损坏图像的快捷方式,无需更改 HTML 代码;)
$("img").each(function(){
var img = $(this);
var image = new Image();
image.src = $(img).attr("src");
var no_image = "https://dummyimage.com/100x100/7080b5/000000&text=No+image";
if (image.naturalWidth == 0 || image.readyState == 'uninitialized'){
$(img).unbind("error").attr("src", no_image).css({
height: $(img).css("height"),
width: $(img).css("width"),
});
}
});
这是一种糟糕的技术,但几乎可以保证:
<img onerror="this.parentNode.removeChild(this);">
我找不到适合我需要的脚本,所以我创建了一个递归函数来检查损坏的图像并尝试每四秒重新加载一次,直到它们被修复。
我将其限制为 10 次尝试,就好像它尚未加载一样,图像可能不存在于服务器上,并且该函数将进入无限循环。不过我还在测试。随意调整它:)
var retries = 0;
$.imgReload = function() {
var loaded = 1;
$("img").each(function() {
if (!this.complete || typeof this.naturalWidth == "undefined" || this.naturalWidth == 0) {
var src = $(this).attr("src");
var date = new Date();
$(this).attr("src", src + "?v=" + date.getTime()); //slightly change url to prevent loading from cache
loaded =0;
}
});
retries +=1;
if (retries < 10) { // If after 10 retries error images are not fixed maybe because they
// are not present on server, the recursion will break the loop
if (loaded == 0) {
setTimeout('$.imgReload()',4000); // I think 4 seconds is enough to load a small image (<50k) from a slow server
}
// All images have been loaded
else {
// alert("images loaded");
}
}
// If error images cannot be loaded after 10 retries
else {
// alert("recursion exceeded");
}
}
jQuery(document).ready(function() {
setTimeout('$.imgReload()',5000);
});
这是 JavaScript,应该是跨浏览器兼容的,并且没有丑陋的标记onerror=""
:
var sPathToDefaultImg = 'http://cdn.sstatic.net/stackexchange/img/logos/so/so-icon.png',
validateImage = function( domImg ) {
oImg = new Image();
oImg.onerror = function() {
domImg.src = sPathToDefaultImg;
};
oImg.src = domImg.src;
},
aImg = document.getElementsByTagName( 'IMG' ),
i = aImg.length;
while ( i-- ) {
validateImage( aImg[i] );
}
您可以为此使用 GitHub 自己的 fetch:
前端:https
://github.com/github/fetch
或后端,Node.js 版本:https ://github.com/bitinn/node-fetch
fetch(url)
.then(function(res) {
if (res.status == '200') {
return image;
} else {
return placeholder;
}
}
编辑:此方法将取代 XHR,据说已经在 Chrome 中。对于将来阅读本文的任何人,您可能不需要包含上述库。
更好地调用使用
jQuery(window).load(function(){
$.imgReload();
});
因为 usingdocument.ready
并不一定意味着加载图像,只加载 HTML。因此,不需要延迟呼叫。
(window.jQuery || window.Zepto).fn.fallback = function (fallback) {
return this.one('error', function () {
var self = this;
this.src = (fallback || 'http://lorempixel.com/$width/$height').replace(
/\$(\w+)/g, function (m, t) { return self[t] || ''; }
);
});
};
您可以通过以下方式传递占位符路径并访问失败图像对象的所有属性$*
:
$('img').fallback('http://dummyimage.com/$widthx$height&text=$src');
CoffeeScript变体:
我修复了 Turbolinks 的一个问题,该问题有时会导致 .error() 方法在 Firefox 中出现,即使图像确实存在。
$("img").error ->
e = $(@).get 0
$(@).hide() if !$.browser.msie && (typeof this.naturalWidth == "undefined" || this.naturalWidth == 0)
多年来,这一直让我感到沮丧。我的 CSS 修复在img
. 当动态图像src
未加载到前景时,会在 的背景上看到一个占位符img
。如果您的图像具有默认大小(例如height
、和/或)min-height
,则此方法有效。width
min-width
您会看到损坏的图像图标,但这是一种改进。成功测试到IE9。iOS Safari 和 Chrome 甚至不显示损坏的图标。
.dynamicContainer img {
background: url('/images/placeholder.png');
background-size: contain;
}
添加一个小动画,让src
加载时间没有背景闪烁。Chrome 会在后台平稳地淡入,但桌面版 Safari 则不会。
.dynamicContainer img {
background: url('/images/placeholder.png');
background-size: contain;
animation: fadein 1s;
}
@keyframes fadein {
0% { opacity: 0.0; }
50% { opacity: 0.5; }
100% { opacity: 1.0; }
}
.dynamicContainer img {
background: url('https://picsum.photos/id/237/200');
background-size: contain;
animation: fadein 1s;
}
@keyframes fadein {
0% {
opacity: 0.0;
}
50% {
opacity: 0.5;
}
100% {
opacity: 1.0;
}
}
img {
/* must define dimensions */
width: 200px;
height: 200px;
min-width: 200px;
min-height: 200px;
/* hides broken text */
color: transparent;
/* optional css below here */
display: block;
border: .2em solid black;
border-radius: 1em;
margin: 1em;
}
<div class="dynamicContainer">
<img src="https://picsum.photos/200" alt="Found image" />
<img src="https://picsumx.photos/200" alt="Not found image" />
</div>
通过使用Prestaul 的回答,我添加了一些检查,我更喜欢使用 jQuery 方式。
<img src="image1.png" onerror="imgError(this,1);"/>
<img src="image2.png" onerror="imgError(this,2);"/>
function imgError(image, type) {
if (typeof jQuery !== 'undefined') {
var imgWidth=$(image).attr("width");
var imgHeight=$(image).attr("height");
// Type 1 puts a placeholder image
// Type 2 hides img tag
if (type == 1) {
if (typeof imgWidth !== 'undefined' && typeof imgHeight !== 'undefined') {
$(image).attr("src", "http://lorempixel.com/" + imgWidth + "/" + imgHeight + "/");
} else {
$(image).attr("src", "http://lorempixel.com/200/200/");
}
} else if (type == 2) {
$(image).hide();
}
}
return true;
}
如果您插入了img
with innerHTML
,例如:$("div").innerHTML = <img src="wrong-uri">
,如果它失败,您可以加载另一个图像,例如:
<script>
function imgError(img) {
img.error="";
img.src="valid-uri";
}
</script>
<img src="wrong-uri" onerror="javascript:imgError(this)">
为什么javascript: _
需要?因为通过 script 标签注入到 DOM 中的脚本在innerHTML
注入时不会运行,因此您必须明确。
我在查看其他 SO 帖子时发现了这篇文章。以下是我在那里给出的答案的副本。
我知道这是一个旧线程,但是 React 已经变得流行起来,也许使用 React 的人会来这里寻找相同问题的答案。
因此,如果您使用 React,您可以执行以下操作,这是由 React 团队的 Ben Alpert 提供的原始答案
getInitialState: function(event) {
return {image: "http://example.com/primary_image.jpg"};
},
handleError: function(event) {
this.setState({image: "http://example.com/failover_image.jpg"});
},
render: function() {
return (
<img onError={this.handleError} src={src} />;
);
}
我创建了一个小提琴来使用“onerror”事件替换损坏的图像。这可能会对您有所帮助。
//the placeholder image url
var defaultUrl = "url('https://sadasd/image02.png')";
$('div').each(function(index, item) {
var currentUrl = $(item).css("background-image").replace(/^url\(['"](.+)['"]\)/, '$1');
$('<img>', {
src: currentUrl
}).on("error", function(e) {
$this = $(this);
$this.css({
"background-image": defaultUrl
})
e.target.remove()
}.bind(this))
})
这是一个使用 JQuery 包装的 HTML5 Image 对象的示例。调用主图像 URL 的加载函数,如果该加载导致错误,请将图像的 src 属性替换为备用 URL。
function loadImageUseBackupUrlOnError(imgId, primaryUrl, backupUrl) {
var $img = $('#' + imgId);
$(new Image()).load().error(function() {
$img.attr('src', backupUrl);
}).attr('src', primaryUrl)
}
<img id="myImage" src="primary-image-url"/>
<script>
loadImageUseBackupUrlOnError('myImage','primary-image-url','backup-image-url');
</script>
纯JS。我的任务是:如果图像'bl-once.png'为空->从数组列表(在当前目录中)插入第一个(没有404状态)图像:
<img src="http://localhost:63342/GetImage/bl-once.png" width="200" onerror="replaceEmptyImage.insertImg(this)">
也许它需要改进,但是:
var srcToInsertArr = ['empty1.png', 'empty2.png', 'needed.png', 'notActual.png']; // try to insert one by one img from this array
var path;
var imgNotFounded = true; // to mark when success
var replaceEmptyImage = {
insertImg: function (elem) {
if (srcToInsertArr.length == 0) { // if there are no more src to try return
return "no-image.png";
}
if(!/undefined/.test(elem.src)) { // remember path
path = elem.src.split("/").slice(0, -1).join("/"); // "http://localhost:63342/GetImage"
}
var url = path + "/" + srcToInsertArr[0];
srcToInsertArr.splice(0, 1); // tried 1 src
if(imgNotFounded){ // while not success
replaceEmptyImage.getImg(url, path, elem); // CALL GET IMAGE
}
},
getImg: function (src, path, elem) { // GET IMAGE
if (src && path && elem) { // src = "http://localhost:63342/GetImage/needed.png"
var pathArr = src.split("/"); // ["http:", "", "localhost:63342", "GetImage", "needed.png"]
var name = pathArr[pathArr.length - 1]; // "needed.png"
xhr = new XMLHttpRequest();
xhr.open('GET', src, true);
xhr.send();
xhr.onreadystatechange = function () {
if (xhr.status == 200) {
elem.src = src; // insert correct src
imgNotFounded = false; // mark success
}
else {
console.log(name + " doesn't exist!");
elem.onerror();
}
}
}
}
};
因此,它会将正确的 'needed.png' 插入到我的 src 或当前目录中的 'no-image.png' 中。
我不确定是否有更好的方法,但我可以想到一个 hack 来获得它 - 你可以 Ajax 发布到 img URL,并解析响应以查看图像是否真的回来了。如果它以 404 或其他形式返回,则换掉 img。虽然我预计这会很慢。
我用这两个简单的功能解决了我的问题:
function imgExists(imgPath) {
var http = jQuery.ajax({
type:"HEAD",
url: imgPath,
async: false
});
return http.status != 404;
}
function handleImageError() {
var imgPath;
$('img').each(function() {
imgPath = $(this).attr('src');
if (!imgExists(imgPath)) {
$(this).attr('src', 'images/noimage.jpg');
}
});
}
jQuery 1.8
// If missing.png is missing, it is replaced by replacement.png
$( "img" )
.error(function() {
$( this ).attr( "src", "replacement.png" );
})
.attr( "src", "missing.png" );
jQuery 3
// If missing.png is missing, it is replaced by replacement.png
$( "img" )
.on("error", function() {
$( this ).attr( "src", "replacement.png" );
})
.attr( "src", "missing.png" );
有时使用error
事件是不可行的,例如因为您试图在已经加载的页面上执行某些操作,例如当您通过控制台、书签或异步加载的脚本运行代码时。在这种情况下,检查img.naturalWidth
andimg.naturalHeight
是 0 似乎可以解决问题。
例如,这是一个从控制台重新加载所有损坏图像的片段:
$$("img").forEach(img => {
if (!img.naturalWidth && !img.naturalHeight) {
img.src = img.src;
}
}
我认为即使备份图像无法加载,我也有一种更优雅window
的方式来处理事件委托和事件捕获。error
img {
width: 100px;
height: 100px;
}
<script>
window.addEventListener('error', windowErrorCb, {
capture: true
}, true)
function windowErrorCb(event) {
let target = event.target
let isImg = target.tagName.toLowerCase() === 'img'
if (isImg) {
imgErrorCb()
return
}
function imgErrorCb() {
let isImgErrorHandled = target.hasAttribute('data-src-error')
if (!isImgErrorHandled) {
target.setAttribute('data-src-error', 'handled')
target.src = 'backup.png'
} else {
//anything you want to do
console.log(target.alt, 'both origin and backup image fail to load!');
}
}
}
</script>
<img id="img" src="error1.png" alt="error1">
<img id="img" src="error2.png" alt="error2">
<img id="img" src="https://i.stack.imgur.com/ZXCE2.jpg" alt="avatar">
重点是 :
将代码放入head
并作为第一个内联脚本执行。所以,它会监听脚本之后发生的错误。
使用事件捕获来捕获错误,尤其是对于那些没有冒泡的事件。
使用事件委托,避免在每个图像上绑定事件。
在给错误img
元素一个属性后给他们一个属性backup.png
以避免backup.png
随后的无限循环消失,如下所示:
img error->backup.png->error->backup.png->error->,,,,,
对于 React 开发人员:
<img
src={"https://urlto/yourimage.png"} // <--- If this image src fail to load, onError function will be called, where you can add placeholder image or any image you want to load
width={200}
alt={"Image"}
onError={(event) => {
event.target.onerror = "";
event.target.src = "anyplaceholderimageUrlorPath"
return true;
}}
/>
如果图像无法加载(例如,因为它不在提供的 URL 中),图像 URL 将更改为默认值,
$('img').on('error', function (e) {
$(this).attr('src', 'broken.png');
});
我遇到了同样的问题。这段代码适用于我的情况。
// Replace broken images by a default img
$('img').each(function(){
if($(this).attr('src') === ''){
this.src = '/default_feature_image.png';
}
});
我使用延迟加载并且必须这样做才能使其正常工作:
lazyload();
var errorURL = "https://example.com/thisimageexist.png";
$(document).ready(function () {
$('[data-src]').on("error", function () {
$(this).attr('src', errorURL);
});
});
我发现这个效果最好,如果任何图像第一次加载失败,它就会从 DOM 中完全删除。执行console.clear()
使控制台窗口保持清洁,因为 try/catch 块不能省略 404 错误。
$('img').one('error', function(err) {
// console.log(JSON.stringify(err, null, 4))
$(this).remove()
console.clear()
})