(next.js + redux toolkit 시리즈 2) next-redux-wrapper (yotube 강의)
* 출처 : https://www.youtube.com/watch?v=1EaRWZjTwYM&list=PLxXAf_cvJP9SAByj4a9BVySaeqzEpcOTp&index=4&t=883s
참고 : https://leehyungi0622.github.io/2021/05/17/202105/210514-React_with_NextJS/
* 전체 코드 : https://github.com/mayank7924/nextjs-with-redux
* 참고 : https://libertegrace.tistory.com/entry/25-Redux-Redux%EC%9D%98-%EC%9E%91%EB%8F%99%EB%B0%A9%EC%8B%9D
* Next.js 이용에 대한 설명
Redux is a state management library.
In React you only hav client side redux stores.
In NEXT.JS you can also fetch data on server side during SSR.
We create a new server side redux store in such cases and update it with feched data.
HYDRATE action from next-redux-wrapper is triggered in such cases.
While handling HYDRATE action we need to apply the new store values to the client store.
(Redux는 상태 관리 라이브러리입니다.
React에는 클라이언트 측 redux 저장소만 있습니다.
NEXT.JS에서는 SSR(서버사이드 랜더링) 동안 서버 측에서 데이터를 가져올 수도 있습니다.
이러한 경우 새 서버 측 redux 저장소를 만들고 가져온 데이터로 업데이트합니다.
이러한 경우 next-redux-wrapper의 HYDRATE 작업이 트리거됩니다.
HYDRATE 작업을 처리하는 동안 새 저장소 값을 클라이언트 저장소에 적용해야 합니다.)
* HYDRATE
▶ next-redux-wrapper에서 import 해온 것
▶ SSR(서버사이드 렌더링)을 위한 것으로 getInitialProps와 getServerSideProps에서도 Redux store에 접근이 가능하도록 하는 처리
▶ __NEXT_REDUX_WRAPPER_HYDRATE__ 이 반복적으로 나오나 빈칸만 나옴
* 페이지 이동할 때마다 매번 __NEXT_REDUX_WRAPPER_HYDRATE__ 이유
* 출처 : https://www.inflearn.com/questions/62584
▶ getServerSideProps를 쓸 때 각 페이지는 SSR되므로 hydrate가 필요하기 때문
(수정 전) [store.js]
import { createStore, applyMiddleware, combineReducers } from "redux";
import { createWrapper } from "next-redux-wrapper";
import { composeWithDevTools } from "redux-devtools-extension";
import users from "./users/reducer";
import counter from "./counter/reducer";
const rootReducer = combineReducers({
counter,
users,
});
const initStore = () => {
return createStore(rootReducer, composeWithDevTools(applyMiddleware()));
};
export const wrapper = createWrapper(initStore);
(수정 후) [store.js]
import { createStore, applyMiddleware, combineReducers } from "redux";
import { HYDRATE, createWrapper } from "next-redux-wrapper";
import { composeWithDevTools } from "redux-devtools-extension";
import users from "./users/reducer";
import counter from "./counter/reducer";
const rootReducer = combineReducers({
counter,
users,
});
const masterReducer = (state, action) => {
if (action.type === HYDRATE) {
const nextState = {
...state,
counter: {
count: state.counter.count + action.payload.counter.count,
},
users: {
users: [
...new Set([...action.payload.users.users, ...state.users.users]),
],
},
};
return nextState;
} else {
return rootReducer(state, action);
}
};
const initStore = () => {
return createStore(masterReducer, composeWithDevTools(applyMiddleware()));
};
export const wrapper = createWrapper(initStore);