JS实现滚动区域触底事件
程序员文章站
2022-03-10 16:53:37
效果 贴上效果展示: 实现思路 样式方面不多赘述,滚动区域是给固定高度,设置 来实现。 接下来看看js方面的实现,其实也很简单,触发的条件是: + = 。例子我会使用 来实现,和原生实现是一样的。 可视高度(offsetHeight):通过 的 获得,表示区域固定的高度。这里我推荐通过 来获取高度, ......
效果
贴上效果展示:
实现思路
样式方面不多赘述,滚动区域是给固定高度,设置 overflow-y: auto
来实现。
接下来看看js方面的实现,其实也很简单,触发的条件是: 可视高度
+ 滚动距离
>= 实际高度
。例子我会使用vue
来实现,和原生实现是一样的。
- 可视高度(offsetheight):通过
dom
的offsetheight
获得,表示区域固定的高度。这里我推荐通过getboundingclientrect()
来获取高度,因为使用前者会引起浏览器回流,造成一些性能问题。 - 滚动高度(scrolltop):滚动事件中通过
e.target.scrolltop
获取,表示滚动条距离顶部的px - 实际高度(scrollheight):通过
dom
的scrollheight
获得,表示区域内所有内容的高度(包括滚动距离),也就是实际高度
基础实现
onscroll(e) { let scrolltop = e.target.scrolltop let scrollheight = e.target.scrollheight let offsetheight = math.ceil(e.target.getboundingclientrect().height) let currentheight = scrolltop + offsetheight if (currentheight >= scrollheight) { console.log('触底') } }
so easy~
加点细节
加点细节,现在我们希望是离底部一定距离就触发事件,而不是等到完全触底。如果你做过小程序,这和onreachbottom
差不多的意思。
声明一个离底部的距离变量reachbottomdistance
这时候触发条件:可视高度
+ 滚动距离
+ reachbottomdistance
>= 实际高度
export default { data(){ return { reachbottomdistance: 100 } }, methods: { onscroll(e) { let scrolltop = e.target.scrolltop let scrollheight = e.target.scrollheight let offsetheight = math.ceil(e.target.getboundingclientrect().height) let currentheight = scrolltop + offsetheight + this.reachbottomdistance if (currentheight >= scrollheight) { console.log('触底') } } } }
在距离底部100px时成功触发事件,但由于100px往下的区域是符合条件的,会导致一直触发,这不是我们想要的。
接下来做一些处理,让其进入后只触发一次:
export default { data(){ return { isreachbottom: false, reachbottomdistance: 100 } }, methods: { onscroll(e) { let scrolltop = e.target.scrolltop let scrollheight = e.target.scrollheight let offsetheight = math.ceil(e.target.getboundingclientrect().height) let currentheight = scrolltop + offsetheight + this.reachbottomdistance if(currentheight < scrollheight && this.isreachbottom){ this.isreachbottom = false } if(this.isreachbottom){ return } if (currentheight >= scrollheight) { this.isreachbottom = true console.log('触底') } } } }
优化
实时去获取位置信息稍微会损耗性能,我们应该把不变的缓存起来,只实时获取可变的部分
export default { data(){ return { isreachbottom: false, reachbottomdistance: 100 scrollheight: 0, offsetheight: 0, } }, mounted(){ // 页面加载完成后 将高度存储起来 let dom = document.queryselector('.comment-area .comment-list') this.scrollheight = dom.scrollheight this.offsetheight = math.ceil(dom.getboundingclientrect().height) }, methods: { onscroll(e) { let scrolltop = e.target.scrolltop let currentheight = scrolltop + this.offsetheight + this.reachbottomdistance if(currentheight < this.scrollheight && this.isreachbottom){ this.isreachbottom = false } if(this.isreachbottom){ return } if (currentheight >= this.scrollheight) { this.isreachbottom = true console.log('触底') } } } }
实现到这里就告一段落,如果你有更好的思路和值得改进的地方,欢迎交流~
上一篇: Java进阶学习第十一天(过滤器)
下一篇: 技术牛人书架中排名前9½的书籍