根据React
文档:
当您遇到复杂的情况时,useReducer通常比useState更可取 涉及多个子值或下一个状态的状态逻辑 取决于上一个。
1。。有人可以解释一下为什么useReducer
不同步更新状态吗?
const reducer = (state, action) => {
if( action.type === 'ADD_VALUE') {
console.log(`STATE IN REDUCER`, [...state, action.path]) // => ["1.1"]
return [...state, action.path]
}
}
const [state, dispatch] = useReducer(reducer, [])
<input type="button" onClick={() => {
dispatch({ type: 'ADD_VALUE', path: "1.1"})
console.log(`STATE`, state) // => []
// here i want to do some stuff based on the lastest updated state (["1.1"] and not [])
// for example dispatch an action with redux
}}/>
2。。如何根据最新的更新状态(["1.1"]
而不是[]
)执行一些操作(调度redux动作)?
答案 0 :(得分:2)
使用useEffect
正确访问状态。如果您希望在满足特定条件时调用某些内容,则可以添加一些安全防护。
如果要跨组件访问化简器,则可以使用Context API存储化简器。请看下面的例子。您可以看到将reducer注入到父组件的Context中,然后两个子组件a)分派一个动作b)接收该动作的更新。
1。可以在多个组件中使用的上下文还原器示例
import React from "react";
import ReactDOM from "react-dom";
const Application = React.createContext({
state: null,
dispatch: null
});
function ActionComponent() {
const { dispatch } = React.useContext(Application);
return (
<div>
<div>Action Component</div>
<button onClick={() => dispatch("lol")}>Do something</button>
</div>
);
}
function ListenerComponent() {
const { state } = React.useContext(Application);
React.useEffect(
() => {
console.log(state);
},
[state]
);
return <div>Listener Component</div>;
}
function App() {
const [state, dispatch] = React.useReducer(function(state = [], action) {
return [...state, action];
});
return (
<Application.Provider value={{ state, dispatch }}>
<div className="App">
<ActionComponent />
<ListenerComponent />
</div>
</Application.Provider>
);
}
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
2。不使用应用程序上下文的本地化简示例
const reducer = (state, action) => {
if( action.type === 'ADD_VALUE') {
return [...state, action.path]
}
}
const [state, dispatch] = useReducer(reducer, [])
React.useEffect(() => {
console.log(state);
}, [state]);
<input type="button" onClick={() => {
dispatch({ type: 'ADD_VALUE', path: "1.1"})
}}/>