组件数据懒加载
我们可以使用 @vueuse/core 中的 useIntersectionObserver 来实现监听进入可视区域行为,但是必须配合vue3.0的组合API的方式才能实现。
大致步骤:
- 理解 useIntersectionObserver 的使用,各个参数的含义
- 改造 组件成为数据懒加载,掌握 useIntersectionObserver 函数的用法
- 封装 useLazyData 函数,作为数据懒加载公用函数
- 使用懒加载方式
先分析下这个useIntersectionObserver 函数:
const { stop } = useIntersectionObserver(
target,
([{ isIntersecting }], observerElement) => {
},
)
简单案例代码
<template>
<div class="box">
第一个盒子
</div>
<!-- 要检测的元素添加个名字 -->
<div class="box" ref="target">
第二个盒子
</div>
</template>
<script>
// useIntersectionObserver 检测目标元素的可见性。
import { ref } from 'vue'
import { useIntersectionObserver } from '@vueuse/core'
export default {
setup () {
const target = ref(null)
// stop 用于停止检测函数
// target 被检测的元素
// isIntersecting 布尔值,元素是否可见 true/false
const { stop } = useIntersectionObserver(
target,
([{ isIntersecting }], observerElement) => {
// 如果元素可以,发送请求获取数据,并停止检测避免重复发送请求
if (isIntersecting) {
console.log('isIntersecting元素可见性,发送请求获取数据', isIntersecting)
stop()
}
}
)
return { target }
}
}
</script>
<style lang="less" scoped>
.box {
width: 1000px;
height: 200px;
background-color: pink;
margin: 500px auto;
}
</style>
封装懒加载数据组件
实现当组件进入可视区域在加载数据。 由于数据加载都需要实现懒数据加载,所以封装一个钩子函数,得到数据。
src/hooks/index.js
import { ref } from 'vue'
import { useIntersectionObserver } from '@vueuse/core'
export const useLazyData = (apiFn) => {
const target = ref(null)
const list = ref([])
const { stop } = useIntersectionObserver(
target,
([{ isIntersecting }]) => {
if (isIntersecting) {
console.log(target.value, '元素可见可以发请求了.....')
apiFn().then(({ result }) => {
list.value = result
})
stop()
}
}
)
return { list, target }
}
|