前置知识

先来理解DOM元素的三个属性

  • scrollTop: 元素顶部到元素可视区域顶部的像素距离(可读写)
  • clientHeight: 元素的像素高度,包括盒子内容content和内边距padding, 不包括边框外边距和水平滚动条(只读)
  • scrollHeight: 类似于clientHeight,但包括由于overflow属性不可见内容的高度。

三者的关系如下图所示:绿色部分是滚动元素能看到的部分,假设红色框区域是元素的总高度,部分被隐藏
scrollTop.png

如何判断

MDN上有一条公式,用于判断元素是否滚动到底部
image.png
结合前面的示意图可知,元素滚动到底部的条件是scrollTop + clientHeight === scrollHeight

Vue写法

以Vue举例,只需监听scroll事件获取到scrollTop, clientHeight 和 scrollHeight的值再进行判断,就能知道元素是否滚动到底部。

  1. <template>
  2. <div id="app">
  3. <div class="scroll-view"
  4. ref="scrollView"
  5. id="scroll-view"
  6. @scroll="handleScroll">
  7. <div
  8. v-for="(item, index) in list"
  9. :key="index"
  10. class="list-item">
  11. 列表项{{item}}
  12. </div>
  13. </div>
  14. </div>
  15. </template>
  16. <script>
  17. export default {
  18. name: 'HelloWorld',
  19. data() {
  20. return {
  21. list: [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
  22. };
  23. },
  24. mounted() {
  25. this.$nextTick(() => {
  26. console.log('clientHeight', this.$refs.scrollView.clientHeight)
  27. })
  28. },
  29. methods: {
  30. handleScroll(e) {
  31. const {scrollTop, clientHeight, scrollHeight} = e.target
  32. // console.log(scrollTop, clientHeight, scrollHeight)
  33. if (scrollTop + clientHeight === scrollHeight){
  34. alert('滚动到底部啦')
  35. }
  36. }
  37. }
  38. }
  39. </script>
  40. <style scoped>
  41. .scroll-view {
  42. width: 400px;
  43. height: 300px;
  44. overflow-y: scroll;
  45. background-color: #68b687;
  46. }
  47. .list-item {
  48. padding: 40px 0;
  49. }
  50. .list-item:nth-child(2n + 1){
  51. background-color: rgba(0, 0, 0, .2);
  52. }
  53. .list-item:nth-child(2n + 2){
  54. background-color: rgba(222, 221, 221, 0.2);
  55. }
  56. </style>

效果演示

scrollToBottom.gif

参考

https://www.cnblogs.com/weiyf/p/8718051.html
https://developer.mozilla.org/en-US/docs/Web/API/Element/scrollHeight
https://developer.mozilla.org/en-US/docs/Web/API/Element/scrollTop
https://developer.mozilla.org/en-US/docs/Web/API/Element/clientHeight