상태 관리 라이브러리.
전역 상태를 관리할 수 있는 저장소인 Store를 제공.
Action -> Dispatch -> Reducer -> Store.
상태가 관리되는 오직 하나뿐인 저장소의 역할.
Redux 앱의 state가 저장되어 있는 공간.
import { createStore } from 'redux';
const store = createStore(rootReducer);
Dispatch에게서 전달받은 Action 객체의 type
값에 따라 상태를 변경시키는 함수.
const count = 1
// Reducer를 생성할 때에는 초기 상태를 인자로 요구합니다.
const counterReducer = (state = count, action) => {
// Action 객체의 type 값에 따라 분기하는 switch 조건문입니다.
switch (action.type) {
//action === 'INCREASE'일 경우
case 'INCREASE':
return state + 1
// action === 'DECREASE'일 경우
case 'DECREASE':
return state - 1
// action === 'SET_NUMBER'일 경우
case 'SET_NUMBER':
return action.payload
// 해당 되는 경우가 없을 땐 기존 상태를 그대로 리턴
default:
return state;
}
}
// Reducer가 리턴하는 값이 새로운 상태가 됩니다.
Reducer는 순수함수.
import { combineReducers } from 'redux';
const rootReducer = combineReducers({
counterReducer,
anyReducer,
...
});
말 그대로 어떤 액션을 취할 것인지 정의해 놓은 객체.
// payload가 필요 없는 경우
{ type: 'INCREASE' }
// payload가 필요한 경우
{ type: 'SET_NUMBER', payload: 5 }
// payload가 필요 없는 경우
const increase = () => {
return {
type: 'INCREASE'
}
}
// payload가 필요한 경우
const setNumber = (num) => {
return {
type: 'SET_NUMBER',
payload: num
}
}
Reducer로 Action을 전달해 주는 함수.
// Action 객체를 직접 작성하는 경우
dispatch( { type: 'INCREASE' } );
dispatch( { type: 'SET_NUMBER', payload: 5 } );
// 액션 생성자(Action Creator)를 사용하는 경우
dispatch( increase() );
dispatch( setNumber(5) );
Action 객체를 전달받은 Dispatch 함수는 Reducer를 호출.
React-Redux에서 Redux를 사용할 때 활용할 수 있는 Hooks 메서드.
Action 객체를 Reducer로 전달해 주는 Dispatch 함수를 반환하는 메서드.
import { useDispatch } from 'react-redux'
const dispatch = useDispatch()
dispatch( increase() )
console.log(counter) // 2
dispatch( setNumber(5) )
console.log(counter) // 5
컴포넌트와 state를 연결하여 Redux의 state에 접근할 수 있게 해주는 메서드.
// Redux Hooks 메서드는 'redux'가 아니라 'react-redux'에서 불러옵니다.
import { useSelector } from 'react-redux'
const counter = useSelector(state => state)
console.log(counter) // 1
Redux에는 데이터를 저장하는 Store라는 단 하나뿐인 공간.
Action 객체가 있어야만 상태를 변경.
Reducer.