useState
最常用的hook,使用方法不再赘述。
需要注意的是它还传一个函数,返回新的值,这个函数的参数是上一次的 state,这个就很有用了,如果你在使用它的过程中遇到了闭包,可以尝试这种写法更新state
举个我实际开发遇到的例子:
我在用户登录后通过事件总线注册了一个事件 downLoadCount,它的作用是将数据流里的downLoadCount加一.
js
let eventCownLoadCount = null;
const { downLoadCount, setDownLoadCount } = useModel('header');
useEffect(() => {
getCount();
if (eventCownLoadCount) {
eventBus.un('addDownLoadCount', eventCownLoadCount);
}
eventCownLoadCount = eventBus.on('addDownLoadCount', function () {
setDownLoadCount(downLoadCount+1);
});
}, []);
接着在其他页面点击按钮后触发这个事件
js
eventBus.emit('downLoadCount');
但结果是我的数据一直没有改变。于是是想到可能是有闭包
因为现在 useEffect 的依赖数组是 [],也就是只会执行并保留第一次的 function。而第一次的 function 引用了当时的 downLoadCount,形成了闭包
换成函数的写法就可以了
js
eventCownLoadCount = eventBus.on('addDownLoadCount', function () {
setDownLoadCount(downLoadCount=>downLoadCount++);
});
useReducer
与useState类似都是用来修改数据的。解释起来比较抽象。与useState类比一下,基本写法是这样的。
js
const [res, dispatch] = useReducer(reducer, { result: 0});
res,dispatch基本等同于state,useState,但是dispatch可以接受参数。那么正因为有这个参数,我们可以根据参数自由控制数据的修改逻辑。{ result: 0}相当于state的初始值。
可以看到useReducer还多了一个reducer函数,它的参数是res,dispatch接受的参数。现在我们可以把修改数据的逻辑封装在这个函数里面。
js
function reducer(state, action) {
switch (action.type) {
case 'add':
return {
result: state.result + action.num,
};
case 'minus':
return {
result: state.result - action.num,
};
}
return state;
}
修改数据调用dispatch,并传入参数,这样就可以进行数据的加减了
js
<div onClick={() => dispatch({ type: 'add', num: 2 })}>加</div>
<div onClick={() => dispatch({ type: 'minus', num: 1 })}>减</div>
看起来用useState都能实现,确实如此,这种适合state比较复杂,并且想要把修改的逻辑封装起来,所以它的可维护性更好。
并且一般搭配immer使用,因为在reducer中return 的值不能直接返回修改后的state。
补充:useReducer还有第三个参数,是一个函数用来延迟初始化状态
js
const initialState = { count: 0 };
const init = (initialState) => { // 复杂的初始化逻辑
return { count: initialState.count + 10 };
};
const [state, dispatch] = useReducer(reducer, initialState, init);
//现在初始值就是{count:10}
好像多此一举了,但是如果这个初始值是根据接口拿到的,按照之前的方法就需要在一个函数fn里调用接口并return接口返回的值,也就是
js
const [state, dispatch] = useReducer(reducer, fn());
这两种写法就有一个性能的差别,上面这种写法fn会在每次组件渲染时执行,初始逻辑写在第三个函数里只会在页面初次渲染执行一次