useState로도 상태 업데이트를 해줄 수 있지만 useState로 관리하기 복잡하고 귀찮을때 사용 하기 좋은 것 같다.
현재 상태와 액션 객체를 파라미터로 받아와서 새로운 상태를 반환 해주는 함수
function reducer(state, action) {
// 새로운 상태를 만드는 로직
// const nextState = ...
return nextState;
}
✔️ action은 업데이트를 위한 정보를 가진다.(type 값을 가진 객체값)
{
type: 'INCREMENT'
}
{
type: 'DECREMENT'
}
👇 useReducer 사용법
const [state, dispatch] = useReducer(reducer, initialState);
✔️ dispatch -> 액션을 방생시키는 함수 ex) dispatch({type:'INCREMENT})
✔️ state -> 컴포넌트에서 사용 할 수 있는 상태
사용 예
import React, { useReducer } from 'react';
function reducer(state, action) {
switch (action.type) {
case 'INCREMENT':
return state + 1;
case 'DECREMENT':
return state - 1;
default:
return state;
}
}
function Counter() {
const [number, dispatch] = useReducer(reducer, 0);
const onIncrease = () => {
dispatch({ type: 'INCREMENT' });
};
const onDecrease = () => {
dispatch({ type: 'DECREMENT' });
};
return (
<div>
<h1>{number}</h1>
<button onClick={onIncrease}>+1</button>
<button onClick={onDecrease}>-1</button>
</div>
);
}
export default Counter;