Redux 란?
Redux는 리액트 애플리케이션에서 상태를 관리하기 위한 상태관리 라이브러리 입니다
Redux를 사용하면 전역 상태를 관리할 수 있으며, 이는 여러 컴포넌트에서 사용되는 데이터를 쉽게 공유하고 업데이트 할 수 있도록 해줍니다
Redux의 핵심개념은 "store", "reducer", "action" 입니다
store은 애플리케이션의 전역상태를 저장하는 객체이며, action은 상태를 업데이트 하기 위한 객체입니다
reducer은 action에 따라 상태를 어떻게 업데이트 할지 정의하는 순수함수 입니다
Redux를 사용하면 컴포넌트에서 store에 있는 데이터를 읽고, action을 dispatch 하여 상태를 업데이크하고,
reducer를 통해 새로운 상태를 반환받을 수 있습니다
이를 통해 여러 컴포넌트에서 공유되는 데이터를 효율적으로 관리할 수 있습니다
Redux의 데이터 흐름 순서
Redux는 다음과 같은 순서로 상태를 관리합니다.
1. 상태가 변경되어야 하는 이벤트가 발생라면, 변경될 상태에 대한 정보가 담긴 Action 객체가 생성됩니다
const increaseCountAction = {
type: 'INCREASE_COUNT',
patload: 1
}
2. 이 Action 객체는 Dispatch 함수의 인자로 전달됩니다
dispatch(increaseCountAction);
3. Dispatch 함수는 Action 객체를 Reducer 함수로 전달해줍니다
const reducer = (state = initialState, action) => {
switch (action.type) {
case 'INCREASE_COUNT':
return {
...state,
count: state.count + action.payload
};
default:
return state;
}
};
4. Reducer 함수는 Action 객체의 값을 확인하고, 그 값에 따라 전역 상태 저장소 store의 상태를 변경합니다
const store = createStore(reducer);
5. 상태가 변경되면, React는 화면을 다시 렌더링합니다
const Counter = () =>{
const count = useSelector(state => state.count);
const dispatch = useDispatch();
const handleIncrement = () =>{
dispatch (increaseCountAction);
}
return (
<div>
<p>Count :{count}</p>
<button onClick ={handleIncrement}>+</button>
</div>
)
}
즉, 리덕스에서는 Action → Dispatch → Reducer → Store 순서로 단방향으로 데이터가 흐릅니다
위 코드에서 Action 객체를 생성하고, Dispatch 함수로 전달한 뒤, Reducer 함수에서 Action 객체를 확인하여 상태를 변경하고,
이를 store에 저장합니다. 마지막으로, React에서는 useSelector를 사용하여 store의 상태를 가져와 화면을 렌더링 합니다
useSelector 란?
useSelector 란 리덕스 스토어에서 여러 상태 중 특정한 상태 (state) 값을 추출하며 컴포넌트에서 사용할 수 있도록 하는 React Hook 입니다.
리덕스 스토에서는 여러개의 상태값이 있을 수 있습니다
예를 들어, counter 상태와 user 상태가 있다고 가정해보겠습니다.
이때 useSelector를 사용하여 counter 상태 값을 추출하려면 다음과 같이 작성할 수 있습니다
import {useSelector} from 'react-redux';
function MyComponent (){
const counter = useSelector(state => state.counter);
// state.counter 값을 추출하여 counter 변수에 할당합니다.
return (
<div>
<p> Counter:{counter}</p>
</div>
)
}
위 코드에서 state => state.counter 콜백 함수를 사용하여 리덕스 스토어의 전체 상태(state)에서 counter 상태 값을 추출하고,
이 값을 counter 변수에 할당합니다.
이렇게 하면 counter 변수에는 리덕스 스토어에서 추출한 counter 상태 값이 저장되어 있습니다.
즉, useSelector는 리덕스 스토어에서 특정한 상태 값을 추출하여 변수에 할당하는 것입니다.
(index.js)
import React from 'react';
import { createRoot } from 'react-dom/client';
import { Provider } from 'react-redux';
import { legacy_createStore as createStore } from 'redux';
import App from './App';
const rootElement = document.getElementById('root');
const root = createRoot(rootElement);
//2. action은 말 그래도 어떤 액션을 취할것인지 정의해놓은 객체입니다.
// type은 여기서 필수로 지정을 해주어야 하고 대문자로 작성함, payload를 통해 구체적인 값을 전달하기도
// 보통 action을 직접 작성하기 보다는 action 객체를 생성하는 함수를 만든다 (액션 생성자)
//payload가 필요없는 경우
export const increase = () =>{
return {
type: 'INCREASE'
}
}
export const decrease = () =>{
return {
type: 'DECREASE'
}
}
//payload가 필요한 경우
const setNumber = (num) =>{
return {
type: 'SET_NUMBER',
payload: num
}
}
//1. reducer는 dispatch에게 전달받은 action 객체의 type에 따라 상태를 변경시킵니다
const count =1
//reducer를 생성할때는 초기상태를 인자로 요구합니다
const reducer = (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가 리턴하는 값이 새로운 상태가 됩니다
// 0. store은 상태가 관리되는 오직 하나뿐인 저장소
const store = createStore(reducer)
root.render(
<Provider store ={store}>
<App />
</Provider>
);
(App.js)
import React from 'react';
import './style.css';
import { useSelector, useDispatch } from 'react-redux';
import { increase, decrease } from './index.js';
export default function App() {
//3. dispatch는 reducer로 action을 전달해주는 함수이다
// dispatch의 전달인자로 action 객체가 전달됩니다
const dispatch = useDispatch()
//4. useSelector()는 컴포넌트와 state를 연결하여 redux의 state에 접근할 수 있도록 하는 메서드
const counter = useSelector(state => state)
const plusNum = () => {
dispatch(increase())
}
const minusNum = () => {
dispatch(decrease())
};
return (
<div className="container">
<h1>{`Count: ${counter}`}</h1>
<div>
<button className="plusBtn" onClick={plusNum}>
+
</button>
<button className="minusBtn" onClick={minusNum}>
-
</button>
</div>
</div>
);
}
'React' 카테고리의 다른 글
styled-component가 웹표준을 향상시킨다고? (0) | 2023.04.28 |
---|---|
코드를 읽는 순차적인 흐름과 오류처리에 관하여 (Cmarket Redux) (6) | 2023.04.25 |
React Custom Component 만들기 (자동완성, autocomplete) (0) | 2023.04.22 |
Cmarket Hooks (프로젝트 구조 파악의 중요성) (0) | 2023.04.21 |
props와 state의 차이점 (0) | 2023.04.21 |