Vuex and Redux. Here are the differences.

Vuex and Redux. Here are the differences.
I created the same app with Vuex and Redux. Here are the differences.

I have been using Vue and React for quite sometime now.

I learnt Vue + Vuex before React. I had a feeling that Redux would be very similar to Vuex. But I soon realized that it wasn’t as straight forward as Vuex and it does things differently (though both are inspired from Flux Architecture).

It’s a natural tendency to compare the features of one framework to a previously learnt framework or library, while learning the new one. That gives an easy way to understand and remember because we know how it works in the other.

So here is an article about comparing how Vuex and Redux do the same things in different ways.

Note: I am not comparing the core frameworks, I am concentrating only on features of Vuex and Redux. If you’re interested in comparing Vue and React, I recommend you check this article out by Sunil Sandhu.

The HTML

The markup of both applications are exactly the same for now, later we’ll use directives in Vue and Render functions in React to modify them.

html-template

<section>
  <h1>TO DO LIST</h1>
  <div class="todoapp">
    <header class="header">
      <input class="new-todo"
        autofocus autocomplete="off"
        placeholder="What's on your Mind?">
    </header>
    <section class="main">
      <ul class="todo-list">
        <li>
          <div class="view">
            <input class="toggle" type="checkbox">
            <label> Placeholder TEXT </label>
            <button class="destroy"></button>
          </div>
        </li>
      </ul>
    </section>
  </div>
</section>

Getting Started

Let’s first show you how to start using these state management libraries and their basic boilerplate code.

Vuex

Vuex is tightly coupled with VueJS hence there is less boilerplate code for Vuex to get started with.reen frameborder=“0”>

index.js

import Vue from 'vue'
import App from './App.vue'
import store from './store'
import './main.css';
Vue.config.productionTip = false

new Vue({
  store,
  render: h => h(App)
}).$mount('#app')

Redux

Redux is framework agnostic, It is not specific to React. Hence we need to import few other libraries for it to work.
main.js

import React from 'react';
import ReactDOM from 'react-dom';
import App from './components/App';
import { Provider } from 'react-redux';
import { createStore } from 'redux';
import reducer from './reducers';

const store = createStore(
    reducer
    );

ReactDOM.render(<Provider store={store}><App /></Provider>, document.getElementById('root'));

Store and State

Both Vuex and Redux have a single store object which maintains all the application state variables, Let’s see how to create state variables in store.

How Vuex does it

Vuex state is mutable, hence we can directly create state variables and assign values to them.

store.js

import Vue from 'vue';
import Vuex from 'vuex';

Vue.use(Vuex)

export default new Vuex.Store({
  state: {
    todos: []
  }
});

How Redux does it

Redux uses Reducers, whichare pure functions that take the previous state and action, and return the next state. we’ll talk more about this below.

**reducer.js **

var initialState = [];
const todos = (state = initialState, action) => {
  
};

export default todos;

Using these states in our application

Now that we were able to create a state with one TODO item hardcoded, Let’s see how we can use this in our application.

How Vuex does it

Vue has a mapState() helper function to map the states from our Vuex store to our components. These mapped variables can then be accessed directly like normal state variables, though we cannot modify these variables directly.
App.vue

<script>
import { mapState } from 'vuex';
export default {
  name: 'app',
  computed: {
    ...mapGetters(['completedList']),
    ...mapState({
      todoList: state => state.todos
    })
   }
  }
  </script>

store.js

export default new Vuex.Store({
  state: {
    todos: []
  },
  getters: {
    completedList(state) {
      return state.todos.filter(todos => todos.completed === true);
    }
  }
})

If we need to perform some operation on our state variables and get the computed value to use in various components, we can make use of Vuex’s getters by using this in our template:

<li v-for="(item, index) in todoList" 
  :key="item.id" 
  :class="{ completed: item.completed}"
>

How Redux does it

Redux has mapStateToProps() method which is passed to a higher order component connect provided by react-redux library. These states are now accessible as props in our component.

//component
import { connect } from 'react-redux';
const mapStateToProps = (state) => {
  return { todos: state };
}
export default connect(mapStateToProps)(App);

Redux doesn’t provide any similar feature to getters, we can write our own utility methods in a separate file and import them wherever necessary by using this in the template:

renderList() {
return this.props.todos.map(item => {
  return (
    <li key={item.id}
      className={"todo " + (item.completed ? "completed" : "")}
      onClick={() => this.props.toggleCompletion(item.id)}>
    </li>
  )
})
}

Modifying the State

A state variable should not be modified directly. We use special methods to modify/update them so that it can be tracked properly.

How Vuex does it

The only way to actually change state in a Vuex store is by committing a mutation. Vuex mutations are very similar to events; each mutation has a string type and a handler. The handler function is where we perform actual state modifications, and it will receive the state as the first argument.

//store.js
mutations: {
    addItem(state, payload) {
      state.todos.push({id:GLOBAL_ID++, title: payload, completed:   false});
    },
    togglecompletion(state, id) {
      state.todos.forEach( item => {
        if(item.id === id) 
          item.completed = !item.completed;
      })
    },
    removeItem(state, index) {
      state.todos.splice(index, 1);
    }
  }

Mutations also take payload as an optional second argument, If we have to pass more data then we can either send array or objects in payload.

How Redux does it

In Redux the state modification methods are also written in reducers.

//reducer/index.js
const todos = (state = initialState, action) => {
  switch (action.type) {
    case "ADD_ITEM":
      return [
        ...state,
        {
          id: GLOBAL_ID++,
          title: action.title,
          completed: false
        }
      ];
    case "TOGGLE_COMPLETION":
      console.log('action', action);
      return state.map(todo =>
        todo.id === action.id ? { ...todo, completed: !todo.completed } : todo
      );
    case "REMOVE_ITEM":
      return state.filter(todo => todo.id !== action.id);
    default:
      return state;
  }
};

Reducers maintain both state and their modification methods, These methods are called by dispatching actions. These actions also take payload to send data from our application to our Redux store. (Remember, in Redux states are immutable)

//actions/index.js
let nextTodoId = 0;
export const addItem = title => {
  return {
    type: "ADD_ITEM",
    id: nextTodoId++,
    title
  };
};
export const toggleCompletion = id => {
  return {
    type: "TOGGLE_COMPLETION",
    id
  };
};
export const removeItem = id => {
  return {
    type: "REMOVE_ITEM",
    id
  }
};

We also create a new file to store all our actions, This is not a compulsion but it makes our code look more organized. Rather than doing it in the later part of the code, let’s do that now.

Modifying the State from our Components

How Vuex does it

Vuex provides a helper method mapMutations() to access our mutations in the components.

methods: {
 ...mapMutations([
  'addItem', 
  'togglecompletion',
  'removeItem',
 ])
}

After mapping, these methods can then be accessed like normal component methods by using these mutations in our component:

<button class="destroy" @click.stop="removeTodo(index)"></button>
removeTodo: function(index) {
  this.removeItem(index);
}

How Redux does it

Similar to mapStateToProps() Redux provides us with another helper called mapDispatchToProps() passed to our HOC.

const mapDispatcherstoProps = dispatch =>  {
  return {
    toggleCompletion: (id) => dispatch(toggleCompletion(id)),
    removeItem: (id) => dispatch(removeItem(id)),
    addItem: (title)=> dispatch(addItem(title)),
    addItemFromWeb: ()=> dispatch(addItemFromWeb())   
  }
}
export default connect(mapStateToProps, mapDispatcherstoProps)(App);

This method gets dispatch as an argument, this dispatch method is used to commit our actions. These actions are now mapped to local methods which are available through props, as such:

<button className="destroy" 
    onClick={() => this.props.removeItem(item.id)}
/>

Now our TO DO LIST App is completely functional, we can add items, check completed items and remove items.

Making Async Calls

Expanding our TO DO LIST application, let’s say we want to load the list for a user stored in the server, we cannot make a call to the server directly from our Vuex mutations or Redux actions as they are synchronous methods. We need special ways to achieve this.

How Vuex does it

Mutations are pure synchronous functions, we cannot cause side effects in our mutations. To make Async calls, Vuex has actions. Actions are similar to mutations but instead of mutating the state, actions commit mutations.

//store.js
actions: {
    addItemFromWeb(context) {
      axios.get('https://jsonplaceholder.typicode.com/todos/1')
      .then((response) => {
        console.log(response);
        context.commit('addItem', response.data.title)
      })
      .catch((error) => console.log(error));
    }
  }

In the above example, we make use of axios library to make HTTP call.

To use these actions in our components, Vuex provides us with mapActions() helper method.

<button @click="addItemFromWeb"> Async Add </button>
methods: {
    ...mapActions([
      'addItemFromWeb'
    ])
}

How Redux does it

Redux does not provide any out of the box solution as Vuex does, hence we need Middlewares to make Async calls.

To achieve this we use a middleware called redux-thunk. This middleware is very simple it checks whether the action is a function. If it is, then that function is invoked with dispatch. If not, the reducers are called directly.

import { applyMiddleware } from 'redux';
import thunk from 'redux-thunk';
const store = createStore(
   reducer,
   applyMiddleware(thunk),
);

Now in actions.js we create our async function:

export const addItemFromWeb = () => {
    return dispatch => {
        axios.get('https://jsonplaceholder.typicode.com/todos/1')
        .then((response) =>{
            console.log(response);
            dispatch(addItem(response.data.title));
        })
        .catch((error) => {
            console.log(error);
        })
    }
}

Application Management and Scaling

As our application grows we would have more states to manage, we cannot have a single store.js file for Vuex or a single reducer.js file for Redux, we need to modularise our application.

How Vuex does it

Vuex allows us to divide our store into modules. Each module can contain its own state, mutations, actions, getters, and even nested modules.

const moduleA = {
  state: { ... },
  mutations: { ... },
  actions: { ... },
  getters: { ... }
}

const moduleB = {
  state: { ... },
  mutations: { ... },
  actions: { ... }
}

const store = new Vuex.Store({
  modules: {
    a: moduleA,
    b: moduleB
  }
})

store.state.a // -> `moduleA`'s state
store.state.b // -> `moduleB`'s state

Inside a module’s mutations and getters, the first argument received will be the module’s local state.

How Redux does it

We can split our root reducer into multiple reducers and then combine them together. Each reducer will be responsible for managing the states within them.

import { combineReducers } from 'redux' 
import todos from './todos' 
import counter from './counter'
  
let reducers = combineReducers({
todo: todos,
ctr: counter
})
const store = createStore(reducer);
ReactDOM.render(<Provider store={store}><App /></Provider>, document.getElementById('root'));

Redux library provides us with a feature called combineReducers to combine all our reducers into a single reducer. (Note that we cannot directly access the states present in one reducer in another) data required for a reducer should be passed by the component through actions.

Conclusion

We compared two very popular state management libraries, both inspired by Flux architecture, both have the same end goal but takes a different path to achieve it.

I hope that you have found this useful. If so, be sure to leave lots of claps! 👏

Demo App links

Vuex TODO Github

Redux TODO Github

30s ad

Nuxt.js - Vue.js on Steroids

Turn ASP.NET Core Application Into Single-Page Application

Vue and Laravel To-Do App - Restful API Project

Vue.js Fast Crash Course

Learn ECMAScript 2015 - ES6 Best Course

Suggest:

JavaScript for React Developers | Mosh

Getting Closure on React Hooks

Web Development Tutorial - JavaScript, HTML, CSS

Javascript Project Tutorial: Budget App

JavaScript Programming Tutorial Full Course for Beginners

E-Commerce JavaScript Tutorial - Shopping Cart from Scratch