React Hooks
React 在 v16.8 的版本中推出了 React Hooks 新特性。使用 React Hooks 相比于从前的类组件有以下几点好处:

  1. 代码可读性更强,原本同一块功能的代码逻辑被拆分在了不同的生命周期函数中,容易使开发者不利于维护和迭代,通过 React Hooks 可以将功能代码聚合,方便阅读维护;
  2. 组件树层级变浅,在原本的代码中,经常使用 HOC/render props 等方式来复用组件的状态,增强功能等,无疑增加了组件树层数及渲染,而在 React Hooks 中,这些功能都可以通过强大的自定义的 Hooks 来实现。

    一、State Hook

    1、基础用法

    1. function State(){
    2. const [count, setCount] = useState(0);
    3. return (
    4. <div>
    5. <p>You clicked {count} times</p>
    6. <button onClick={() => setCount(count + 1)}>
    7. Click me
    8. </button>
    9. </div>
    10. )
    11. }

    2、更新

    更新分为以下两种方式,即直接更新和函数式更新,其应用场景的区分点在于:
    直接更新不依赖于旧 state 的值;函数式更新依赖于旧 state 的值;
    1. // 直接更新
    2. setState(newCount);
    3. // 函数式更新
    4. setState(prevCount => prevCount - 1);

    3、实现合并

    与 class 组件中的 setState 方法不同,useState 不会自动合并更新对象,而是直接替换它。可以用函数式的 setState 结合展开运算符来达到合并更新对象的效果。
    1. setState(prevState => {
    2. // 也可以使用 Object.assign
    3. return {...prevState, ...updatedValues};
    4. });

    4、惰性初始化 state

    initialState 参数只会在组件的初始渲染中起作用,后续渲染时会被忽略。其应用场景在于:创建初始 state 很昂贵时,例如需要通过复杂计算获得;那么则可以传入一个函数,在函数中计算并返回初始的 state,此函数只在初始渲染时被调用:
    1. const [state, setState] = useState(() => {
    2. const initialState = someExpensiveComputation(props);
    3. return initialState;
    4. });

    5、一些重点

    (1)不像 class 中的 this.setState ,Hook 更新 state 变量总是替换它而不是合并它;
    (2)推荐使用多个 state 变量,而不是单个 state 变量,因为 state 的替换逻辑而不是合并逻辑,并且利于后续的相关 state 逻辑抽离;
    (3)调用 State Hook 的更新函数并传入当前的 state 时,React 将跳过子组件的渲染及 effect 的执行。(React 使用 Object.is 比较算法 来比较 state。)

    二、Effect Hook

    1、基础用法

    1. function Effect(){
    2. const [count, setCount] = useState(0);
    3. useEffect(() => {
    4. console.log(`You clicked ${count} times`);
    5. });
    6. return (
    7. <div>
    8. <p>You clicked {count} times</p>
    9. <button onClick={() => setCount(count + 1)}>
    10. Click me
    11. </button>
    12. </div>
    13. )
    14. }

    2、清除操作

    为防止内存泄漏,清除函数会在组件卸载前执行;如果组件多次渲染(通常如此),则在执行下一个 effect 之前,上一个 effect 就已被清除,即先执行上一个 effect 中 return 的函数,然后再执行本 effect 中非 return 的函数。
    1. useEffect(() => {
    2. const subscription = props.source.subscribe();
    3. return () => {
    4. // 清除订阅
    5. subscription.unsubscribe();
    6. };
    7. });

    3、执行时期

    componentDidMountcomponentDidUpdate 不同,使用 useEffect 调度的 effect 不会阻塞浏览器更新屏幕,这让应用看起来响应更快;(componentDidMountcomponentDidUpdate 会阻塞浏览器更新屏幕)

    4、性能优化

    默认情况下,React 会每次等待浏览器完成画面渲染之后延迟调用 effect;但是如果某些特定值在两次重渲染之间没有发生变化,可以通知 React 跳过对 effect 的调用,只要传递数组作为 useEffect 的第二个可选参数即可:如下所示,如果 count 值两次渲染之间没有发生变化,那么第二次渲染后就会跳过 effect 的调用;
    1. useEffect(() => {
    2. document.title = `You clicked ${count} times`;
    3. }, [count]); // 仅在 count 更改时更新

    5、模拟 componentDidMount

    如果想只运行一次的 effect(仅在组件挂载和卸载时执行),可以传递一个空数组([ ])作为第二个参数,如下所示,原理跟第 4 点性能优化讲述的一样;
    1. useEffect(() => {
    2. .....
    3. }, []);

    6、最佳实践

    要记住 effect 外部的函数使用了哪些 props 和 state 很难,这也是为什么通常会想要在 effect 内部 去声明它所需要的函数。
    1. // bad,不推荐
    2. function Example({ someProp }) {
    3. function doSomething() {
    4. console.log(someProp);
    5. }
    6. useEffect(() => {
    7. doSomething();
    8. }, []); // 🔴 这样不安全(它调用的 `doSomething` 函数使用了 `someProp`)
    9. }
    10. // good,推荐
    11. function Example({ someProp }) {
    12. useEffect(() => {
    13. function doSomething() {
    14. console.log(someProp);
    15. }
    16. doSomething();
    17. }, [someProp]); // ✅ 安全(我们的 effect 仅用到了 `someProp`)
    18. }
    如果处于某些原因无法把一个函数移动到 effect 内部,还有一些其他办法:
    可以尝试把那个函数移动到组件之外。那样一来,这个函数就肯定不会依赖任何 props 或 state,并且也不用出现在依赖列表中了;万不得已的情况下,可以把函数加入 effect 的依赖但 把它的定义包裹进 useCallback Hook。这就确保了它不随渲染而改变,除非它自身的依赖发生了改变;
    推荐启用 eslint-plugin-react-hooks 中的 exhaustive-deps 规则,此规则会在添加错误依赖时发出警告并给出修复建议 ;

    // 1、安装插件

    1. npm i eslint-plugin-react-hooks --save-dev

    // 2、eslint 配置

    1. {
    2. "plugins": [
    3. // ...
    4. "react-hooks"
    5. ],
    6. "rules": {
    7. // ...
    8. "react-hooks/rules-of-hooks": "error",
    9. "react-hooks/exhaustive-deps": "warn"
    10. }
    11. }

    7、一些重点

    (1)可以把 useEffect Hook 看做 componentDidMountcomponentDidUpdatecomponentWillUnmount这三个函数的组合;
    (2)在 React 的 class 组件中,render 函数是不应该有任何副作用的;一般来说,在这里执行操作太早了,基本上都希望在 React 更新 DOM 之后才执行操作。

    三、useContext

    用来处理多层级传递数据的方式,在以前组件树中,跨层级祖先组件想要给孙子组件传递数据的时候,除了一层层 props 往下透传之外,还可以使用 React Context API 来做这件事。使用例子如下所示
    (1)使用 React Context API,在组件外部建立一个 Context
    1. import React from 'react';
    2. const ThemeContext = React.createContext(0);
    3. export default ThemeContext;
    (2)使用 Context.Provider提供了一个 Context 对象,这个对象可以被子组件共享
    1. import React, { useState } from 'react';
    2. import ThemeContext from './ThemeContext';
    3. import ContextComponent1 from './ContextComponent1';
    4. function ContextPage () {
    5. const [count, setCount] = useState(1);
    6. return (
    7. <div className="App">
    8. <ThemeContext.Provider value={count}>
    9. <ContextComponent1 />
    10. </ThemeContext.Provider>
    11. <button onClick={() => setCount(count + 1)}>
    12. Click me
    13. </button>
    14. </div>
    15. );
    16. }
    17. export default ContextPage;
    (3)useContext()钩子函数用来引入 Context 对象,并且获取到它的值 // 子组件,在子组件中使用孙组件
    1. import React from 'react';
    2. import ContextComponent2 from './ContextComponent2';
    3. function ContextComponent () {
    4. return (
    5. <ContextComponent2 />
    6. );
    7. }
    8. export default ContextComponent;
    // 孙组件,在孙组件中使用 Context 对象值
    1. import React, { useContext } from 'react';
    2. import ThemeContext from './ThemeContext';
    3. function ContextComponent () {
    4. const value = useContext(ThemeContext);
    5. return (
    6. <div>useContext:{value}</div>
    7. );
    8. }
    9. export default ContextComponent;

    四、useReducer

    1、基础用法

    useState 更适用的场景:例如 state 逻辑处理较复杂且包含多个子值,或者下一个 state 依赖于之前的 state 等;例子如下所示
    1. import React, { useReducer } from 'react';
    2. interface stateType {
    3. count: number
    4. }
    5. interface actionType {
    6. type: string
    7. }
    8. const initialState = { count: 0 };
    9. const reducer = (state:stateType, action:actionType) => {
    10. switch (action.type) {
    11. case 'increment':
    12. return { count: state.count + 1 };
    13. case 'decrement':
    14. return { count: state.count - 1 };
    15. default:
    16. throw new Error();
    17. }
    18. };
    19. const UseReducer = () => {
    20. const [state, dispatch] = useReducer(reducer, initialState);
    21. return (
    22. <div className="App">
    23. <div>useReducer Count:{state.count}</div>
    24. <button onClick={() => { dispatch({ type: 'decrement' }); }}>useReducer 减少</button>
    25. <button onClick={() => { dispatch({ type: 'increment' }); }}>useReducer 增加</button>
    26. </div>
    27. );
    28. };
    29. export default UseReducer;

    2、惰性初始化 state

    1. interface stateType {
    2. count: number
    3. }
    4. interface actionType {
    5. type: string,
    6. paylod?: number
    7. }
    8. const initCount =0
    9. const init = (initCount:number)=>{
    10. return {count:initCount}
    11. }
    12. const reducer = (state:stateType, action:actionType)=>{
    13. switch(action.type){
    14. case 'increment':
    15. return {count: state.count + 1}
    16. case 'decrement':
    17. return {count: state.count - 1}
    18. case 'reset':
    19. return init(action.paylod || 0)
    20. default:
    21. throw new Error();
    22. }
    23. }
    24. const UseReducer = () => {
    25. const [state, dispatch] = useReducer(reducer,initCount,init)
    26. return (
    27. <div className="App">
    28. <div>useReducer Count:{state.count}</div>
    29. <button onClick={()=>{dispatch({type:'decrement'})}}>useReducer 减少</button>
    30. <button onClick={()=>{dispatch({type:'increment'})}}>useReducer 增加</button>
    31. <button onClick={()=>{dispatch({type:'reset',paylod:10 })}}>useReducer 增加</button>
    32. </div>
    33. );
    34. }
    35. export default UseReducer;

    五、Memo

    如下所示,当父组件重新渲染时,子组件也会重新渲染,即使子组件的 props 和 state 都没有改变
    1. import React, { memo, useState } from 'react';
    2. // 子组件
    3. const ChildComp = () => {
    4. console.log('ChildComp...');
    5. return (<div>ChildComp...</div>);
    6. };
    7. // 父组件
    8. const Parent = () => {
    9. const [count, setCount] = useState(0);
    10. return (
    11. <div className="App">
    12. <div>hello world {count}</div>
    13. <div onClick={() => { setCount(count => count + 1); }}>点击增加</div>
    14. <ChildComp/>
    15. </div>
    16. );
    17. };
    18. export default Parent;
    改进:可以使用 memo 包一层,就能解决上面的问题;但是仅仅解决父组件没有传参给子组件的情况以及父组件传简单类型的参数给子组件的情况(例如 string、number、boolean等);如果有传复杂属性应该使用 useCallback(回调事件)或者 useMemo(复杂属性)
    1. // 子组件
    2. const ChildComp = () => {
    3. console.log('ChildComp...');
    4. return (<div>ChildComp...</div>);
    5. };
    6. const MemoChildComp = memo(ChildComp);

    六、useMemo

    假设以下场景,父组件在调用子组件时传递 info 对象属性,点击父组件按钮时,发现控制台会打印出子组件被渲染的信息。
    1. import React, { memo, useState } from 'react';
    2. // 子组件
    3. const ChildComp = (info:{info:{name: string, age: number}}) => {
    4. console.log('ChildComp...');
    5. return (<div>ChildComp...</div>);
    6. };
    7. const MemoChildComp = memo(ChildComp);
    8. // 父组件
    9. const Parent = () => {
    10. const [count, setCount] = useState(0);
    11. const [name] = useState('jack');
    12. const [age] = useState(11);
    13. const info = { name, age };
    14. return (
    15. <div className="App">
    16. <div>hello world {count}</div>
    17. <div onClick={() => { setCount(count => count + 1); }}>点击增加</div>
    18. <MemoChildComp info={info}/>
    19. </div>
    20. );
    21. };
    22. export default Parent;

    分析原因:

    点击父组件按钮,触发父组件重新渲染;父组件渲染,const info = { name, age } 一行会重新生成一个新对象,导致传递给子组件的 info 属性值变化,进而导致子组件重新渲染。

    解决:

    使用 useMemo 将对象属性包一层,useMemo 有两个参数:

  • 第一个参数是个函数,返回的对象指向同一个引用,不会创建新对象;
  • 第二个参数是个数组,只有数组中的变量改变时,第一个参数的函数才会返回一个新的对象。

    1. import React, { memo, useMemo, useState } from 'react';
    2. // 子组件
    3. const ChildComp = (info:{info:{name: string, age: number}}) => {
    4. console.log('ChildComp...');
    5. return (<div>ChildComp...</div>);
    6. };
    7. const MemoChildComp = memo(ChildComp);
    8. // 父组件
    9. const Parent = () => {
    10. const [count, setCount] = useState(0);
    11. const [name] = useState('jack');
    12. const [age] = useState(11);
    13. // 使用 useMemo 将对象属性包一层
    14. const info = useMemo(() => ({ name, age }), [name, age]);
    15. return (
    16. <div className="App">
    17. <div>hello world {count}</div>
    18. <div onClick={() => { setCount(count => count + 1); }}>点击增加</div>
    19. <MemoChildComp info={info}/>
    20. </div>
    21. );
    22. };
    23. export default Parent;

    七 、useCallback

    接着第六章节的例子,假设需要将事件传给子组件,如下所示,当点击父组件按钮时,发现控制台会打印出子组件被渲染的信息,说明子组件又被重新渲染了。

    1. import React, { memo, useMemo, useState } from 'react';
    2. // 子组件
    3. const ChildComp = (props:any) => {
    4. console.log('ChildComp...');
    5. return (<div>ChildComp...</div>);
    6. };
    7. const MemoChildComp = memo(ChildComp);
    8. // 父组件
    9. const Parent = () => {
    10. const [count, setCount] = useState(0);
    11. const [name] = useState('jack');
    12. const [age] = useState(11);
    13. const info = useMemo(() => ({ name, age }), [name, age]);
    14. const changeName = () => {
    15. console.log('输出名称...');
    16. };
    17. return (
    18. <div className="App">
    19. <div>hello world {count}</div>
    20. <div onClick={() => { setCount(count => count + 1); }}>点击增加</div>
    21. <MemoChildComp info={info} changeName={changeName}/>
    22. </div>
    23. );
    24. };
    25. export default Parent;

    分析下原因:

    点击父组件按钮,改变了父组件中 count 变量值(父组件的 state 值),进而导致父组件重新渲染;父组件重新渲染时,会重新创建 changeName 函数,即传给子组件的 changeName 属性发生了变化,导致子组件渲染;

    解决:

    修改父组件的 changeName 方法,用 useCallback 钩子函数包裹一层, useCallback 参数与 useMemo 类似

    1. import React, { memo, useCallback, useMemo, useState } from 'react';
    2. // 子组件
    3. const ChildComp = (props:any) => {
    4. console.log('ChildComp...');
    5. return (<div>ChildComp...</div>);
    6. };
    7. const MemoChildComp = memo(ChildComp);
    8. // 父组件
    9. const Parent = () => {
    10. const [count, setCount] = useState(0);
    11. const [name] = useState('jack');
    12. const [age] = useState(11);
    13. const info = useMemo(() => ({ name, age }), [name, age]);
    14. const changeName = useCallback(() => {
    15. console.log('输出名称...');
    16. }, []);
    17. return (
    18. <div className="App">
    19. <div>hello world {count}</div>
    20. <div onClick={() => { setCount(count => count + 1); }}>点击增加</div>
    21. <MemoChildComp info={info} changeName={changeName}/>
    22. </div>
    23. );
    24. };
    25. export default Parent;

    八、useRef

    以下分别介绍 useRef 的两个使用场景:

    1、指向 dom 元素

    如下所示,使用 useRef 创建的变量指向一个 input 元素,并在页面渲染后使 input 聚焦

    1. import React, { useRef, useEffect } from 'react';
    2. const Page1 = () => {
    3. const myRef = useRef<HTMLInputElement>(null);
    4. useEffect(() => {
    5. myRef?.current?.focus();
    6. });
    7. return (
    8. <div>
    9. <span>UseRef:</span>
    10. <input ref={myRef} type="text"/>
    11. </div>
    12. );
    13. };
    14. export default Page1;

    2、存放变量

    useRef 在 react hook 中的作用, 正如官网说的, 它像一个变量, 类似于 this , 它就像一个盒子, 可以存放任何东西. createRef 每次渲染都会返回一个新的引用,而 useRef 每次都会返回相同的引用,如下例子所示:

    import React, { useRef, useEffect, useState } from 'react';
    const Page1 = () => {
      const myRef2 = useRef(0);
      const [count, setCount] = useState(0)
      useEffect(()=>{
        myRef2.current = count;
      });
      function handleClick(){
        setTimeout(()=>{
          console.log(count); // 3
          console.log(myRef2.current); // 6
        },3000)
      }
      return (
      <div>
        <div onClick={()=> setCount(count+1)}>点击count</div>
        <div onClick={()=> handleClick()}>查看</div>
      </div>
      );
    }
    export default Page1;
    

    九、useImperativeHandle

    使用场景:通过 ref 获取到的是整个 dom 节点,通过 useImperativeHandle 可以控制只暴露一部分方法和属性,而不是整个 dom 节点。

    十、useLayoutEffect

    其函数签名与 useEffect 相同,但它会在所有的 DOM 变更之后同步调用 effect,这里不再举例。
    useLayoutEffect 和平常写的 Class 组件的 componentDidMountcomponentDidUpdate 同时执行;
    useEffect 会在本次更新完成后,也就是第 1 点的方法执行完成后,再开启一次任务调度,在下次任务调度中执行 useEffect