1. useRef作用:
      1. 获取DOM元素的节点,获取子组件的实例
      2. 渲染周期之间共享数据的存储(state不能存储跨渲染周期的数据,因为state的保存会触发组件重渲染)
    2. useRef 返回一个可变的 ref 对象,其 .current 属性被初始化为传入的参数(initialValue)。返回的 ref 对象在组件的整个生命周期内保持不变。可以保存任何类型的值:dom、对象等任何可辨值

      1. const refContainer = useRef(initialValue);
    3. ref对象与自建一个{current:””}对象的区别是:useRef会在每次渲染时返回同一个ref对象,即返回的ref对象在组件的整个生命周期内保持不变。自建对象每次渲染时都建立一个新的。

    4. 获取dom元素节点

      1. const RefDemo = () => {
      2. const domRef = useRef(null)
      3. useEffect(() => {
      4. console.log("ref:deom-init", domRef, domRef.current)
      5. })
      6. return (
      7. <div>
      8. <div
      9. onClick={() => {
      10. console.log("ref:deom", domRef, domRef.current)
      11. domRef.current.focus()
      12. domRef.current.value = "hh"
      13. }}
      14. >
      15. <label>这是一个dom节点</label>
      16. <input ref={domRef} />
      17. </div>
      18. </div>
      19. )
      20. }
    5. 获取子组件实例

    • useImperativeHandle(ref,createHandle,[deps])可以自定义暴露给父组件的实例值。如果不使用,父组件的ref(chidlRef)访问不到任何值(childRef.current==null)
    • useImperativeHandle应该与forwradRef搭配使用
    • 因为函数组件没有实例。所以需要通过React.forwardRef会创建一个React组件,这个组件能够将其接受的ref属性转发到其组件树下的另一个组件中。
    • React.forward接受渲染函数作为参数,React将使用prop和ref作为参数来调用此函数。
      1. const Child = forwardRef((props, ref) => {
      2. useImperativeHandle(ref, () => ({
      3. say: sayHello,
      4. }))
      5. const sayHello = () => {
      6. alert("hello,我是子组件")
      7. }
      8. return <h3>子组件</h3>
      9. })
      10. const RefDemo = () => {
      11. const childRef = useRef(null)
      12. useEffect(() => {
      13. console.log("ref:child-init", childRef, childRef.current)
      14. })
      15. const showChild = () => {
      16. console.log("ref:child", childRef, childRef.current)
      17. childRef.current.say()
      18. }
      19. return (
      20. <div style={{ margin: "100px", border: "2px dashed", padding: "20px" }}>
      21. <p onClick={showChild} style={{ marginTop: "20px" }}>
      22. 这是子组件
      23. </p>
      24. <Child ref={childRef} />
      25. </div>
      26. )
      27. }
    1. 渲染周期之间共享存储的数据

      1. // 把定时器设置成全局变量使用useRef挂载到current上
      2. import React, { useState, useEffect, useRef } from "react";
      3. function App() {
      4. const [count, setCount] = useState(0);
      5. // 把定时器设置成全局变量使用useRef挂载到current上
      6. const timer = useRef();
      7. // 首次加载useEffect方法执行一次设置定时器
      8. useEffect(() => {
      9. timer.current = setInterval(() => {
      10. setCount(count => count + 1);
      11. }, 1000);
      12. }, []);
      13. // count每次更新都会执行这个副作用,当count > 5时,清除定时器
      14. useEffect(() => {
      15. if (count > 5) {
      16. clearInterval(timer.current);
      17. }
      18. });
      19. return <h1>count: {count}</h1>;
      20. }
      21. export default App;