·vincent

React有哪些性能优化的方法

React有哪些性能优化的方法

react

React 性能优化指南

在 React 开发中,优化性能是提升用户体验的关键。本文将从三个主要方向探讨 React 性能优化的方法,这些方法在其他软件开发领域同样适用。

三大优化方向

  1. 减少计算量:对应到 React 中,就是减少渲染的节点或降低组件渲染的复杂度。
  2. 利用缓存:对应到 React 中,就是如何避免重新渲染,利用函数式编程的 memo 方式来避免组件重新渲染。
  3. 精确重新计算的范围:对应到 React 中,就是绑定组件和状态关系,精确判断更新的“时机”和“范围”,只重新渲染“脏”的组件,或者说降低渲染范围。

减少渲染的节点/降低渲染计算量(复杂度)

首先从减少计算量入手,减少节点渲染的数量或降低渲染的计算量可以显著提高组件渲染性能。

1. 不要在渲染函数中进行不必要的计算

避免在渲染函数(render)中进行数组排序、数据转换、订阅事件、创建事件处理器等操作。渲染函数中不应放置过多副作用。

jsx
1// Bad
2const MyComponent = ({ items }) => {
3  return (
4    <div>
5      {items.sort((a, b) => a.value - b.value).map(item => (
6        <div key={item.id}>{item.value}</div>
7      ))}
8    </div>
9  );
10};
11
12// Good
13const MyComponent = ({ items }) => {
14  const sortedItems = useMemo(() => {
15    return items.sort((a, b) => a.value - b.value);
16  }, [items]);
17
18  return (
19    <div>
20      {sortedItems.map(item => (
21        <div key={item.id}>{item.value}</div>
22      ))}
23    </div>
24  );
25};

2. 减少不必要的嵌套

避免过度使用 styled-components,特别是在纯静态样式规则和需要重度性能优化的场景中。过度嵌套不仅影响性能,还会带来节点嵌套地狱的问题。

jsx
1// Bad
2const Container = styled.div`
3  div {
4    span {
5      color: red;
6    }
7  }
8`;
9
10// Good
11const Container = styled.div`
12  .text {
13    color: red;
14  }
15`;
16
17// Usage
18<Container>
19  <div>
20    <span className="text">Hello World</span>
21  </div>
22</Container>

利用缓存避免重新渲染

缓存是提高性能的有效手段,React 提供了多种方法来实现缓存,从而避免不必要的重新渲染。

1. 使用 React.memo

React.memo 可以防止无状态组件在 props 没有变化时重新渲染。

jsx
1const MyComponent = React.memo(({ value }) => {
2  return <div>{value}</div>;
3});

2. 使用 Hooks 进行性能优化

  • useCallback:返回一个 memoized 回调函数,避免函数在每次渲染时都重新创建。
  • useMemo:返回一个 memoized 值,避免在每次渲染时都重新计算值。
jsx
1const ParentComponent = () => {
2  const [count, setCount] = useState(0);
3
4  const handleClick = useCallback(() => {
5    setCount(prevCount => prevCount + 1);
6  }, []);
7
8  return (
9    <div>
10      <button onClick={handleClick}>Increment</button>
11      <ChildComponent count={count} />
12    </div>
13  );
14};
15
16const ChildComponent = React.memo(({ count }) => {
17  console.log('ChildComponent render');
18  return <div>{count}</div>;
19});

精确重新计算的范围

通过精确控制组件的重新渲染范围,可以大幅提升性能。

1. 使用合适的键(keys)

在列表渲染中,确保使用稳定且唯一的键,以帮助 React 高效地识别和更新组件。

jsx
1// Bad
2{items.map((item, index) => (
3  <ListItem key={index} item={item} />
4))}
5
6// Good
7{items.map((item) => (
8  <ListItem key={item.id} item={item} />
9))}

2. 使用 shouldComponentUpdateReact.PureComponent

在类组件中,通过 shouldComponentUpdate 方法控制组件是否需要重新渲染,或使用 React.PureComponent,它会自动实现 shouldComponentUpdate,仅在 props 或 state 发生变化时重新渲染。

jsx
1class MyComponent extends React.PureComponent {
2  render() {
3    return <div>{this.props.value}</div>;
4  }
5}

其他优化技巧

  1. 虚拟化长列表:使用如 react-windowreact-virtualized 这样的库,仅渲染可见的部分,避免一次性渲染大量 DOM 节点。
jsx
1import { FixedSizeList as List } from 'react-window';
2
3const Row = ({ index, style }) => (
4  <div style={style}>Row {index}</div>
5);
6
7const MyList = () => (
8  <List
9    height={150}
10    itemCount={1000}
11    itemSize={35}
12    width={300}
13  >
14    {Row}
15  </List>
16);
  1. 拆分代码(Code Splitting):使用动态 import 和 React.lazy,结合 React.Suspense,按需加载组件,减少初始加载时间。
jsx
1import React, { lazy, Suspense } from 'react';
2
3const LazyComponent = lazy(() => import('./LazyComponent'));
4
5const App = () => (
6  <Suspense fallback={<div>Loading...</div>}>
7    <LazyComponent />
8  </Suspense>
9);
  1. 避免匿名函数和对象的重新创建:在 JSX 中避免直接使用匿名函数或对象,因为每次渲染都会创建新的实例,导致子组件重新渲染。
jsx
1// Bad
2<Child onClick={() => doSomething()} />
3
4// Good
5const handleClick = useCallback(() => doSomething(), []);
6<Child onClick={handleClick} />
  1. 减少 Refs 的使用:避免不必要地使用 refs,除非有明确的需要。尽量依赖于 state 和 props 管理数据。

  2. 适当地使用 Context:尽量避免在频繁变化的数据中使用 Context,因为它会导致所有消费该上下文的组件重新渲染。

jsx
1// Bad
2const ThemeContext = React.createContext();
3
4const ParentComponent = () => {
5  const [theme, setTheme] = useState('light');
6
7  return (
8    <ThemeContext.Provider value={{ theme, setTheme }}>
9      <ChildComponent />
10    </ThemeContext.Provider>
11  );
12};
13
14// Good
15const ParentComponent = () => {
16  const [theme, setTheme] = useState('light');
17
18  return (
19    <ThemeContext.Provider value={theme}>
20      <ChildComponent setTheme={setTheme} />
21    </ThemeContext.Provider>
22  );
23};
  1. 使用 Profiler:利用 React Profiler 来识别和优化性能瓶颈。
jsx
1import { Profiler } from 'react';
2
3const onRenderCallback = (
4  id, // 发生提交的 Profiler 树的 "id"
5  phase, // "mount" 或 "update"
6  actualDuration, // 本次更新 committed 花费的渲染时间
7  baseDuration, // 一个估计值,表示为渲染整颗子树而不使用 memoization 的情况下花费的时间
8  startTime, // 本次更新中 React 开始渲染的时间
9  commitTime, // 本次更新中 React committed 的时间
10  interactions // 属于本次更新的 interactions 的集合
11) => {
12  // 处理或记录渲染时间……
13}
14
15<Profiler id="Navigation" onRender={onRenderCallback}>
16  <Navigation {...props} />
17</Profiler>
  1. 减少重排和重绘:优化 CSS 选择器,避免复杂选择器,优先使用 class 选择器。尽量使用 transformopacity 动画,而不是会触发重排的属性。
css
1/* Bad */
2div span {
3  color: red;
4}
5
6/* Good */
7.text {
8  color: red;
9}
10
11/* Usage */
12<div>
13  <span className="text">Hello World</span>
14</div>

通过以上方法,可以有效优化 React 应用的性能,提升用户体验。