在http://perishablepress.com/3-ways-preload-images-css-javascript-ajax/
找到了使用ajax预加载东西的技巧window.onload = function() {
setTimeout(function() {
// XHR to request a JS and a CSS
var xhr = new XMLHttpRequest();
xhr.open('GET', 'http://domain.tld/preload.js');
xhr.send('');
xhr = new XMLHttpRequest();
xhr.open('GET', 'http://domain.tld/preload.css');
xhr.send('');
// preload image
new Image().src = "http://domain.tld/preload.png";
}, 1000);
};
我注意到这张图片的'ajax'预加载根本就不是ajax。它与我多年来一直使用的相同,只是在新图像对象的源中设置url并让浏览器将其加载到缓存中。
现在假设存在一个应用程序,如果占用了一定的时间,我需要实际取消图像的预加载。只需将图像设置为src就没有好办法,不像xhr.abort()方法停止加载实际的xhr请求。
有没有理由做下面这样的事情也不会预先加载图像并允许取消预加载请求?
function preload(url, timeout){
this.canceltimeout = function(){
clearTimeout(this.timeout);
this.loaded = true;
return false;
}
this.abort = function(){
this.xhr.abort();
this.aborted = true;
}
//creates a closure to bind the functions to the right execution scope
this.$_bind = function(method){
var obj = this;
return function (e){ obj[method](e);};
}
//set a default of 10 second timeout
if(timeout == null){
timeout = 10000;
}
this.aborted = false;
this.loaded = false;
this.xhr = new XMLHttpRequest();
this.xhr.onreadystatechange = this.$_bind('canceltimeout');
this.xhr.open('GET', url);
this.xhr.send('');
this.timeout = setTimeout(this.$_bind('abort'), timeout);
}
var llama = new preload('/image.gif');
show_image();
function show_image(){
if(llama.loaded){
var l = new Image();
l.src = '/image.gif';
application.appendChild(l);
}else if(llama.aborted){
var l = document.createElement('p');
l.innerHTML = 'image.gif got cancelled';
application.appendChild(l);
}else{
setTimeout(show_image, 10);
}
return false;
}
答案 0 :(得分:5)
主要缺点是,除非您已将网络服务器配置为提供将来的新鲜度信息(将来为Expires
或Cache-control: max-age
http标头),否则网络浏览器可能会生成第二个http设置image.src时请求服务器,或者只是普通实际使用文档中的图像。如果您的Web服务器已经发送了新鲜度验证标头(last-modified
或e-tag
),那么图像将不会被重新加载,但是要求服务器进行新鲜度验证的请求将会被制作,这是浪费的,增加了流程的延迟。
我不知道为什么,但是当你持有对Image()对象的引用时,浏览器真的喜欢缓存图像。
如果您在网络浏览器调试工具中观看网络面板,您将在大多数浏览器中发出前2个请求,而不是第3个请求。注释掉ajax回调中的代码,你会看到#3
的请求<script src="http://ajax.googleapis.com/ajax/libs/jquery/1/jquery.js"></script>
<script>
var f = "0.png?" + (new Date); // 0.png should not have future freshness info headers
$.get(f, function() {
var i = new Image();
i.src = f;
});
setTimeout(function(){
//#3
var i = new Image();
i.src = f;
}, 5000);
</script>