1.如何判断一个元素是否出现在窗口可视范围(浏览器的上边缘和下边缘之间,肉眼可视)。写一个函数 isVisible实现
function isVisible($node){
var winHeight = $(window).height();
var scrollTop = $(window).scrollTop();
var $offset = $node.offset();
var $height = $node.outHeight(true);
if(winHeight + scrollTop > $offset && $offset + $height > scrollTop){
return true;
}else{
return false;
}
}
2.当窗口滚动时,判断一个元素是不是出现在窗口可视范围。每次出现都在控制台打印 true 。用代码实现
var $div = $('div');
$(window).on('scroll',function(){
$div.not('.show').each(function(){
if(isVisible($(this))){
showDiv($(this))
}else{
console.log('false')
}
})
})
function showDiv ($div) {
$div.each(function(){
console.log('true')
})
}
function isVisible($node){
var winHeight = $(window).height();
var scrollTop = $(window).scrollTop();
var $offset = $node.offset().top;
var $height = $node.outerHeight(true);
if(winHeight + scrollTop > $offset && $offset + $height > scrollTop){
console.log('winHeight:',winHeight,'scrollTop:',scrollTop,'$offset:',$offset,'$height:',$height)
return true;
}else{
return false;
}
}
3.当窗口滚动时,判断一个元素是不是出现在窗口可视范围。在元素第一次出现时在控制台打印 true,以后再次出现不做任何处理。用代码实现
var $div = $('div');
$(window).on('scroll',function(){
$div.not('.show').each(function(){
if(isVisible($(this))){
showDiv($(this))
}else{
console.log('false')
}
})
})
function showDiv ($div) {
$div.each(function(){
$(this).addClass('show')
console.log('true')
})
}
function isVisible($node){
var winHeight = $(window).height();
var scrollTop = $(window).scrollTop();
var $offset = $node.offset().top;
var $height = $node.outerHeight(true);
if(winHeight + scrollTop > $offset && $offset + $height > scrollTop){
console.log('winHeight:',winHeight,'scrollTop:',scrollTop,'$offset:',$offset,'$height:',$height)
return true;
}else{
return false;
}
}
4.图片懒加载的原理是什么?
-
一个网站需要加载的图片会很多,如果要求浏览器在用户请求打开该网站的那一瞬间,加载完所有的图片,会导致加载的时间非常长,且效果不一定好,如果遇到传输问题,有的图片甚至可能出现显示不全的情况,这样的话用户的体验就很差了。
-
对于这个问题,我们想到了一个解决办法:直到该图片出现在用户的视线范围内时,才加载该图片。
-
关键的步骤:
-
①判断图片是否可见:如果:屏幕滚动的高度+窗口高度 > 图片到页面顶部的距离,那么该图片即是可见 *的;
-
②转换图片的可见状态:修改图片原本的src值。我们可以给每一个图片的src设一个相同的初始值,这样只会发起一次请求,如果不设置,可能会出现“X”就很难看。当图片是可见时,再修改图片的src属性,这时,图片的内容就能被加载出来了。
网友评论