90行代码,15个元素实现无限滚动

在本篇文章你将会学到:

IntersectionObserver API 的用法,以及如何兼容。
如何在React Hook中实现无限滚动。
如何正确渲染多达10000个元素的列表。

无限下拉加载技术使用户在大量成块的内容面前一直滚动查看。这种方法是在你向下滚动的时候不断加载新内容。

当你使用滚动作为发现数据的主要方法时,它可能使你的用户在网页上停留更长时间并提升用户参与度。随着社交媒体的流行,大量的数据被用户消费。无线滚动提供了一个高效的方法让用户浏览海量信息,而不必等待页面的预加载。

如何构建一个体验良好的无限滚动,是每个前端无论是项目或面试都会碰到的一个课题。
本文的原版实现来自:Creating Infinite Scroll with 15 Elements

  1. 早期的解决方案
    关于无限滚动,早期的解决方案基本都是依赖监听scroll事件:
    function fetchData() {
    fetch(path).then(res => doSomeThing(res.data));
    }

window.addEventListener(‘scroll’, fetchData);
复制代码然后计算各种.scrollTop()、.offset().top等等。
手写一个也是非常枯燥。而且:

scroll事件会频繁触发,因此我们还需要手动节流。
滚动元素内有大量DOM,容易造成卡顿。

后来出现交叉观察者IntersectionObserver API
,在与Vue、React这类数据驱动视图的框架后,无限滚动的通用方案就出来了。
2. 交叉观察者:IntersectionObserver
const box = document.querySelector(’.box’);
const intersectionObserver = new IntersectionObserver((entries) => {
entries.forEach((item) => {
if (item.isIntersecting) {
console.log(‘进入可视区域’);
}
})
});
intersectionObserver.observe(box);
复制代码敲重点:
IntersectionObserver API是异步的,不随着目标元素的滚动同步触发,性能消耗极低。
2.1 IntersectionObserverEntry对象

这里我就粗略的介绍下需要用到的:
IntersectionObserverEntry对象
callback函数被调用时,会传给它一个数组,这个数组里的每个对象就是当前进入可视区域或者离开可视区域的对象(IntersectionObserverEntry对象)
这个对象有很多属性,其中最常用的属性是:

target: 被观察的目标元素,是一个 DOM 节点对象
isIntersecting: 是否进入可视区域
intersectionRatio: 相交区域和目标元素的比例值,进入可视区域,值大于0,否则等于0

2.3 options
调用IntersectionObserver时,除了传一个回调函数,还可以传入一个option对象,配置如下属性:

threshold: 决定了什么时候触发回调函数。它是一个数组,每个成员都是一个门槛值,默认为[0],即交叉比例(intersectionRatio)达到0时触发回调函数。用户可以自定义这个数组。比如,[0, 0.25, 0.5, 0.75, 1]就表示当目标元素 0%、25%、50%、75%、100% 可见时,会触发回调函数。
root: 用于观察的根元素,默认是浏览器的视口,也可以指定具体元素,指定元素的时候用于观察的元素必须是指定元素的子元素
rootMargin: 用来扩大或者缩小视窗的的大小,使用css的定义方法,10px 10px 30px 20px表示top、right、bottom 和 left的值

const io = new IntersectionObserver((entries) => {
console.log(entries);
}, {
threshold: [0, 0.5],
root: document.querySelector(’.container’),
rootMargin: “10px 10px 30px 20px”,
});
复制代码2.4 observer
observer.observer(nodeone); //仅观察nodeOne
observer.observer(nodeTwo); //观察nodeOne和nodeTwo
observer.unobserve(nodeOne); //停止观察nodeOne
observer.disconnect(); //没有观察任何节点
复制代码3. 如何在React Hook中使用IntersectionObserver
在看Hooks版之前,来看正常组件版的:
class SlidingWindowScroll extends React.Component {
this.KaTeX parse error: Expected '}', got 'EOF' at end of input: …r.observe(this.bottomElement.current);
}
render() {
return (


  • )
    }
    复制代码众所周知,React 16.x后推出了useRef来替代原有的createRef,用于追踪DOM节点。那让我们开始吧:
    4. 原理
    实现一个组件,可以显示具有15个元素的固定窗口大小的n个项目的列表:
    即在任何时候,无限滚动n元素上也仅存在15个DOM节点。
  • 采用relative/absolute 定位来确定滚动位置
    追踪两个ref: top/bottom来决定向上/向下滚动的渲染与否
    切割数据列表,保留最多15个DOM元素。

    1. useState声明状态变量
      我们开始编写组件SlidingWindowScrollHook:
      const THRESHOLD = 15;
      const SlidingWindowScrollHook = (props) => {
      const [start, setStart] = useState(0);
      const [end, setEnd] = useState(THRESHOLD);
      const [observer, setObserver] = useState(null);
      // 其它代码…
      }
      复制代码1. useState的简单理解:
      const [属性, 操作属性的方法] = useState(默认值);
      复制代码2. 变量解析

    start:当前渲染的列表第一个数据,默认为0
    end: 当前渲染的列表最后一个数据,默认为15
    observer: 当前观察的视图ref元素

    1. useRef定义追踪的DOM元素
      const $bottomElement = useRef();
      const $topElement = useRef();
      复制代码正常的无限向下滚动只需关注一个dom元素,但由于我们是固定15个dom元素渲染,需要判断向上或向下滚动。
    2. 内部操作方法和和对应useEffect
      请配合注释食用:
      useEffect(() => {
      // 定义观察
      intiateScrollObserver();
      return () => {
      // 放弃观察
      resetObservation()
      }
      },[end]) //因为[end] 是同步刷新,这里用一个就行了。

    // 定义观察
    const intiateScrollObserver = () => {
    const options = {
    root: null,
    rootMargin: ‘0px’,
    threshold: 0.1
    };
    const Observer = new IntersectionObserver(callback, options)
    // 分别观察开头和结尾的元素
    if (KaTeX parse error: Expected '}', got 'EOF' at end of input: …server.observe(topElement.current);
    }
    if (KaTeX parse error: Expected '}', got 'EOF' at end of input: …server.observe(bottomElement.current);
    }
    // 设初始值
    setObserver(Observer)
    }

    // 交叉观察的具体回调,观察每个节点,并对实时头尾元素索引处理
    const callback = (entries, observer) => {
    entries.forEach((entry, index) => {
    const listLength = props.list.length;
    // 向下滚动,刷新数据
    if (entry.isIntersecting && entry.target.id === “bottom”) {
    const maxStartIndex = listLength - 1 - THRESHOLD; // 当前头部的索引
    const maxEndIndex = listLength - 1; // 当前尾部的索引
    const newEnd = (end + 10) <= maxEndIndex ? end + 10 : maxEndIndex; // 下一轮增加尾部
    const newStart = (end - 5) <= maxStartIndex ? end - 5 : maxStartIndex; // 在上一轮的基础上计算头部
    setStart(newStart)
    setEnd(newEnd)
    }
    // 向上滚动,刷新数据
    if (entry.isIntersecting && entry.target.id === “top”) {
    const newEnd = end === THRESHOLD ? THRESHOLD : (end - 10 > THRESHOLD ? end - 10 : THRESHOLD); // 向上滚动尾部元素索引不得小于15
    let newStart = start === 0 ? 0 : (start - 10 > 0 ? start - 10 : 0); // 头部元素索引最小值为0
    setStart(newStart)
    setEnd(newEnd)
    }
    });
    }

    // 停止滚动时放弃观察
    const resetObservation = () => {
    observer && observer.unobserve(KaTeX parse error: Expected 'EOF', got '&' at position 39: … observer &̲& observer.unob…topElement.current);
    }

    // 渲染时,头尾ref处理
    const getReference = (index, isLastIndex) => {
    if (index === 0)
    return $topElement;
    if (isLastIndex)
    return $bottomElement;
    return null;
    }
    复制代码8. 渲染界面

    const {list, height} = props; // 数据,节点高度
    const updatedList = list.slice(start, end); // 数据切割

    const lastIndex = updatedList.length - 1;
    return (
    <ul style={ {position: ‘relative’}}>
    {updatedList.map((item, index) => {
    const top = (height * (index + start)) + ‘px’; // 基于相对 & 绝对定位 计算
    const refVal = getReference(index, index === lastIndex); // map循环中赋予头尾ref
    const id = index === 0 ? ‘top’ : (index === lastIndex ? ‘bottom’ : ‘’); // 绑ID
    return (

  • {item.value}
  • );
    })}

    );
    复制代码9. 如何使用
    App.js:
    import React from ‘react’;
    import ‘./App.css’;
    import { SlidingWindowScrollHook } from “./SlidingWindowScrollHook”;
    import MY_ENDLESS_LIST from ‘./Constants’;

    function App() {
    return (


    15个元素实现无限滚动




    );
    }

    export default App;
    复制代码定义一下数据 Constants.js:
    const MY_ENDLESS_LIST = [
    {
    key: 1,
    value: ‘A’
    },
    {
    key: 2,
    value: ‘B’
    },
    {
    key: 3,
    value: ‘C’
    },
    // 中间就不贴了…
    {
    key: 45,
    value: ‘AS’
    }
    ]
    复制代码SlidingWindowScrollHook.js:
    import React, { useState, useEffect, useRef } from “react”;
    const THRESHOLD = 15;

    const SlidingWindowScrollHook = (props) => {
    const [start, setStart] = useState(0);
    const [end, setEnd] = useState(THRESHOLD);
    const [observer, setObserver] = useState(null);
    const $bottomElement = useRef();
    const $topElement = useRef();

    useEffect(() => {
    intiateScrollObserver();
    return () => {
    resetObservation()
    }
    // eslint-disable-next-line react-hooks/exhaustive-deps

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值