[Redux] Redux Toolkit (RTK) 알아보기

상현·2023년 11월 28일
2

React

목록 보기
11/24
post-thumbnail

Redux Toolkit

Redux Toolkit (줄여서 RTK 라고 한다.)은
기존 Redux 사용시 불편했던 점을 해결 하기위해 여러 추가 기능과 라이브러리를 탑재하여 나온 패키지이다.

현재 리덕스 팀에서 공식적으로 추천하는 방법이다.

기존의 Redux는 사용하기 위해 Best Practice라고 알려진 DUCKS 패턴 (필수는 아니지만)을 사용하였다.

예시 코드로, 주어진 N만큼 더하고, 빼는 카운터 module을 살펴보자.

const PLUS_N = "counter/PLUS_N"
const MINUS_N = "counter/MINUS_N"

// action creator: action value를 return 하는 함수
export const plusN = (payload) => {
  return {
    type: PLUS_N,
    payload: payload
  }
}

export const minusN = (payload) => {
  return {
    type: MINUS_N,
    payload: payload
  }
}

// 초기 상태값(state)
const initialState = {
  number: 0
}

// reducer: 'state에 변화를 일으키는' 함수
// input: state와 action
const counter = (state = initialState, action) => {
  switch (action.type) {
    case PLUS_N:
      return {...state, number: state.number + action.payload};
    case MINUS_N:
      return {...state, number: state.number - action.payload};
    default:
      return state;
  }
}

이 코드를 RTK를 이용하여 리팩토링하면 다음과 같이 변할 수 있다.

// redux-toolkit
const counterSlice = createSlice({
  name:'counter',
  initialState,
  reducers: {
    addNumber: (state, action) => {
      state.number = state.number + action.payload
      return state;
    },
    minusNumber: (state, action) => {
      state.number = state.number - action.payload
      return  state;
    }
  }
})

export const {addNumber, minusNumber} = counterSlice.actions;
export default counterSlice.reducer;

코드가 훨씬 짧아지고 가독성이 더 좋아졌다. action과 action creator를 따로 작성하지 않아도 되며, state를 변경할 때 불변성을 지켜주지 않는 것처럼 작성해도 작동한다! 하지만, 이를 사용하기 위해서 useSelector를 사용하고, dispatch를 하는 것은 똑같다.
즉, RTK는 여전히 Redux이며 기본적인 작동 방식은 같지만 사용자의 편의성을 크게 향상 시켜서 나온 패키지이다!

설치

# react에서 사용할 경우
# redux dev tools는 RTK에 포함되어 있기 때문에 설치할 필요가 없다.

yarn add @reduxjs/toolkit react-redux

Redux에서 RTK로

기존 Redux에서 RTK 방식으로 바꾸기 위해 교체해야 할 것들이 있다.

configureStore

기존에는 createStore를 사용하여 reducer들을 결합하였다. RTK에서는 configureStore로 교체하는 것을 권장한다.

configureStore 에서는 middleware, enhanver, devtools 설정 등을 더 간단하게 할 수 있다.

createStore

const rootReducer = combineReducers({
  counter, users
});

const store = createStore(rootReducer);

export store;

configureStore

const store = configureStore({
  reducer: {
    counter, users
  }
})

export default store;

https://ko.redux.js.org/usage/configuring-your-store/#the-solution-configurestore

createSlice

기존에는 action, action creator, reducer 등을 모두 각각 작성하였다. RTK에서는 createSlice 함수를 사용하여 간편하게 모두를 생성할 수 있다.

const todoSlice = createSlice({
  name: 'todos',
  initialState,
  reducers: {
    addTodo: (state, action) => {
      // 불변성을 유지시켜야 한다!
      // redux toolkit 안에 immer라는 기능이 내장되어 있다.
      // 따라서 push 같이 불변성을 유지 못하게 하는 함수도 사용할 수 있다.
      state.push(action.payload)
    }
  }
})


// export actions
export const {addTodo, removeTodo, switchTodo} = todoSlice.actions;

// export reducer
export default todoSlice.reducer;

https://ko.redux.js.org/usage/migrating-to-modern-redux/#reducers-and-actions-with-createslice

immer

지금 까지 우리는 state를 변경할 때 불변성의 원칙을 지키고 있었다. 즉, 기존 state를 직접 변경 시키는 것이 아닌 새로운 객체를 만들어서 수정 후 반환해왔다.

RTK에는 immer.js라는 라이브러리를 내장하고 있다. 이는 우리가 state를 변경할 때 불변성을 지켜주지 않게 작성해도 가능하도록 해준다!

⚠️ 실제로 불변성을 지키지 않아도 된다는 뜻이 아니다. 우리가 불변성을 지키지 않아도, immer가 불변성을 대신 지켜준다.

추가

// 기존 
return [...state, action.payload];

// immer
return state.push(action.payload);

수정

// 기존
return state.map((item) => {
  if (item.id === action.payload) {
    return { ...item, isDone: !item.isDone };
  } else {
    return item;
  }
});

// immer 사용
const item = state[action.playload];
item.isDone = !item.isDone;
return state;

이처럼 많은 기능과 편의성들이 새로 추가되어 나온 것이 RTK다. 이 보다 더 많은 기능 들이 있지만 나중에 쓰게 되면서 다시 더 알아봐야겠다.

Redux Toolkit은 기존 Redux 보다 더 어려운 것이 아닌, 더 쉽게 쓰라고 나온 것이니 감사하게 잘 써봐야 겠다!

profile
프론트엔드 개발자 🧑🏻‍💻 https://until.blog/@love

3개의 댓글

comment-user-thumbnail
2023년 11월 28일

더 쉽게 이해하라고 써주신글 감사하게 잘 읽어봤습니다!

1개의 답글
comment-user-thumbnail
2024년 1월 20일

https://riyamalik.com/asian-call-girls-noida-sector-34.html
https://riyamalik.com/asian-call-girls-noida-sector-43.html
https://riyamalik.com/athletic-call-girls-noida-sector-30.html
https://riyamalik.com/aunty-call-girls-noida-sector-61.html
https://riyamalik.com/aunty-escort-service-borivali.html
https://riyamalik.com/babes-call-girls-noida-sector-33.html
https://riyamalik.com/babes-call-girls-noida-sector-42.html
https://riyamalik.com/babes-escorts-hotel-itc-grand-central-mumbai.html
https://riyamalik.com/basaveshwaranagar-escorts.html
https://riyamalik.com/beautiful-call-girls-badonwala.html
https://riyamalik.com/beautiful-call-girls-barmer.html
https://riyamalik.com/beautiful-call-girls-didwana.html
https://riyamalik.com/beautiful-call-girls-govindpura.html
https://riyamalik.com/beautiful-call-girls-Gurudronacharya.html
https://riyamalik.com/beautiful-call-girls-hathroi.html
https://riyamalik.com/beautiful-call-girls-jharkhand.html
https://riyamalik.com/beautiful-call-girls-jodhpur.html
https://riyamalik.com/beautiful-call-girls-kalwar.html
https://riyamalik.com/beautiful-call-girls-patel-nagar.html
https://riyamalik.com/beautiful-call-girls-sector-38.html
https://riyamalik.com/beautiful-call-girls-sector-111.html
https://riyamalik.com/beautiful-escort-service-sector-40.html
https://riyamalik.com/beauty-call-girls-bapu-nagar.html
https://riyamalik.com/beauty-call-girls-madhya-marg.html
https://riyamalik.com/beauty-call-girls-nindar.html
https://riyamalik.com/beauty-call-girls-noida-sector-46.html
https://riyamalik.com/beauty-call-girls-noida-sector-151.html
https://riyamalik.com/beauty-call-girls-pratapgarh.html
https://riyamalik.com/beauty-call-girls-sector-53.html
https://riyamalik.com/beauty-call-girls-sector-72.html
https://riyamalik.com/beauty-call-girls-sector-84.html
https://riyamalik.com/beauty-call-girls-sundar-nagar.html
https://riyamalik.com/beauty-call-girls-tank-road.html
https://riyamalik.com/beauty-call-girls-vatika-city.html
https://riyamalik.com/beauty-escorts-in-hotel-radisson-blu-plaza.html
https://riyamalik.com/beauty-escorts-sushant-golf-city.html
https://riyamalik.com/bellandur-call-girls.html
https://riyamalik.com/best-dating-call-girls-gangapur-city.html
https://riyamalik.com/best-desi-call-girls-sector-113.html
https://riyamalik.com/best-escort-golden-galaxy-hotels-&-resorts.html
https://riyamalik.com/best-quality-call-girls-mohali.html
https://riyamalik.com/bhopal-call-girl.html
https://riyamalik.com/big-ass-call-girls-chittorgarh.html
https://riyamalik.com/big-ass-call-girls-mansarovar.html
https://riyamalik.com/big-ass-call-girls-milap-magar.html
https://riyamalik.com/big-ass-call-girls-milap-nagar.html
https://riyamalik.com/big-ass-call-girls-sector-3.html
https://riyamalik.com/big-ass-call-girls-sector-45.html
https://riyamalik.com/big-boobs-call-girls-bundi.html
https://riyamalik.com/big-boobs-call-girls-hanumangarh.html
https://riyamalik.com/big-boobs-call-girls-maniyawas.html
https://riyamalik.com/big-boobs-escort-service-patrakar-colony.html
https://riyamalik.com/big-boobs-escort-service-sector-28.html
https://riyamalik.com/big-eyes-call-girls-hindaun-city.html
https://riyamalik.com/big-tits-call-girls-kanauta.html
https://riyamalik.com/bikini-call-gilrs-golf-course-extension.html
https://riyamalik.com/bikini-call-girls-ambience-island.html
https://riyamalik.com/bikini-call-girls-ashram.html
https://riyamalik.com/bikini-escort-service-sector-3.html
https://riyamalik.com/blonde-call-girls-asalpur.html
https://riyamalik.com/blonde-call-girls-bhaskola.html
https://riyamalik.com/blonde-call-girls-bhiwandi.html
https://riyamalik.com/blonde-call-girls-chandigarh-sector-8.html
https://riyamalik.com/blonde-call-girls-charbagh.html
https://riyamalik.com/blonde-call-girls-chawri-bazar.html
https://riyamalik.com/blonde-call-girls-gulmohar-park.html
https://riyamalik.com/blonde-call-girls-hotel-holiday-inn-agra.html
https://riyamalik.com/blonde-call-girls-hotel-oberoy.html
https://riyamalik.com/blonde-call-girls-hotel-taj-agra.html
https://riyamalik.com/blonde-call-girls-kundannagar.html
https://riyamalik.com/blonde-call-girls-landaur.html
https://riyamalik.com/blonde-call-girls-lodhi-road.html
https://riyamalik.com/blonde-call-girls-noida-sector-17.html
https://riyamalik.com/blonde-call-girls-sector-93.html
https://riyamalik.com/blonde-call-girls-sector-105.html
https://riyamalik.com/blonde-call-girls-sector-110.html
https://riyamalik.com/blonde-call-girls-the-lalit-chandigarh.html
https://riyamalik.com/blonde-escort-service-hotel-radisson-noida.html
https://riyamalik.com/blonde-escort-service-mizoram.html
https://riyamalik.com/blue-eyes-call-girls-south-ex.html
https://riyamalik.com/blue-eyes-escort-service-sector-7.html
https://riyamalik.com/bold-call-girls-hotel-jw-marriott.html
https://riyamalik.com/bold-figure-call-girls-bullawala.html
https://riyamalik.com/bommanahalli-call-girl.html
https://riyamalik.com/bright-call-girls-byculla.html
https://riyamalik.com/bright-call-girls-noida-sector-21.html
https://riyamalik.com/bright-call-girls-noida-sector-66.html
https://riyamalik.com/bright-escorts-in-hotel-bloomrooms-@-janpath.html
https://riyamalik.com/brown-eyes-call-girls-chanakkya-puri.html
https://riyamalik.com/brown-eyes-call-girls-gwal-pahari.html
https://riyamalik.com/brown-eyes-call-girls-mg-road.html
https://riyamalik.com/btm-layout-escorts.html
https://riyamalik.com/busty-call-girls-almora.html
https://riyamalik.com/busty-call-girls-chandigarh-sector-23.html
https://riyamalik.com/busty-call-girls-connaught-place.html
https://riyamalik.com/busty-call-girls-sector-56.html
https://riyamalik.com/busty-escort-service-aashiyana.html
https://riyamalik.com/busty-escorts-hotel-clarks-shiraz-agra.html
https://riyamalik.com/busty-escorts-sushant-lok-1.html
https://riyamalik.com/busty-milf-call-girls-noida-sector-117.html
https://riyamalik.com/butter-call-girls-latur.html

답글 달기