React

背景

长页面在前端开发中是非常常见的。例如下图中的电商首页,楼层数据来自运营人员在后台的配置,楼层数量是不固定的,同时每个楼层可能会依赖更多翻页数据。在这种情况下,如果一次性将页面全部渲染,可想而知,页面直出效率(fmp, fid)会受到影响。
为了更好的用户体验,需要考虑在用户滚动到下一屏时,渲染下一屏的组件。
2021-05-01-21-48-24-769109.png

设计思路

假设页面预期渲染 n 个组件,每个组件均会触发请求其他接口。设计这样一个长页面,主要会面临以下两个问题:

  • 渲染下一屏组件的时机应该如何判断?
  • 在数据反复更新的过程中,如何让组件不重复发起数据请求?

2021-05-01-21-48-24-965873.png
图 1

一、渲染下一屏的时机

1. 初始定义

以首页为例,将楼层数据源用 homeInfo 变量保存,而实际渲染的数据用 compList 保存。另外需要一个 loading 组件,该组件始终处于楼层组件的最下方。

  1. const homeInfo = [...楼层数据];
  2. const [compList, setCompList] = useState([]); // 渲染的组件数据
  3. const bottomDomRef = useRef<HTMLDivElement>(null);
  4. // 楼层组件
  5. <div>
  6. {compList.map((homeItem, index) => (
  7. <div className="home-floor" key={index}>
  8. // 根据不同的楼层渲染不同的楼层组件
  9. {renderHomeConfig(homeItem)}
  10. </div>
  11. ))}
  12. </div>
  13. // loading DOM
  14. <div ref={bottomDomRef} className='bottom-loading'>
  15. <Icon name="loading" />
  16. </div>
  17. // completed DOM
  18. <div className="bottom-completed">
  19. <p>已经到底啦</p>
  20. </div>

2. Loading 组件是否在视图内

如图 1 所示,当 loading 组件的位置滚动到视图中时,并且如果此时还有未渲染的组件,这时便是渲染下一屏的时机。
判断组件是否在视图内有两种方式,一种是调用[Element.getBoundingClientRect()](https://developer.mozilla.org/zh-CN/docs/Web/API/Element/getBoundingClientRect)方法以获取 loading 元素的边界信息,进行判断,另一种是调用Intersection Observer API进行判断。

方法 1:getBoundingClientRect

需要知道 窗口高度 以及 Loading 组件的高度。
Element.clientHeight 元素内部的高度,包含内边距,但不包括水平滚动条、边框和外边距。
Element.scrollHeight 元素内容高度的度量,包括由于溢出导致的视图中不可见内容。

  1. Element.getBoundingClientRect() 方法返回元素的大小及其相对于视口的位置。
  2. const scrollRenderHandler = ():void => {
  3. const rect = bottomDomRef.current?.getBoundingClientRect();
  4. // top 是loading组件的位置
  5. const top = rect ? rect.top : 0;
  6. // 视窗高
  7. const clientHeight = document.documentElement.clientHeight
  8. || document.body.clientHeight;
  9. if (top < clientHeight && 组件没渲染完) {
  10. // 继续渲染
  11. }
  12. }
  13. useEffect(() => {
  14. document.addEventListener('scroll', scrollRenderHandler);
  15. return (): void => {
  16. document.removeEventListener('scroll', scrollRenderHandler);
  17. };
  18. }, [scrollRenderHandler]);

方法 2:Intersection Observer

使用 react-intersection-observer 的 api 判断 loading 元素是否在视图内。

  1. // Use object destructing, so you don't need to remember the exact order
  2. const { ref, inView, entry } = useInView(options);
  3. // Or array destructing, making it easy to customize the field names
  4. const [ref, inView, entry] = useInView(options);
  5. import { useInView } from 'react-intersection-observer';
  6. const [bottomDomRef, inView] = useInView({
  7. threshold: 0,
  8. });
  9. const scrollRenderHandler = ():void => {
  10. if (inView && 组件没渲染完) {
  11. // 继续渲染
  12. }
  13. }

3. 组件是否渲染完成

假设一屏展示 3 个组件,类似常见分页逻辑中的 pageSize = 3,可以将 n 个组件分割成每 3 个 1 组,对每组依次进行渲染,并用 compGroups 保存分割的组,同时使用 groupIdx 指针来指向下一个需要渲染的组序列。
2021-05-01-21-48-25-260604.png

  1. export const splitGroups = (homeList: any[], pageSize: number): any[] => {
  2. const groupsTemp = [];
  3. for (let i = 0; i < homeList.length; i += pageSize) {
  4. groupsTemp.push(homeList.slice(i, i + pageSize));
  5. }
  6. return groupsTemp;
  7. };
  8. const compGroups = useMemo(() => splitGroups(homeInfo, 3), [homeInfo]);
  9. const groupCount = compGroups.length;
  10. const [groupIdx, setGroupIdx] = useState(0);

当分割好组后,如何判断组件没渲染完的问题便迎刃而解,当 groupIdx 小于 groupCount,更新 compListgroupIdx

  1. if (top < clientHeight && groupIdx < compGroups.length) {
  2. setCompList(compList.concat(compGroups[groupIdx]));
  3. setGroupIdx(groupIdx + 1);
  4. }

4. 监听滚动优化

在滚动时会频繁触发 scrollRenderHandler 函数,导致页面性能低下。此时需要采用节流,并用 useCallback 缓存 scrollRenderHandler 函数用来提升性能。

  1. const [scrollRenderHandler] = useDebounce((): void => {
  2. if (inView && groupIdx < groupCount) {
  3. setCompList(compList.concat(compGroups[groupIdx]));
  4. setGroupIdx(groupIdx + 1);
  5. }
  6. },
  7. 300,
  8. [compGroups, compList, groupIdx, inView],
  9. );
  10. useEffect(() => {
  11. document.addEventListener('scroll', scrollRenderHandler);
  12. return (): void => {
  13. document.removeEventListener('scroll', scrollRenderHandler);
  14. };
  15. }, [scrollRenderHandler]);
  16. export default function useDebounce<T extends(...args: any[]) => any>(
  17. func: T,
  18. delay: number,
  19. deps: DependencyList = [],
  20. ): [T, () => void] {
  21. const timer = useRef<number>();
  22. const cancel = useCallback(() => {
  23. if (timer.current) {
  24. clearTimeout(timer.current);
  25. }
  26. }, []);
  27. const run = useCallback((...args) => {
  28. cancel();
  29. timer.current = window.setTimeout(() => {
  30. func(...args);
  31. }, delay);
  32. }, deps);
  33. return [run as T, cancel];
  34. }

二、不重复发起数据请求

1. 症结分析

至此,随着屏幕滚动,基本完成了组件动态渲染的要求。但还有另外一个问题:随着滚动,相同的数据接口请求了多次。
2021-05-01-21-48-26-074938.gif
2021-05-01-21-48-26-398172.png
如上图,同一楼层的接口被请求了两遍。这意味着,在窗口滚动的过程中,反复更新了 compList 数据,从而导致了楼层组件重新渲染,而每个楼层组件的数据请求,是放在组件内部的,这与该楼层的唯一标识 uuid 相关,因此导致数据接口的重复请求。

2. React.memo

React Top-Level API – React
通过上述症结得知,只要组件不重复渲染,便可规避掉重复请求的问题。
在没有引入 React.memo 之前,使用 PureComponent 可以达到对 props 浅比较的效果,另外,也可以采用 shouldComponentUpdate 来进行具体的比较,从而减少组件的渲染次数。
具体如:shouldComponentUpdate(nextProps, nextState)而在函数组件中,可以使用 React.memo ,它的使用方法非常简单,如下所示。如果不传 areEqual 则对 props 进行浅比较。若传入,则需要返回具体的比较结果 true, false 。

  1. function MyComponent(props) {
  2. /* render using props */
  3. }
  4. function areEqual(prevProps, nextProps) {
  5. /*
  6. return true if passing nextProps to render would return
  7. the same result as passing prevProps to render,
  8. otherwise return false
  9. */
  10. }
  11. export default React.memo(MyComponent, areEqual);

因此只需要在对应的楼层组件中,将组件用 memo 进行包裹,并对比它们的唯一标识 uuid 。
代码如下:

  1. import React, { memo } from 'react';
  2. type GoodsRecommedProps = {
  3. ...其他 props
  4. goodsQuery:{
  5. uuid: '...'
  6. }
  7. }
  8. const GoodsRecommed: React.FC<GoodsRecommedProps> = (props) => {
  9. ...
  10. }
  11. const isEqual = (prevProps: GoodsRecommedProps, nextProps: GoodsRecommedProps): boolean => {
  12. if (prevProps.goodsQuery.uuid !== nextProps.goodsQuery.uuid) {
  13. return false;
  14. }
  15. return true;
  16. };
  17. export default memo(GoodsRecommed, isEqual);

最后看一下效果,确实没有重复的数据请求了。
2021-05-01-21-48-26-793542.gif2021-05-01-21-48-27-011451.png

总结

  • React.memo 用于组件单位的性能优化。
  • useCallback 根据依赖缓存第一个参数的 callback ,多用于缓存函数。
  • useMemo 根据依赖缓存的第一个参数的返回值,多用于组件内更细粒度的某一部分性能优化。