React-window,如何防止状态更改时重新渲染列表?

React-window, how to prevent rerendering list on state change?

这是我的代码沙箱示例: https://codesandbox.io/s/react-hooks-counter-demo-kevxp?file=/src/index.js

我的问题是: 该列表将始终在页面内的每个状态更改时重新呈现,因此滚动将始终回到顶部。我想知道为什么会发生这种情况,以及如何防止这种行为,即使列表的状态发生变化然后保持列表的最后滚动位置

每次 App 渲染时,您都在为 Example 组件创建一个全新的定义。它可能与旧组件做同样的事情,但它是一个新组件。因此 React 将一个渲染的元素与下一个渲染的元素进行比较,发现它们具有不同的组件类型。因此,它被迫卸载旧的并安装新的,就像将某些内容从 <div> 更改为 <span> 一样。新的开始滚动到 0。

解决这个问题的方法是在 App 之外只创建一次 Example。

const Example = props => (
  <List
    className="List"
    height={80}
    itemCount={props.propsAbc.length}
    itemSize={20}
    width={300}
    itemData={{
      dataAbc: props.propsAbc
    }}
  >
    {({ index, style, data }) => (
      <div className={index % 2 ? "ListItemOdd" : "ListItemEven"} style={style}>
        {data.dataAbc[index]}
      </div>
    )}
  </List>
);

function App() {
  const [count, setCount] = useState(0);
  let [dataArray, setDataArray] = useState([1, 2, 3, 4, 5, 6, 7, 8, 9, 10]);

  return (
    <div className="App">
      <h1>Scroll down the blue box, then click the button</h1>
      <h2>You clicked {count} times!</h2>

      <button onClick={() => setCount(count - 1)}>Decrement</button>
      <button onClick={() => setCount(count + 1)}>Increment</button>

      <div
        style={{ maxHeight: "80px", overflow: "äuto", background: "lightblue" }}
      >
        <Example propsAbc={dataArray} />
      </div>
    </div>
  );
}

https://codesandbox.io/s/react-hooks-counter-demo-qcjgj

我认为这不是反应 window 问题。

React 组件重新呈现,因为状态发生变化。在这种情况下,状态变化是由 setCount 引起的(当您单击增量按钮时),它会重新渲染包括 Example 在内的整个组件。

如果 Example 是它自己的组件,滚动位置将不会刷新,因为它不再依赖于计数状态。

这里有一个工作示例: https://codesandbox.io/s/react-hooks-counter-demo-hbek7?file=/src/index.js