浅谈React Hooks

由于事变的启事我已很长时刻没打仗过React了。前段时刻圈子里都在议论React Hooks,出于猎奇也进修了一番,特此整顿以加深明白。

启事

在web运用无所不能的9012年,构成运用的Components也愈来愈庞杂,冗杂而难以复用的代码给开发者们形成了许多贫苦。比方:

  1. 难以复用stateful的代码,render props及HOC虽然处置惩罚了题目,但对组件的包裹转变了组件树的层级,存在冗余;
  2. 在ComponentDidMount、ComponentDidUpdate、ComponentWillUnmount等生命周期中做猎取数据,定阅/作废事宜,操纵ref等相互之间无关联的操纵,而把定阅/作废这类相干联的操纵离开,降低了代码的可读性;
  3. 与其他语言中的class观点差别较大,须要对事宜处置惩罚函数做bind操纵,使人搅扰。别的class也不利于组件的AOT compile,minify及hot loading。

在这类背景下,React在16.8.0引入了React Hooks。

特征

重要引见state hook,effect hook及custom hook

State Hook

最基础的运用以下:

import React, { useState } from 'react'

function counter() {
  const [count, setCount] = useState(0)

  return (
    <div>
      <p>You have clicked {count} times</p>
      <button onClick={() => setCount(count + 1)}>
        Click
      </button>
    </div>
  )
}

挪用useState,传入初始值,经由过程数组的构造赋值获得自力的local state count,及setCount。count能够明白为class component中的state,可见这里的state不局限于对象,能够为number,string,固然也能够是一个对象。而setCount能够明白为class component中的setState,差别的是setState会merge新老state,而hook中的set函数会直接替代,这就意味着假如state是对象时,每次set应当传入一切属性,而不能像class component那样仅传入变化的值。所以在运用useState时,只管将相干联的,会配合变化的值放入一个object。

再看看有多个“local state”的状况:

import React, { useState } from 'react'

function person() {
  const [name, setName] = useState('simon')
  const [age, setAge] = useState(24)

  return (
    <div>
      <p>name: {name}</p>
      <p>age: {age}</p>
    </div>
  )
}

我们晓得当函数实行终了,函数作用域内的变量都邑烧毁,hooks中的state在component初次render后被React保存下来了。那末鄙人一次render时,React如何将这些保存的state与component中的local state对应起来呢。这里给出一个简朴版本的完成:

const stateArr = []
const setterArr = []
let cursor = 0
let isFirstRender = true

function createStateSetter(cursor) {
  return state => {
    stateArr[cursor] = state
  }
}

function useState(initState) {
  if (isFirstRender) {
    stateArr.push(initState)
    setterArr.push(createStateSetter(cursor))

    isFirstRender = false
  }

  const state = stateArr[cursor]
  const setter = setterArr[cursor]

  cursor++

  return [state, setter]
}

能够看出React须要保证多个hooks在component每次render的时刻的实行递次都坚持一致,不然就会涌现毛病。这也是React hooks rule中必需在top level运用hooks的由来——前提,遍历等语句都有能够会转变hooks实行的递次。

Effect Hook

import React, { useState, useEffect } from 'react'

function FriendStatus(props) {
  const [isOnline, setIsOnline] = useState(null)

  function handleStatusChange(status) {
    setIsOnline(status.isOnline)
  }

  // 基础写法
  useEffect(() => {
    document.title = 'Dom is ready'
  })

  // 须要作废操纵的写法
  useEffect(() => {
    ChatAPI.subscribeToFriendStatus(props.friend.id, handleStatusChange)

    return function cleanup() {
      ChatAPI.unsubscribeFromFriendStatus(props.friend.id, handleStatusChange)
    }
  })

  if (isOnline === null) {
    return 'Loading...'
  }
  return isOnline ? 'Online' : 'Offline'
}

能够看到上面的代码在传入useEffect的函数(effect)中做了一些”side effect”,在class component中我们一般会在componentDidMount,componentDidUpdate中去做这些事变。别的在class component中,须要在componentDidMount中定阅,在componentWillUnmount中作废定阅,如许将一件事拆成两件事做,不仅可读性低,还轻易发生bug:

class FriendStatus extends React.Component {
  constructor(props) {
    super(props);
    this.state = { isOnline: null };
    this.handleStatusChange = this.handleStatusChange.bind(this);
  }

  componentDidMount() {
    ChatAPI.subscribeToFriendStatus(
      this.props.friend.id,
      this.handleStatusChange
    );
  }

  componentWillUnmount() {
    ChatAPI.unsubscribeFromFriendStatus(
      this.props.friend.id,
      this.handleStatusChange
    );
  }

  handleStatusChange(status) {
    this.setState({
      isOnline: status.isOnline
    });
  }

  render() {
    if (this.state.isOnline === null) {
      return 'Loading...';
    }
    return this.state.isOnline ? 'Online' : 'Offline';
  }
}

如上代码,假如props中的friend.id发生变化,则会致使定阅和作废的id不一致,如需处置惩罚须要在componentDidUpdate中先作废定阅旧的再定阅新的,代码异常冗余。而useEffect hook在这一点上是浑然天成的。别的effect函数在每次render时都是新创建的,这实际上是故意而为之,由于如许才获得最新的state值。

有同砚能够会想,每次render后都邑实行effect,如许会不会对机能形成影响。实在effect是在页面衬着完成以后实行的,不会壅塞,而在effect中实行的操纵每每不要求同步完成,除了少数如要猎取宽度或高度,这类状况须要运用其他的hook(useLayoutEffect),此处不做详解。纵然如许,React也供应了掌握的要领,及useEffect的第二个参数————一个数组,假如数组中的值不发生变化的话就跳过effect的实行:

useEffect(() => {
  ChatAPI.subscribeToFriendStatus(props.friend.id, handleStatusChange)
  return () => {
    ChatAPI.unsubscribeFromFriendStatus(props.friend.id, handleStatusChange);
  }
}, [props.friend.id])

Custom Hook

A custom Hook is a JavaScript function whose name starts with ”use” and that may call other Hooks.

Custom Hook的任务是处置惩罚stateful logic复用的题目,如上面例子中的FriendStatus,在一个谈天运用中能够多个组件都须要晓得挚友的在线状况,将FriendStatus笼统成如许的hook:

function useFriendStatus(friendID) {
  const [isOnline, setIsOnline] = useState(null);

  function handleStatusChange(status) {
    setIsOnline(status.isOnline);
  }

  useEffect(() => {
    ChatAPI.subscribeToFriendStatus(friendID, handleStatusChange);
    return () => {
      ChatAPI.unsubscribeFromFriendStatus(friendID, handleStatusChange);
    };
  });

  return isOnline;
}

function FriendStatus(props) {
  const isOnline = useFriendStatus(props.friend.id)

  if (isOnline === null) {
    return 'Loading...'
  }

  return isOnline ? 'Online' : 'Offline'
}

function FriendListItem(props) {
  const isOnline = useFriendStatus(props.friend.id)

  return (
    <li style={{ color: isOnline ? 'green' : 'black' }}>
      {props.friend.name}
    </li>
  )
}

FriendStatus和FriendListItem中的isOnline是自力的,因custom hook复用的是stateful logic,而不是state自身。别的custom hook必需以use开首来定名,如许linter东西才准确检测其是不是相符范例。

除了以上三种hook,React还供应了useContext, useReducer, useCallback, useMemo, useRef, useImperativeHandle, useLayoutEffect, useDebugValue内置hook,它们的用处能够参考官方文档,这里我想零丁讲讲useRef。
望文生义,这个hook应当跟ref相干的:

function TextInputWithFocusButton() {
  const inputEl = useRef(null)
  const onButtonClick = () => {
    inputEl.current.focus()
  }
  return (
    <>
      <input ref={inputEl} type="text" />
      <button onClick={onButtonClick}>Focus the input</button>
    </>
  )
}

来看看官方文档上的申明:

useRef returns a mutable ref object whose .current property is initialized to the passed argument (initialValue). The returned object will persist for the full lifetime of the component.

这句话通知我们在组件的全部生命周期里,inputEl.current都是存在的,这扩大了useRef自身的用处,能够运用useRef保护相似于class component中实例属性的变量:

function Timer() {
  const intervalRef = useRef()

  useEffect(() => {
    const id = setInterval(() => {
      // ...
    })
    intervalRef.current = id
    return () => {
      clearInterval(intervalRef.current)
    }
  })

  // ...
}

这在class component中是天经地义的,但不要遗忘Timer仅仅是一个函数,函数实行终了后函数作用域内的变量将会烧毁,所以这里须要运用useRef来坚持这个timerId。相似的useRef还能够用来猎取preState:

function Counter() {
  const [count, setCount] = useState(0)

  const prevCountRef = useRef()
  useEffect(() => {
    prevCountRef.current = count    // 由于useEffect中的函数是在render完成以后异步实行的,所以在每次render时prevCountRef.current的值为上一次的count值
  })
  const prevCount = prevCountRef.current

  return <h1>Now: {count}, before: {prevCount}</h1>
}

参考文章&拓展浏览

    原文作者:sakuragizhx
    原文地址: https://segmentfault.com/a/1190000018338853
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞