modules/counter.js
// 액션 타입 선언
const SET_DIFF = 'counter/SET_DIFF';
const INCREASE = 'counter/INCREASE';
const DECREASE = 'counter/DECREASE';
const initialState = {
number: 0,
diff: 1,
};
// 액션 생성 함수
export const setDiff = diff => ({ type: SET_DIFF, diff });
export const increase = () => ({ type: INCREASE });
export const decrease = () => ({ type: DECREASE });
// reducer
export default function counter(state = initialState, action) {
switch (action.type) {
case INCREASE:
return {
...state,
number: state.number + state.diff,
};
case DECREASE:
return {
...state,
number: state.count - state.diff,
};
case SET_DIFF:
return {
...state,
diff: action.diff,
};
default:
return state;
}
}
const ADD_TODO = 'todos/ADD_TODO';
const TOGGLE_TODO = 'todos/TOGGLE_TODO';
let nextId = 1;
export const addTodo = text => ({
type: ADD_TODO,
todo: {
id: nextId++,
text,
},
});
export const toggleTodo = id => ({
type: TOGGLE_TODO,
id,
});
const initialState = [
// {
// id: 1,
// text: 'text',
// done: true
// }
];
export default function todos(state = initialState, action) {
switch (action.type) {
case ADD_TODO:
return [...state, action.todo];
case TOGGLE_TODO:
return state.map(item => (item.id === action.id ? { ...item, done: !item.done } : item));
default:
return state;
}
}
modules/index.js
import { combineReducers } from 'redux';
import counter from './counter';
import todos from './todos';
const reducer = combineReducers({ counter, todos });
export default reducer;
index.js
import React from 'react';
import ReactDOM from 'react-dom';
import App from './App';
import { Provider } from 'react-redux';
import { createStore } from 'redux';
import rootReducer from './modules';
const store = createStore(rootReducer);
console.log(store.getState()); // 객체 안에 만든 상태 2개가 들어가있는 것을 볼 수 있다.
ReactDOM.render(
<React.StrictMode>
<Provider store={store}>
<App />
</Provider>
</React.StrictMode>,
document.getElementById('root')
);