➡️ 상태관리의 복잡성을 해결해주는 라이브러리를 활용하자 !
<A>
라는 컴포넌트에 상태가 존재하고 이를 <G>
컴포넌트가 해당상태를 사용한다고 할때<C>
, <G>
등은 굳이 상태가 필요하지 않지만 컴포넌트에 props를 생성 하여 자식 컴포넌트에 넘겨주어야 했다. 이런 상황을 Props drilling
이라고 한다.import {createStore} from 'redux';
const store = createStore(rootReducer);
import React from 'react';
import { createRoot } from 'react-dom/client';
import App from './App';
// 1
import { Provider } from 'react-redux';
// 2
import { legacy_createStore as createStore } from 'redux';
const rootElement = document.getElementById('root');
const root = createRoot(rootElement);
const reducer = () => {}; // 임시함수
// 4
const store = createStore(reducer);
root.render(
// 3
<Provider store={store}>
<App />
</Provider>
);
type
값에 따라서 상태를 변경시키는 함수import React from 'react';
import { createRoot } from 'react-dom/client';
import App from './App';
import { Provider } from 'react-redux';
import { legacy_createStore as createStore } from 'redux';
const rootElement = document.getElementById('root');
const root = createRoot(rootElement);
// 1
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;
}
};
// 2
const store = createStore(counterReducer);
root.render(
// 3
<Provider store={store}>
<App />
</Provider>
);
// Reducer가 리턴하는 값이 새로운 상태(state)가 됨
combineReducers
메서드를 사용해서 하나의 Reducer로 합쳐줄 수 있음import {combineReducers} from 'redux';
const rootReducer = combineReducer({
counterReducer,
anyReducer,
...
});
// payload가 필요없는 경우
{type : 'INCREASE'}
// payload가 필요한 경우
{type : 'SET_NUMBER', payload : 5}
type
은 필수!!로 지정해야함payload
를 작성해 구체적인 값을 전달// payload가 필요 없는 경우
const increase = () => {
return {
type : 'INCREASE'
}
}
// payload가 필요한 경우
const setNumber = (num) => {
return {
type : 'SET_NUMBER',
payload : num
}
}
Dispatch
는 Reducer로 Action을 전달해주는 함수Dispatch
의 전달인자로 Action 객체가 전달됨// Action객체를 직접 작성하는 경우
dispatch ( {type: 'INCREASE'} );
dispatch( {type: 'SET_NUMBER', payload: 5} );
// 액션 생성자(Action Creator)를 사용하는 경우
dispatch( increase() );
dispatch( setNumber(5) );
useSelector()
, useDispatch()
이 두가지의 메서드를 기억하면 된다 useDispatch()
는 Action 객체를 Reducer로 전달해주는 Dispatch 함수를 반환하는 메서드useDispatch()
를 사용해 만든 것 !import {useDispatch} from 'react-redux'
const dispatch = useDispatch()
dispatch( increase() )
console.log(counter) // 2
dispatch( setNumber(5) )
console.log(counter) // 5
useSelector()
는 컴포넌트와 state를 연결하여 Redux의 state에 접근할 수 있게 해주는 메서드//Redux Hook메서드는 'redux'가 아니라 'react-redux'에서 불러옴
import {useSelector} from 'react-redux'
const state = useSelector((state) => state)
console.log(state)