我的前端学习笔记📒
最近花了点时间把笔记整理到语雀上
了,方便童鞋们阅读
React系列-Mixin、HOC、Render Props(上)
React系列-轻松学会Hooks(中)
React系列-自定义Hooks很简单(下)
我们在第二篇文章中介绍了一些常用的hooks,接着我们继续来介绍剩下的hooks吧
useReducer
作为useState 的替代方案。它接收一个形如
(state, action) => newState 的 reducer
,并返回当前的 state 以及与其配套的 dispatch 方法
。(如果你熟悉 Redux 的话,就已经知道它如何工作了。)
不明白Redux工作流的同学可以看看这篇Redux系列之分析中间件原理(附经验分享)
为什么使用
官方说法: 在某些场景下,useReducer 会比 useState 更适用,
例如 state 逻辑较复杂且包含多个子值,或者下一个 state 依赖于之前的 state 等
。并且,使用 useReducer 还能给那些会触发深更新的组件做性能优化
,因为你可以向子组件传递 dispatch 而不是回调函数 。
总结来说:
如果你的state是一个数组或者对象等复杂数据结构
如果你的state变化很复杂,
经常一个操作需要修改很多state
如果你希望构建自动化测试用例来保证程序的稳定性
如果你需要在深层子组件里面去修改一些状态(也就是useReducer+useContext代替Redux)
如果你用应用程序比较大,希望UI和业务能够分开维护
登录场景
举个例子🌰:
登录场景
useState完成登录场景
function LoginPage() {
const [name, setName] = useState(''); // 用户名
const [pwd, setPwd] = useState(''); // 密码
const [isLoading, setIsLoading] = useState(false); // 是否展示loading,发送请求中
const [error, setError] = useState(''); // 错误信息
const [isLoggedIn, setIsLoggedIn] = useState(false); // 是否登录
const login = (event) => {
event.preventDefault();
setError('');
setIsLoading(true);
login({ name, pwd })
.then(() => {
setIsLoggedIn(true);
setIsLoading(false);
})
.catch((error) => {
// 登录失败: 显示错误信息、清空输入框用户名、密码、清除loading标识
setError(error.message);
setName('');
setPwd('');
setIsLoading(false);
});
}
return (
// 返回页面JSX Element
)
}
useReducer完成登录场景
const initState = {
name: '',
pwd: '',
isLoading: false,
error: '',
isLoggedIn: false,
}
function loginReducer(state, action) {
switch(action.type) {
case 'login':
return {
...state,
isLoading: true,
error: '',
}
case 'success':
return {
...state,
isLoggedIn: true,
isLoading: false,
}
case 'error':
return {
...state,
error: action.payload.error,
name: '',
pwd: '',
isLoading: false,
}
default:
return state;
}
}
function LoginPage() {
const [state, dispatch] = useReducer(loginReducer, initState);
const { name, pwd, isLoading, error, isLoggedIn } = state;
const login = (event) => {
event.preventDefault();
dispatch({ type: 'login' });
login({ name, pwd })
.then(() => {
dispatch({ type: 'success' });
})
.catch((error) => {
dispatch({
type: 'error'
payload: { error: error.message }
});
});
}
return (
// 返回页面JSX Element
)
}
❗️我们的state变化很复杂,经常一个操作需要修改很多state
,另一个好处是所有的state处理都集中到了一起,使得我们对state的变化更有掌控力,同时也更容易复用state逻辑变化代码,比如在其他函数中也需要触发登录success状态,只需要dispatch({ type: 'success' })。
笔者[狗头]认为,暂时应该不会用useReducer
替代useState
,毕竟Redux
的写法实在是很繁琐
复杂数据结构场景
刚好最近笔者的项目就碰到了复杂数据结构场景
,可是并没有用useReducer
来解决,依旧采用useState
,原因很简单:方便
// 定义list类型
export interface IDictList extends IList {
extChild: {
curPage: number
totalSize: number
size: number // pageSize
list: IList[]
}
}
const [list, setList] = useState<IDictList[]>([])
const change=()=>{
const datalist = JSON.parse(JSON.stringify(list)) // 拷贝对象 地址不同 不过这种写法感觉不好 建议用reducers 应该封装下reducers写法
const data = await getData()
const { totalCount, pageSize, list } = data
item.extChild.totalSize = totalCount
item.extChild.size = pageSize
item.extChild.list = list
setList(datalist) // 改变
}
看typescript写的类型声明就知道了这个list变量是个复杂的数据结构,需要经常需要改变添加extChild.list数组的内容,但是这种Array.prototype.push
,是不会触发更新,做过是通过const datalist = JSON.parse(JSON.stringify(list))
。虽然没有使用useReducer
进行替代,笔者还是推荐大家试试
如何使用
const [state, dispatch] = useReducer(reducer, initialArg, init);
知识点合集
引用不变
useReducer返回的state
跟ref一样,引用是不变的,不会随着函数组件的重新更新而变化,因此useReducer也可以解决闭包陷阱
const setCountReducer = (state,action)=>{
switch(action.type){
case 'add':
return state+action.value
case 'minus':
return state-action.value
default:
return state
}
}
const App = ()=>{
const [count,dispatch] = useReducer(setCountReducer,0)
useEffect(()=>{
const timeId = setInterval(()=>{
dispatch({type:'add',value:1})
},1000)
return ()=> clearInterval(timeId)
},[])
return (
<span>{count}</span>
)
}
把setCount改成useReducer的dispatch,因为useReducer的dispatch 的身份永远是稳定的 —— 即使 reducer 函数是定义在组件内部并且依赖 props
useContext
,
useContext
肯定与React.createContext有关系的,接收一个context 对象(React.createContext 的返回值)
并返回该 context 的当前值。当前的 context 值由上层组件中距离当前组件最近的<MyContext.Provider> 的 value prop 决定。
为什么使用
如果你在接触 Hook 前已经对 context API 比较熟悉,那应该可以理解,
useContext(MyContext) 相当于 class 组件中的 static contextType = MyContext 或者 <MyContext.Consumer>。
简单点说就是useContext
是用来消费context API
的
如何使用
const value = useContext(MyContext);
知识点合集
useContext造成React.memo 无效
当组件上层最近的更新时,该 Hook 会触发重渲染,并使用最新传递给 MyContext provider 的 context value 值。即使
祖先使用 React.memo 或 shouldComponentUpdate
,❗️也会在组件本身使用 useContext 时重新渲染
。
举个例子🌰:
// 创建一个 context
const Context = React.createContext()
// 用memo包裹
const Item = React.memo((props) => {
// 组件一, useContext 写法
const count = useContext(Context);
console.log('props', props)
return (
<div>{count}</div>
)
})
const App = () => {
const [count, setCount] = useState(0)
return (
<div>
点击次数: { count}
<button onClick={() => { setCount(count + 1) }}>点我</button>
<Context.Provider value={count}>
<Item />
</Context.Provider>
</div>
)
}
结果:
可以看到即使props没有变化,一旦组件上层最近的 <MyContext.Provider> 更新时,该 Hook 会触发重渲染
,此时Memo就失效了
Hooks替代Redux
有了
useReducer
和useContext
以及React.createContext
API,我们可以实现自己的状态管理
来替换Redux
实现react-redux
react-redux:React Redux is the official React binding for Redux. It lets your React components read data from a Redux store, and dispatch actions to the store to update data.
简单理解就是连接组件和数据中心,也就是把React和Redux联系起来
,可以看看官方文档或者看看阮一峰老师的文章,这里我们要去实现它最主要的两个API
Provider 组件
Provider:组件之间共享的数据是 Provider 这个顶层组件通过 props 传递下去的,store必须作为参数放到Provider组件中去
利用
React.createContext
这个API,实现起来非常easy,react-redux
本身就是依赖这个API的
const MyContext = React.createContext()
const MyProvider = MyContext.Provider
export default MyProvider // 导出
connect
connect:connect是一个高阶组件,提供了一个连接功能,可用于将组件连接到store,它 提供了组件获取 store 中数据或者更新数据的接口(mapStateToProps和mapStateToProps)
的能力
connect([mapStateToProps], [mapStateToProps], [mergeProps], [options])
function connect(mapStateToProps, mapDispatchToProps) {
return function (Component) {
return function () {
const {state, dispatch} = useContext(MyContext)
const stateToProps = mapStateToProps(state)
const dispatchToProps = mapDispatchToProps(dispatch)
const props = {...props, ...stateToProps, ...dispatchToProps}
return (
<Component {...props} />
)
}
}
}
export default connect // 导出
创建store
store: store对象包含所有数据。如果想得到某个时点的数据,就要对 Store 生成快照。这种时点的数据集合,就叫做 State。
利用useReducer来创建我们的store
import React, { Component, useReducer, useContext } from 'react';
import { render } from 'react-dom';
import './style.css';
const MyContext = React.createContext()
const MyProvider = MyContext.Provider;
function connect(mapStateToProps, mapDispatchToProps) {
return function (Component) {
return function () {
const {state, dispatch} = useContext(MyContext)
const stateToProps = mapStateToProps(state)
const dispatchToProps = mapDispatchToProps(dispatch)
const props = {...props, ...stateToProps, ...dispatchToProps}
return (
<Component {...props} />
)
}
}
}
function FirstC(props) {
console.log("FirstC更新")
return (
<div>
<h2>这是FirstC</h2>
<h3>{props.books}</h3>
<button onClick={()=> props.dispatchAddBook("Dan Brown: Origin")}>Dispatch 'Origin'</button>
</div>
)
}
function mapStateToProps(state) {
return {
books: state.Books
}
}
function mapDispatchToProps(dispatch) {
return {
dispatchAddBook: (payload)=> dispatch({type: 'ADD_BOOK', payload})
}
}
const HFirstC = connect(mapStateToProps, mapDispatchToProps)(FirstC)
function SecondC(props) {
console.log("SecondC更新")
return (
<div>
<h2>这是SecondC</h2>
<h3>{props.books}</h3>
<button onClick={()=> props.dispatchAddBook("Dan Brown: The Lost Symbol")}>Dispatch 'The Lost Symbol'</button>
</div>
)
}
function _mapStateToProps(state) {
return {
books: state.Books
}
}
function _mapDispatchToProps(dispatch) {
return {
dispatchAddBook: (payload)=> dispatch({type: 'ADD_BOOK', payload})
}
}
const HSecondC = connect(_mapStateToProps, _mapDispatchToProps)(SecondC)
function App () {
const initialState = {
Books: 'Dan Brown: Inferno'
}
const [state, dispatch] = useReducer((state, action) => {
switch(action.type) {
case 'ADD_BOOK':
return { Books: action.payload }
default:
return state
}
}, initialState);
return (
<div>
<MyProvider value={{state, dispatch}}>
<HFirstC />
<HSecondC />
</MyProvider>
</div>
)
}
render(<App />, document.getElementById('root'));
结果: