是否有系统的方法来调试导致组件在React中重新呈现的原因?我放了一个简单的console.log()来查看它呈现了多少时间,但我很难弄清楚是什么原因导致组件呈现多次,即(4次)在我的情况下。是否有一个工具可以显示时间轴和/或所有组件树的渲染和顺序?


当前回答

你可以使用React Devtools profiler工具检查组件(重新)渲染的原因。不需要更改代码。请参阅react团队的博客文章介绍react分析器。

首先,转到设置cog > profiler,并选择“记录每个组件渲染的原因”

其他回答

上面的答案非常有用,如果有人正在寻找一种特定的方法来检测重新渲染的原因,那么我发现这个库redux-logger非常有用。

你能做的就是添加库并启用状态差异(它在文档中),如下所示:

const logger = createLogger({
    diff: true,
});

并在存储中添加中间件。

然后在要测试的组件的渲染函数中放入console.log()。

然后,您可以运行应用程序并检查控制台日志。无论在哪里有一个日志之前,它都会显示状态(nextProps和this.props)之间的差异,你可以决定是否真的需要渲染

它将类似于上面的图像连同diff键。

下面是React组件将重新渲染的一些实例。

Parent component rerender Calling this.setState() within the component. This will trigger the following component lifecycle methods shouldComponentUpdate > componentWillUpdate > render > componentDidUpdate Changes in component's props. This will trigger componentWillReceiveProps > shouldComponentUpdate > componentWillUpdate > render > componentDidUpdate (connect method of react-redux trigger this when there are applicable changes in the Redux store) calling this.forceUpdate which is similar to this.setState

您可以通过在shouldComponentUpdate中实现检查来最小化组件的渲染器,如果不需要,则返回false。

另一种方法是使用React。PureComponent或无状态组件。纯的和无状态的组件只有在它的道具发生变化时才会重新渲染。

使用钩子和功能组件,而不仅仅是道具的改变会导致渲染。我开始使用的是一个相当手动的日志。这对我帮助很大。你可能也会发现它很有用。

我将这部分复制到组件的文件中:

const keys = {};
const checkDep = (map, key, ref, extra) => {
  if (keys[key] === undefined) {
    keys[key] = {key: key};
    return;
  }
  const stored = map.current.get(keys[key]);

  if (stored === undefined) {
    map.current.set(keys[key], ref);
  } else if (ref !== stored) {
    console.log(
      'Ref ' + keys[key].key + ' changed',
      extra ?? '',
      JSON.stringify({stored}).substring(0, 45),
      JSON.stringify({now: ref}).substring(0, 45),
    );
    map.current.set(keys[key], ref);
  }
};

在方法的开头,我保留了一个WeakMap引用:

const refs = useRef(new WeakMap());

然后在每个“可疑的”电话(道具,钩子)之后,我写道:

const example = useExampleHook();
checkDep(refs, 'example ', example);

如果你想要一个没有任何外部依赖的简短片段,我发现这很有用

componentDidUpdate(prevProps, prevState) {
  Object.entries(this.props).forEach(([key, val]) =>
    prevProps[key] !== val && console.log(`Prop '${key}' changed`)
  );
  if (this.state) {
    Object.entries(this.state).forEach(([key, val]) =>
      prevState[key] !== val && console.log(`State '${key}' changed`)
    );
  }
}

下面是我用来跟踪函数组件更新的一个小钩子

function useTraceUpdate(props) {
  const prev = useRef(props);
  useEffect(() => {
    const changedProps = Object.entries(props).reduce((ps, [k, v]) => {
      if (prev.current[k] !== v) {
        ps[k] = [prev.current[k], v];
      }
      return ps;
    }, {});
    if (Object.keys(changedProps).length > 0) {
      console.log('Changed props:', changedProps);
    }
    prev.current = props;
  });
}

// Usage
function MyComponent(props) {
  useTraceUpdate(props);
  return <div>{props.children}</div>;
}

@jpdelatorre的回答很好地强调了React组件可能重新渲染的一般原因。

我只是想更深入地探讨一个例子:当道具改变时。找出导致React组件重新渲染的原因是一个常见的问题,根据我的经验,很多时候追踪这个问题需要确定哪些道具发生了变化。

React组件在接收到新道具时重新渲染。他们可以收到新的道具,比如:

<MyComponent prop1={currentPosition} prop2={myVariable} />

或者如果MyComponent连接到redux存储:

function mapStateToProps (state) {
  return {
    prop3: state.data.get('savedName'),
    prop4: state.data.get('userCount')
  }
}

只要prop1、prop2、prop3或prop4的值发生变化,MyComponent就会重新呈现。对于4个道具,通过在渲染块的开头放置console.log(this.props)来跟踪哪些道具正在改变并不太难。但随着部件越来越复杂,道具越来越多,这种方法就站不住脚了。

下面是一个有用的方法(为了方便使用lodash)来确定哪些道具更改导致组件重新渲染:

componentWillReceiveProps (nextProps) {
  const changedProps = _.reduce(this.props, function (result, value, key) {
    return _.isEqual(value, nextProps[key])
      ? result
      : result.concat(key)
  }, [])
  console.log('changedProps: ', changedProps)
}

将这个片段添加到组件中可以帮助揭示导致可疑的重新呈现的罪魁祸首,而且很多时候这有助于揭示注入组件的不必要数据。