Redux의 핵심 개념
- Store : 애플리케이션의 전역 상태를 보관
- Action : 상태를 변경하기 위한 "의도"를 나타내는 객체
- Reducer : Action에 따라 상태를 업데이트하는 순수 함수
- Dispatch : Aciton을 Store로 보내는 메서드
- Selector : 상태를 조회하기 위한 함수
Redux 사용법
1. Redux 설치
npm install @reduxjs/toolkit react-redux
@reduxjs/toolkit은 Redux를 쉽게 사용할 수 있도록 도와주는 공식 도구
2. 간단한 예제
Store 설정
// src/store/counterSlice.ts
import { createSlice } form '@reduxjs/toolkit';
const counterSlice = createSlice({
name : 'counter',
initialState : { value: 0 },
reducers: {
increment: (state) => {
state.value += 1;
},
decrement: (state) => {
state.value -= 1;
},
incrementByAmount: (state, action) => {
state.value += aciton.payload;
},
},
});
export const { increment, decrement, incrementByAmount } = counterSlice.actions;
export default counterSlice.reducer;
Store 구성
// src/store/index.ts
import { configureStore } from '@reduxjs/toolkit';
import counterReducer from './counterSlice';
const store = configureStore({
reducer: {
counter: counterReducer,
},
});
export type RootState = ReturnType<typeof store.getState>;
export type AppDispatch = typeof store.dispatch;
export default store;
React와 연결
// src/main.tsx
import React from 'react';
import ReactDOM from 'react-dom/client';
import { Provider } from 'react-redux';
import store from './store';
import App from './App';
ReactDOM.createRoot(document.getElementById('root')!).render(
<Provider store={store}>
<App />
</Provider>
);
컴포넌트에서 사용
// src/components/Counter.tsx
import React from 'react';
import { useSelector, useDispatch } from 'react-redux';
import { RootState, AppDispatch } from '../store';
import { increment, decrement, incrementByAmount } from '../store/counterSlice';
const Counter = () => {
const count = useSelector((state: RootState) => state.counter.value);
const dispatch = useDispatch<AppDispatch>();
return (
<div>
<h1>Counter: {count}</h1>
<button onClick={() => dispatch(increment())}>+</button>
<button onClick={() => dispatch(decrement())}>-</button>
<button onClick={() => dispatch(incrementByAmount(5))}>+5</button>
</div>
);
};
export default Counter;
실제로 적용해보기는 다음에 ..!
'React & TypeScript' 카테고리의 다른 글
[React] 새 프로젝트 설치 + tailwindcss 설치 (0) | 2025.02.21 |
---|---|
[React] React 라이프 사이클 이해하기 + useEffect의 동작 순서 (0) | 2024.12.17 |
[React] 페이지 이동 시 스크롤 위치가 하단에 있을 때 ScrollToTop (0) | 2024.12.16 |
React 프로젝트 성능 및 최적화 개선하기 (0) | 2024.12.12 |
[TIL] zustand 사용 시 state.state와 getState()의 차이 (0) | 2024.11.17 |