我们如何知道 React ref.current 值何时发生了变化?

IT技术 javascript reactjs react-ref
2021-05-11 10:48:28

正常情况下,有了props,我们就可以写

componentDidUpdate(oldProps) {
  if (oldProps.foo !== this.props.foo) {
    console.log('foo prop changed')
  }
}

为了检测props的变化。

但是如果我们使用React.createRef()我们如何检测 ref 何时更改为新组件或 DOM 元素?React 文档并没有真正提及任何内容。

铁,

class Foo extends React.Component {
  someRef = React.createRef()

  componentDidUpdate(oldProps) {
    const refChanged = /* What do we put here? */

    if (refChanged) {
      console.log('new ref value:', this.someRef.current)
    }
  }

  render() {
    // ...
  }
}

我们是否应该自己实现某种旧value的东西?

铁,

class Foo extends React.Component {
  someRef = React.createRef()
  oldRef = {}

  componentDidMount() {
    this.oldRef.current = this.someRef.current
  }

  componentDidUpdate(oldProps) {
    const refChanged = this.oldRef.current !== this.someRef.current

    if (refChanged) {
      console.log('new ref value:', this.someRef.current)

      this.oldRef.current = this.someRef.current
    }
  }

  render() {
    // ...
  }
}

这是我们应该做的吗?我原以为 React 会为此添加一些简单的功能。

2个回答

React 文档推荐使用回调引用来检测ref值的变化。

挂钩

export function Comp() {
  const onRefChange = useCallback(node => {
    if (node === null) { 
      // DOM node referenced by ref has been unmounted
    } else {
      // DOM node referenced by ref has changed and exists
    }
  }, []); // adjust deps

  return <h1 ref={onRefChange}>Hey</h1>;
}

useCallback用于防止使用null和 元素重复调用ref 回调

您可以通过使用以下命令存储当前 DOM 节点触发重新渲染useState

const [domNode, setDomNode] = useState(null);
const onRefChange = useCallback(node => {
  setDomNode(node); // trigger re-render on changes
  // ...
}, []);

类组件

export class FooClass extends React.Component {
  state = { ref: null, ... };

  onRefChange = node => {
    // same as Hooks example, re-render on changes
    this.setState({ ref: node });
  };

  render() {
    return <h1 ref={this.onRefChange}>Hey</h1>;
  }
}

注意useRef不通知ref更改。没有运气React.createRef()/对象裁判。

这是一个测试用例,它在触发onRefChange回调时删除并重新添加节点

componentDidUpdate当组件状态或props改变时调用它,所以它不一定会在ref改变时调用,因为它可以按照你认为合适的方式进行变异。

如果你想检查一个 ref 是否与之前的渲染相比发生了变化,你可以保留另一个 ref 来检查真实的。

例子

class App extends React.Component {
  prevRef = null;
  ref = React.createRef();
  state = {
    isVisible: true
  };

  componentDidMount() {
    this.prevRef = this.ref.current;

    setTimeout(() => {
      this.setState({ isVisible: false });
    }, 1000);
  }

  componentDidUpdate() {
    if (this.prevRef !== this.ref.current) {
      console.log("ref changed!");
    }

    this.prevRef = this.ref.current;
  }

  render() {
    return this.state.isVisible ? <div ref={this.ref}>Foo</div> : null;
  }
}

ReactDOM.render(<App />, document.getElementById("root"));
<script src="https://unpkg.com/react@16/umd/react.development.js"></script>
<script src="https://unpkg.com/react-dom@16/umd/react-dom.development.js"></script>

<div id="root"></div>