{"pageProps":{"readTime":{"text":"7 min read","minutes":6.05,"time":363000,"words":1210},"source":{"compiledSource":"\"use strict\";\n\nfunction _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); }\n\nfunction _objectWithoutProperties(source, excluded) { if (source == null) return {}; var target = _objectWithoutPropertiesLoose(source, excluded); var key, i; if (Object.getOwnPropertySymbols) { var sourceSymbolKeys = Object.getOwnPropertySymbols(source); for (i = 0; i < sourceSymbolKeys.length; i++) { key = sourceSymbolKeys[i]; if (excluded.indexOf(key) >= 0) continue; if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue; target[key] = source[key]; } } return target; }\n\nfunction _objectWithoutPropertiesLoose(source, excluded) { if (source == null) return {}; var target = {}; var sourceKeys = Object.keys(source); var key, i; for (i = 0; i < sourceKeys.length; i++) { key = sourceKeys[i]; if (excluded.indexOf(key) >= 0) continue; target[key] = source[key]; } return target; }\n\n/* @jsx mdx */\nvar layoutProps = {};\nvar MDXLayout = \"wrapper\";\n\nfunction MDXContent(_ref) {\n var components = _ref.components,\n props = _objectWithoutProperties(_ref, [\"components\"]);\n\n return mdx(MDXLayout, _extends({}, layoutProps, props, {\n components: components,\n mdxType: \"MDXLayout\"\n }), mdx(\"p\", null, \"I'll start with a disclaimer: I am not the biggest fan of Redux.\"), mdx(\"p\", null, \"I think Redux has some great ideas, but it tends to overcomplicate things and create more problems than it solves.\"), mdx(\"p\", null, \"It wasn't until I started using React's \", mdx(\"a\", _extends({\n parentName: \"p\"\n }, {\n \"href\": \"https://reactjs.org/docs/hooks-reference.html#usereducer\"\n }), mdx(\"inlineCode\", {\n parentName: \"a\"\n }, \"useReducer\"), \" hook\"), \" that I started to appreciate what a reducer does.\"), mdx(\"p\", null, \"As I started using it more, I even started to realize that I hadn't fully grasped what a \\\"reducer\\\" actually \", mdx(\"em\", {\n parentName: \"p\"\n }, \"was\"), \".\"), mdx(\"blockquote\", null, mdx(\"p\", {\n parentName: \"blockquote\"\n }, \"A reducer is basically a function that takes in a series of actions and an \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"initialState\"), \", and then \\\"reduces\\\" them to get the current state of the application.\")), mdx(\"p\", null, \"If this sounds familiar, it's because it's the same as the \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \".reduce\"), \" method for arrays:\"), mdx(\"pre\", null, mdx(\"code\", _extends({\n parentName: \"pre\"\n }, {\n \"className\": \"language-js\"\n }), \"const actions = [{\\n type: 'SIGN_IN',\\n payload: { name: 'Chidi' }\\n}, {\\n type: 'SIGN_OUT'\\n}]\\n\\nconst initialState = {\\n user: null,\\n}\\n\\nconst currentState = actions.reduce((state, action) => {\\n// to find the current state of our app\\n// we take our initialState and apply all the actions on top of it\\n if (action.type === 'SIGN_IN') {\\n state = { ...state, user: { name: action.payload } }\\n }\\n\\n if (action.type === 'SIGN_OUT') {\\n state = { ...state, user: null }\\n }\\n\\n return state;\\n// this is how we define our initial state in `.reduce`\\n}, initialState);\\n\\n// currentState would equal { user: null }\\n\")), mdx(\"p\", null, \"Here, \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"currentState\"), \" would return \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"{ user: null }\"), \", because even though we signed in, the last action we took was signing out.\"), mdx(\"p\", null, \"If you've used Redux or \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"useReducer\"), \" before, this will look similar even though there's no actual \\\"reducer\\\" in this code.\"), mdx(\"p\", null, \"The reason this is helpful in React is because we frequently have lots of pieces of state we need to track, and they'll often change in groups.\"), mdx(\"p\", null, \"So instead of using 4 or 5 \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"useState\"), \" calls, we can use a reducer to create \", mdx(\"em\", {\n parentName: \"p\"\n }, \"actions\"), \" that describe our different state changes.\"), mdx(\"p\", null, \"Let's start with this example of a login form:\"), mdx(\"pre\", null, mdx(\"code\", _extends({\n parentName: \"pre\"\n }, {\n \"className\": \"language-jsx\",\n \"metastring\": \"react-live\",\n \"react-live\": true\n }), \"const { useState } = React;\\nconst LoginForm = () => {\\n const [email, setEmail] = useState('');\\n const [password, setPassword] = useState('');\\n const [isLoading, setIsLoading] = useState(false);\\n const [data, setData] = useState(null);\\n const [errorMessage, setErrorMessage] = useState(null);\\n\\n async function handleSubmit(e) {\\n e.preventDefault();\\n // before we send the request, change loading state\\n setIsLoading(true);\\n\\n try {\\n // send data to your \\\"API\\\"\\n const response = await setTimeout(() => ({ data: 'success' }), 500)\\n\\n // if it's successful, set the data in state\\n setData(response.data);\\n alert('Success')\\n } catch (error) {\\n // if something goes wrong, they shouldn't get stuck in the loading state\\n setErrorMessage(error.message);\\n }\\n\\n setIsLoading(false);\\n }\\n\\n return (\\n
\\n {/* we're using a fieldset here to disable all fields while the form is loading\\n https://developer.mozilla.org/en-US/docs/Web/HTML/Element/fieldset\\n */}\\n
\\n \\n \\n {errorMessage !== null &&
{errorMessage}
}\\n \\n
\\n
\\n )\\n}\\n\\nrender()\\n\")), mdx(\"p\", null, \"This is a fairly standard component pattern for something like a login form. It includes:\"), mdx(\"ul\", null, mdx(\"li\", {\n parentName: \"ul\"\n }, \"Tracking input values and storing them in state\"), mdx(\"li\", {\n parentName: \"ul\"\n }, \"A loading state boolean to disable parts of the UI\"), mdx(\"li\", {\n parentName: \"ul\"\n }, \"Error handling and error message feedback\")), mdx(\"p\", null, \"In its current form it works fine, but if we added one or two more fields (maybe something like a \\\"Stay Logged In\\\" checkbox), it could start to become hard to manage.\"), mdx(\"p\", null, \"Instead, we could try to rethink our component's state changes in terms of \\\"actions\\\".\"), mdx(\"p\", null, \"When we make a request, we could call the action something like \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"START_SIGN_IN\"), \", and it would change our \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"isLoading\"), \" field to \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"true\"), \".\"), mdx(\"p\", null, \"When we get data back, we could make an action called \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"SIGN_IN_SUCCESS\"), \", which would set the \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"isLoading\"), \" field to \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"false\"), \" and set our \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"data\"), \" with our request response.\"), mdx(\"p\", null, \"Let's start by converting these \\\"actions\\\" into a reducer:\"), mdx(\"pre\", null, mdx(\"code\", _extends({\n parentName: \"pre\"\n }, {\n \"className\": \"language-js\"\n }), \"// a reducer takes the current state and the next action as params\\nfunction reducer(state, action) {\\n switch (action.type) {\\n // we'll use this to handle our input field changes\\n case 'HANDLE_CHANGE':\\n // this syntax allows us to dynamically declare the key on an object\\n // so for our \\\"email\\\" input, this would be { email: \\\"chidi@gmail.com\\\" }\\n return { ...state, [action.name]: action.payload };\\n // this is how we start our loading step\\n case 'START_SIGN_IN':\\n return { ...state, isLoading: true };\\n case 'SIGN_IN_SUCCESS':\\n return { ...state, isLoading: false, data: action.payload };\\n case 'SET_ERROR_MESSAGE':\\n return { ...state, isLoading: false, errorMessage: action.payload };\\n // we use this default to make sure any typos don't fail silently\\n default:\\n throw new Error(`Action ${action.type} not found`);\\n }\\n}\\n\")), mdx(\"p\", null, \"Now, we can take this reducer and pass it to the React \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"useReducer\"), \" hook like this:\"), mdx(\"pre\", null, mdx(\"code\", _extends({\n parentName: \"pre\"\n }, {\n \"className\": \"language-jsx\"\n }), \"// for our initial state, we'll use all the initial states above in our `useState()` calls\\nconst initialState = {\\n email: '',\\n password: '',\\n isLoading: false,\\n data: null,\\n errorMessage: null,\\n}\\n\\nconst LoginForm = () => {\\n // we'll use our `reducer` from above\\n const [state, dispatch] = useReducer(reducer, initialState);\\n // ...rest of the component\\n}\\n\")), mdx(\"p\", null, \"Now we have a \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"state\"), \" object and a \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"dispatch\"), \" function that we can use to call our actions. So if we wanted to handle a successful sign in, we would call:\"), mdx(\"pre\", null, mdx(\"code\", _extends({\n parentName: \"pre\"\n }, {\n \"className\": \"language-js\"\n }), \"dispatch({ type: 'SIGN_IN_SUCCESS', payload: data})\\n\")), mdx(\"p\", null, \"This is telling our reducer that the action we want to use is called \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"SIGN_IN_SUCCESS\"), \", and the \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"payload\"), \" is any additional data we need to pass to our action. In this case, it's the response we're getting from the API.\"), mdx(\"p\", null, \"Now we can change all of our \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"setState\"), \" calls to \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"dispatch\"), \" calls, and you'll see how it becomes easier to understand what's happening at each step in your app.\"), mdx(\"p\", null, \"For example, in the \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"handleSubmit\"), \" function, you can read the actions like instructions. First you \\\"start sign in\\\", and if it's successful you dispatch \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"SIGN_IN_SUCCESS\"), \". If something goes wrong, you set an error message.\"), mdx(\"p\", null, \"This is not only easier for you to read, but it's \", mdx(\"em\", {\n parentName: \"p\"\n }, \"much\"), \" easier for your coworkers to read as well. It also forces you to think about your state not as an object that's being changed, but as a \\\"state machine\\\" that's changed by actions.\"), mdx(\"p\", null, \"Here's what your final result might look like:\"), mdx(\"pre\", null, mdx(\"code\", _extends({\n parentName: \"pre\"\n }, {\n \"className\": \"language-jsx\"\n }), \"const LoginForm = () => {\\n const [state, dispatch] = useReducer(reducer, initialState);\\n\\n const { email, password, isLoading, errorMessage } = state;\\n\\n async function handleSubmit(e) {\\n e.preventDefault();\\n // before we send the request, change loading state\\n dispatch({ type: 'START_SIGN_IN' });\\n\\n try {\\n // send data to your API\\n const response = await api.post('/login', { email, password })\\n\\n // if it's successful, toggle the loading boolean and set the data in state\\n dispatch({ type: 'SIGN_IN_SUCCESS', payload: response.data });\\n } catch (error) {\\n // if something goes wrong, they shouldn't get stuck in the loading state\\n dispatch({ type: 'SET_ERROR', payload: error.message });\\n }\\n }\\n\\n return (\\n
\\n
\\n \\n \\n {errorMessage !== null &&
{errorMessage}
}\\n \\n
\\n
\\n );\\n};\\n\")), mdx(\"p\", null, \"If you want to push this even further, you could even turn this reducer into a custom hook called something like \", mdx(\"inlineCode\", {\n parentName: \"p\"\n }, \"useRequest\"), \" and use it throughout your app.\"));\n}\n\n;\nMDXContent.isMDXComponent = true;","renderedOutput":"

I'll start with a disclaimer: I am not the biggest fan of Redux.

I think Redux has some great ideas, but it tends to overcomplicate things and create more problems than it solves.

It wasn't until I started using React's useReducer hook that I started to appreciate what a reducer does.

As I started using it more, I even started to realize that I hadn't fully grasped what a "reducer" actually was.

A reducer is basically a function that takes in a series of actions and an initialState, and then "reduces" them to get the current state of the application.

If this sounds familiar, it's because it's the same as the .reduce method for arrays:

1const actions = [{
2 type: 'SIGN_IN',
3 payload: { name: 'Chidi' }
4}, {
5 type: 'SIGN_OUT'
6}]
7
8const initialState = {
9 user: null,
10}
11
12const currentState = actions.reduce((state, action) => {
13// to find the current state of our app
14// we take our initialState and apply all the actions on top of it
15 if (action.type === 'SIGN_IN') {
16 state = { ...state, user: { name: action.payload } }
17 }
18
19 if (action.type === 'SIGN_OUT') {
20 state = { ...state, user: null }
21 }
22
23 return state;
24// this is how we define our initial state in `.reduce`
25}, initialState);
26
27// currentState would equal { user: null }

Here, currentState would return { user: null }, because even though we signed in, the last action we took was signing out.

If you've used Redux or useReducer before, this will look similar even though there's no actual "reducer" in this code.

The reason this is helpful in React is because we frequently have lots of pieces of state we need to track, and they'll often change in groups.

So instead of using 4 or 5 useState calls, we can use a reducer to create actions that describe our different state changes.

Let's start with this example of a login form:

This is a fairly standard component pattern for something like a login form. It includes:

In its current form it works fine, but if we added one or two more fields (maybe something like a "Stay Logged In" checkbox), it could start to become hard to manage.

Instead, we could try to rethink our component's state changes in terms of "actions".

When we make a request, we could call the action something like START_SIGN_IN, and it would change our isLoading field to true.

When we get data back, we could make an action called SIGN_IN_SUCCESS, which would set the isLoading field to false and set our data with our request response.

Let's start by converting these "actions" into a reducer:

1// a reducer takes the current state and the next action as params
2function reducer(state, action) {
3 switch (action.type) {
4 // we'll use this to handle our input field changes
5 case 'HANDLE_CHANGE':
6 // this syntax allows us to dynamically declare the key on an object
7 // so for our "email" input, this would be { email: "chidi@gmail.com" }
8 return { ...state, [action.name]: action.payload };
9 // this is how we start our loading step
10 case 'START_SIGN_IN':
11 return { ...state, isLoading: true };
12 case 'SIGN_IN_SUCCESS':
13 return { ...state, isLoading: false, data: action.payload };
14 case 'SET_ERROR_MESSAGE':
15 return { ...state, isLoading: false, errorMessage: action.payload };
16 // we use this default to make sure any typos don't fail silently
17 default:
18 throw new Error(`Action ${action.type} not found`);
19 }
20}

Now, we can take this reducer and pass it to the React useReducer hook like this:

1// for our initial state, we'll use all the initial states above in our `useState()` calls
2const initialState = {
3 email: '',
4 password: '',
5 isLoading: false,
6 data: null,
7 errorMessage: null,
8}
9
10const LoginForm = () => {
11 // we'll use our `reducer` from above
12 const [state, dispatch] = useReducer(reducer, initialState);
13 // ...rest of the component
14}

Now we have a state object and a dispatch function that we can use to call our actions. So if we wanted to handle a successful sign in, we would call:

1dispatch({ type: 'SIGN_IN_SUCCESS', payload: data})

This is telling our reducer that the action we want to use is called SIGN_IN_SUCCESS, and the payload is any additional data we need to pass to our action. In this case, it's the response we're getting from the API.

Now we can change all of our setState calls to dispatch calls, and you'll see how it becomes easier to understand what's happening at each step in your app.

For example, in the handleSubmit function, you can read the actions like instructions. First you "start sign in", and if it's successful you dispatch SIGN_IN_SUCCESS. If something goes wrong, you set an error message.

This is not only easier for you to read, but it's much easier for your coworkers to read as well. It also forces you to think about your state not as an object that's being changed, but as a "state machine" that's changed by actions.

Here's what your final result might look like:

1const LoginForm = () => {
2 const [state, dispatch] = useReducer(reducer, initialState);
3
4 const { email, password, isLoading, errorMessage } = state;
5
6 async function handleSubmit(e) {
7 e.preventDefault();
8 // before we send the request, change loading state
9 dispatch({ type: 'START_SIGN_IN' });
10
11 try {
12 // send data to your API
13 const response = await api.post('/login', { email, password })
14
15 // if it's successful, toggle the loading boolean and set the data in state
16 dispatch({ type: 'SIGN_IN_SUCCESS', payload: response.data });
17 } catch (error) {
18 // if something goes wrong, they shouldn't get stuck in the loading state
19 dispatch({ type: 'SET_ERROR', payload: error.message });
20 }
21 }
22
23 return (
24 <form onSubmit={handleSubmit}>
25 <fieldset disabled={isLoading}>
26 <label>
27 Email
28 <input
29 value={email}
30 onChange={e =>
31 dispatch({
32 type: 'HANDLE_CHANGE',
33 name: 'email',
34 payload: e.target.value,
35 })
36 }
37 />
38 </label>
39 <label>
40 Password
41 <input
42 type="password"
43 value={password}
44 onChange={e =>
45 dispatch({
46 type: 'HANDLE_CHANGE',
47 name: 'password',
48 payload: e.target.value,
49 })
50 }
51 >
52 </label>
53 {errorMessage !== null && <div>{errorMessage}</div>}
54 <button type="submit">Sign In</button>
55 </fieldset>
56 </form>
57 );
58};

If you want to push this even further, you could even turn this reducer into a custom hook called something like useRequest and use it throughout your app.

","scope":{"title":"Refactor Your Component's State with useReducer","description":"Create Actions to Simplify State","date":"2020-02-12"}},"frontMatter":{"title":"Refactor Your Component's State with useReducer","description":"Create Actions to Simplify State","date":"2020-02-12"}},"__N_SSG":true}