懒加载是什么
就是图片延迟加载,很多图片并不需要页面载入的时候就加载,当用户滑到该视图的时候再加载图片,避免打开网页时加载过多的资源。
当页面一次性要加载很多资源的时候往往要用到懒加载
图片加载原理
img标签有一个src属性,当src不为空时,浏览器就会根据这个值发请求
懒加载实现思路
首先将src属性临时保存在temp-src上,等到想要加载该图片时,再将temp-src赋值给src
代码实现
首先一个简单的html结构
<div id="imgOuter">
<div><img src="" temp-src="./1.JPG"></div>
<div><img src="" temp-src="./2.JPG"></div>
<div><img src="" temp-src="./3.JPG"></div>
<div><img src="" temp-src="./4.JPG"></div>
<div><img src="" temp-src="./5.JPG"></div>
<div><img src="" temp-src="./6.JPG"></div>
</div>
通过获取元素在文档中的位置、滚轮滚动的距离、视图大小判断。
如果 元素在文档中的top < 滚轮滚动的距离 + 视图大小 则加载图片
元素在文档中的位置:element.offsetTop
滚轮滚动的距离:document.documentElement.scrollTop(IE和火狐) / document.body.scroolTop(chrome)
视图大小: window.innerHeight (ie不可用)/document.documentElement.clientHeight (IE下为 浏览器可视部分高度/Chrome下为浏览器所有内容高度)
let imgList = Array.from(document.getElementById('imgOuter').children);
//可以加载区域=当前屏幕高度+滚动条已滚动高度
const hasheight = function(){
const clientHeight = window.innerHeight;
const top = document.documentElement.scrollTop || document.body.scrollTop;;
return clientHeight+top;
}
//判断是否加载图片,如果加载则加载
const loadImage = function(){
imgList.forEach(div => {
const img = div.children[0];
if(!img.src && div.offsetTop < hasheight()){
//加载图片
img.src = img.attributes['temp-src'].value;
}
});
}
//实时监听滚轮滑动判断是否需要加载图片
window.onscroll = function(){
loadImage();
}
//首屏加载
loadImage();