<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
在 React
的設計哲學中,簡單的來說可以用下面這條公式來表示:
UI = f(data)
等號的左邊時 UI 代表的最終畫出來的介面;等號的右邊是一個函數,也就是我們寫的 React 相關的程式碼;data 就是資料,在 React 中,data 可以是 state 或者 props。
UI 就是把 data 作為引數傳遞給 f 運算出來的結果。這個公式的含義就是,如果要渲染介面,不要直接去操縱 DOM 元素,而是修改資料,由資料去驅動 React 來修改介面。
我們開發者要做的,就是設計出合理的資料模型,讓我們的程式碼完全根據資料來描述介面應該畫成什麼樣子,而不必糾結如何去操作瀏覽器中的 DOM 樹結構。
總體的設計原則:
與之帶來的問題有哪些呢?
class SomeCompoent extends Component { componetDidMount() { const node = this.refs['myRef']; node.addEventListener('mouseDown', handlerMouseDown); node.addEventListener('mouseUp', handlerMouseUp) } ... componetWillunmount() { const node = this.refs['myRef']; node.removeEventListener('mouseDown', handlerMouseDown) node.removeEventListener('mouseUp', handlerMouseUp) } }
可以說 Hooks 的出現上面的問題都會迎刃而解
據官方宣告,hooks 是完全向後相容的,class componet 不會被移除,作為開發者可以慢慢遷移到最新的 API。
Hooks 主要分三種:
下面我們來了解一下 Hooks。
useState 是我們第一個接觸到 React Hooks,其主要作用是讓 Function Component 可以使用 state,接受一個引數做為 state 的初始值,返回當前的 state 和 dispatch。
import { useState } from 'react'; function Example() { // Declare a new state variable, which we'll call "count" const [count, setCount] = useState(0); return ( <div> <p>You clicked {count} times</p> <button onClick={() => setCount(count + 1)}> Click me </button> </div> ); }
其中 useState 可以多次宣告;
function FunctionalComponent () { const [state1, setState1] = useState(1) const [state2, setState2] = useState(2) const [state3, setState3] = useState(3) return <div>{state1}{...}</div> }
與之對應的 hooks 還有 useReducer,如果是一個狀態對應不同型別更新處理,則可以使用 useReducer。
useEffect 的使用是讓 Function Componet 元件具備 life-cycles 宣告周期函數;比如 componetDidMount、componetDidUpdate、shouldCompoentUpdate 以及 componetWiillunmount 都集中在這一個函數中執行,叫 useEffect。這個函數有點類似 Redux 的 subscribe,會在每次 props、state 觸發 render 之後執行。(在元件第一次 render和每次 update 後觸發)。
為什麼叫 useEffect 呢?官方的解釋:因為我們通常在生命週期內做很多操作都會產生一些 side-effect (副作用) 的操作,比如更新 DOM,fetch 資料等。
useEffect 是使用:
import React, { useState, useEffect } from 'react'; function useMousemove() { const [client, setClient] = useState({x: 0, y: 0}); useEffect(() => { const handlerMouseCallback = (e) => { setClient({ x: e.clientX, y: e.clientY }) }; // 在元件首次 render 之後, 既在 didMount 時呼叫 document.addEventListener('mousemove', handlerMouseCallback, false); return () => { // 在元件解除安裝之後執行 document.removeEventListener('mousemove', handlerMouseCallback, false); } }) return client; }
其中 useEffect 只是在元件首次 render 之後即 didMount 之後呼叫的,以及在元件解除安裝之時即 unmount 之後呼叫,如果需要在 DOM 更新之後同步執行,可以使用 useLayoutEffect。
根據官方提供的 useXXX API 結合自己的業務場景,可以使用自定義開發需要的 custom hooks,從而抽離業務開發資料,按需引入;實現業務資料與檢視資料的充分解耦。
在上面的基礎之後,對於 hooks 的使用應該有了基本的瞭解,下面我們結合 hooks 原始碼對於 hooks 如何能儲存無狀態元件的原理進行剝離。
Hooks 原始碼在 Reactreact-reconclier** 中的 ReactFiberHooks.js ,程式碼有 600 行,理解起來也是很方便的
Hooks 的基本型別:
type Hooks = { memoizedState: any, // 指向當前渲染節點 Fiber baseState: any, // 初始化 initialState, 已經每次 dispatch 之後 newState baseUpdate: Update<any> | null,// 當前需要更新的 Update ,每次更新完之後,會賦值上一個 update,方便 react 在渲染錯誤的邊緣,資料回溯 queue: UpdateQueue<any> | null,// UpdateQueue 通過 next: Hook | null, // link 到下一個 hooks,通過 next 串聯每一 hooks } type Effect = { tag: HookEffectTag, // effectTag 標記當前 hook 作用在 life-cycles 的哪一個階段 create: () => mixed, // 初始化 callback destroy: (() => mixed) | null, // 解除安裝 callback deps: Array<mixed> | null, next: Effect, // 同上 };
React Hooks 全域性維護了一個 workInProgressHook
變數,每一次調取 Hooks API 都會首先調取 createWorkInProgressHooks
函數。參考React實戰視訊講解:進入學習
function createWorkInProgressHook() { if (workInProgressHook === null) { // This is the first hook in the list if (firstWorkInProgressHook === null) { currentHook = firstCurrentHook; if (currentHook === null) { // This is a newly mounted hook workInProgressHook = createHook(); } else { // Clone the current hook. workInProgressHook = cloneHook(currentHook); } firstWorkInProgressHook = workInProgressHook; } else { // There's already a work-in-progress. Reuse it. currentHook = firstCurrentHook; workInProgressHook = firstWorkInProgressHook; } } else { if (workInProgressHook.next === null) { let hook; if (currentHook === null) { // This is a newly mounted hook hook = createHook(); } else { currentHook = currentHook.next; if (currentHook === null) { // This is a newly mounted hook hook = createHook(); } else { // Clone the current hook. hook = cloneHook(currentHook); } } // Append to the end of the list workInProgressHook = workInProgressHook.next = hook; } else { // There's already a work-in-progress. Reuse it. workInProgressHook = workInProgressHook.next; currentHook = currentHook !== null ? currentHook.next : null; } } return workInProgressHook; }
假設我們需要執行以下 hooks 程式碼:
function FunctionComponet() { const [ state0, setState0 ] = useState(0); const [ state1, setState1 ] = useState(1); useEffect(() => { document.addEventListener('mousemove', handlerMouseMove, false); ... ... ... return () => { ... ... ... document.removeEventListener('mousemove', handlerMouseMove, false); } }) const [ satte3, setState3 ] = useState(3); return [state0, state1, state3]; }
當我們瞭解 React Hooks 的簡單原理,得到 Hooks 的串聯不是一個陣列,但是是一個鏈式的資料結構,從根節點 workInProgressHook 向下通過 next 進行串聯。這也就是為什麼 Hooks 不能巢狀使用,不能在條件判斷中使用,不能在迴圈中使用。否則會破壞鏈式結構。
下面我們先看一段程式碼:
import React, { useState, useEffect } from 'react'; import ReactDOM from 'react-dom'; const useWindowSize = () => { let [size, setSize] = useState([window.innerWidth, window.innerHeight]) useEffect(() => { let handleWindowResize = event => { setSize([window.innerWidth, window.innerHeight]) } window.addEventListener('resize', handleWindowResize) return () => window.removeEventListener('resize', handleWindowResize) }, []) return size } const App = () => { const [ innerWidth, innerHeight ] = useWindowSize(); return ( <ul> <li>innerWidth: {innerWidth}</li> <li>innerHeight: {innerHeight}</li> </ul> ) } ReactDOM.render(<App/>, document.getElementById('root'))
useState 的作用是讓 Function Component 具備 State 的能力,但是對於開發者來講,只要在 Function Component 中引入了 hooks 函數,dispatch 之後就能夠作用就能準確的作用在當前的元件上,不經意會有此疑問,帶著這個疑問,閱讀一下原始碼。
function useState(initialState){ return useReducer( basicStateReducer, // useReducer has a special case to support lazy useState initializers (initialState: any), );}function useReducer(reducer, initialState, initialAction) { // 解析當前正在 rendering 的 Fiber let fiber = (currentlyRenderingFiber = resolveCurrentlyRenderingFiber()); workInProgressHook = createWorkInProgressHook(); // 此處省略部分原始碼 ... ... ... // dispathAction 會繫結當前真在渲染的 Fiber, 重點在 dispatchAction 中 const dispatch = dispatchAction.bind(null, currentlyRenderingFiber,queue,) return [workInProgressHook.memoizedState, dispatch];}function dispatchAction(fiber, queue, action) { const alternate = fiber.alternate; const update: Update<S, A> = { expirationTime, action, eagerReducer: null, eagerState: null, next: null, }; ...... ...... ...... scheduleWork(fiber, expirationTime);}
到此這篇關於react hooks實現原理的文章就介紹到這了,更多相關react hooks原理內容請搜尋it145.com以前的文章或繼續瀏覽下面的相關文章希望大家以後多多支援it145.com!
相關文章
<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
综合看Anker超能充系列的性价比很高,并且与不仅和iPhone12/苹果<em>Mac</em>Book很配,而且适合多设备充电需求的日常使用或差旅场景,不管是安卓还是Switch同样也能用得上它,希望这次分享能给准备购入充电器的小伙伴们有所
2021-06-01 09:31:42
除了L4WUDU与吴亦凡已经多次共事,成为了明面上的厂牌成员,吴亦凡还曾带领20XXCLUB全队参加2020年的一场音乐节,这也是20XXCLUB首次全员合照,王嗣尧Turbo、陈彦希Regi、<em>Mac</em> Ova Seas、林渝植等人全部出场。然而让
2021-06-01 09:31:34
目前应用IPFS的机构:1 谷歌<em>浏览器</em>支持IPFS分布式协议 2 万维网 (历史档案博物馆)数据库 3 火狐<em>浏览器</em>支持 IPFS分布式协议 4 EOS 等数字货币数据存储 5 美国国会图书馆,历史资料永久保存在 IPFS 6 加
2021-06-01 09:31:24
开拓者的车机是兼容苹果和<em>安卓</em>,虽然我不怎么用,但确实兼顾了我家人的很多需求:副驾的门板还配有解锁开关,有的时候老婆开车,下车的时候偶尔会忘记解锁,我在副驾驶可以自己开门:第二排设计很好,不仅配置了一个很大的
2021-06-01 09:30:48
不仅是<em>安卓</em>手机,苹果手机的降价力度也是前所未有了,iPhone12也“跳水价”了,发布价是6799元,如今已经跌至5308元,降价幅度超过1400元,最新定价确认了。iPhone12是苹果首款5G手机,同时也是全球首款5nm芯片的智能机,它
2021-06-01 09:30:45