The New Default. Your hub for building smart, fast, and sustainable AI software

See now
cover picturing Vue.js Modular State Management: Best Practices for Scalable and Maintainable Store Configuration

Vue.js Modular State Management: Best Practices for Scalable and Maintainable Store Configuration

Jakub Andrzejewski
|   Updated Sep 17, 2025

As modern web applications grow increasingly complex, developers are often faced with managing large, interconnected codebases while maintaining clarity, performance, and scalability. In Vue.js applications development, state management—how data is stored, shared, and updated—is critical in ensuring everything runs smoothly.

As the Vue documentation states, each Vue component instance already “manages” its creative state. It is a self-contained unit with the following parts:

  1. The state, the source of truth that drives our app;

  2. The view, a declarative mapping of the state;

  3. The actions and possible ways the state could change in reaction to user inputs from the view.

Here is a simple representation of the concept of "one-way data flow":

one-way data flow in modular state management

Image Source: www.vuejs.org

However, the simplicity starts to break down when we have multiple components that share a common state:

  • Multiple views may depend on the same piece of state.

  • Actions from different views may need to mutate the same piece of state.

To solve this problem, we could use State Management solutions like Vuex or Pinia, but to use them the most efficiently, we should utilize the concept of Modular State Management.

In this article, we’ll explore what state management in Vue.js is and dive deep into Vue.js modular architecture to provide developers with tools and techniques to implement it effectively. From foundational concepts to step-by-step guides using popular tools, you will learn how to structure state for maximum maintainability. Along the way, we’ll cover common pitfalls, highlight vue.js best practices for state management, and dive into advanced use cases, such as performance optimization and dynamically loaded modules. This guide will equip you with actionable insights to take your Vue.js state management to the next level.

Understanding Modular State Management

Modular state management organizes the application state by dividing it into smaller, self-contained modules, each responsible for managing a specific piece of the application's data and logic. This approach improves code organization, scalability, and maintainability by allowing developers to work on isolated modules independently while maintaining a clear and structured state architecture. 

What is state management in Vue.js?

Analogically, state management in Vue.js refers to the process of organizing and controlling the shared state—or data—of an application across multiple components. In Vue.js, each component has its own local state, but as applications grow, managing data that needs to be shared between components becomes more complex.  We can support modular state management in Vue with tools like Vuex or Pinia, enabling easier debugging, team collaboration, and dynamically loading or reusing state modules as needed.

As your application grows, organizing its state into smaller, self-contained units (modules) rather than keeping everything in a single, centralized store will be crucial. In the case of larger applications, where managing all states in one place can become unwieldy, how to create a modular store in Vue.js becomes a priority as your application grows. Here are a few reasons why:

  1. Scalability: It breaks down the state into logical pieces, making it easier to manage as the app grows.

  2. Reusability: Modules can be reused across various application parts or even in different projects.

  3. Improved Organization: Each module is focused on a specific feature or domain (e.g., authentication, products, cart), keeping code clean and maintainable.

  4. Separation of Concerns: Each module can independently handle its state, mutations, actions, and getters.

  5. Better Maintainability: It is easier to locate and fix issues in specific parts of the application.

  6. Independent Development: Teams can work on different modules without conflicts.

  7. Improved Testing: Modules can be tested individually.

  8. Easier Scaling: Adding new features becomes simpler by adding new modules instead of modifying a monolithic store.

Modular state management is essential for building scalable and maintainable Vue applications, especially as complexity grows. By following Vue.js state management best practices, developers can create scalable state management in Vue.js that is clean, maintainable, and future-proof.

Vuex vs. Pinia: What is the Best Tool for Vue.js State Management

State management is a key aspect of building Vue applications, and the right choice depends on your app's size, complexity, and long-term needs. There are two popular production-ready solutions for handling state: Vuex and Pinia. In this section, you will learn the differences between them.

Vuex: Simplify Your Vue.js State Management

Vuex is a state management library for Vue.js applications designed to centralize and manage shared state across components. It follows a unidirectional data flow pattern and integrates deeply with Vue, making it easy to operate and track state changes in a predictable manner. 

Why use Vuex for state management? Vuex is particularly useful for medium to large applications where multiple components must share and synchronize data. There are a few core concepts of Vuex that ensure maintainable state management in Vue and are good to know:

State: The single source of truth in Vuex. It stores the shared data for the application, allowing all components to access it.

Getters: Similar to computed properties in Vue, getters are used to derive or filter data from the state.

Mutations: They’re the only way to change the state in Vuex. Mutations are synchronous and allow Vue DevTools to track state changes.

Actions: They are used for asynchronous operations (like API calls) before committing mutations to change the state.

Modules - Vuex allows you to break the store into smaller, modular chunks for better organization, especially in large applications.

Vuex works in the following way:

  • Centralized Store: Vuex uses a single store to manage the entire application’s state, ensuring that data is consistent across components.

  • Component Interaction: Components can access state, dispatch actions, and commit mutations via the Vuex store.

  • Unidirectional Data Flow: State flows from the store to the components, and components can update the state only through mutations, making the flow predictable and easier to debug.

The architecture of Vuex is well depicted in the image below:

vuex architecture vuejs state management

Image Source: www.vuejs.org/guide/

To use Vuex in your project, you would first need to define a store. To configure a modular Vuex store, you need to define feature-specific modules and then integrate them into a centralized store. This is how:

// store/index.js
import { createStore } from 'vuex';

export const store = createStore({
  state: {
    count: 0,
  },
  getters: {
    doubleCount: (state) => state.count * 2,
  },
  mutations: {
    increment(state) {
      state.count++;
    },
  },
  actions: {
    incrementAsync({ commit }) {
      setTimeout(() => {
        commit('increment');
      }, 1000);
    },
  },
});

Then, use it in your Vue component/page.

<template>
  <div>
    <p>Count: {{ $store.state.count }}</p>
    <p>Double Count: {{ $store.getters.doubleCount }}</p>
    <button @click="$store.commit('increment')">Increment</button>
    <button @click="$store.dispatch('incrementAsync')">Increment Async</button>
  </div>
</template>

<script>
export default {
  name: "CounterComponent",
};
</script>

This approach enables a scalable Vue store configuration by breaking down functionality into reusable chunks.

With the rise of Vue 3 and newer tools like Pinia, Vuex's complexity has been re-evaluated. While Vuex remains powerful and widely used, many developers now prefer Pinia for its simplicity and modern API. However, Vuex is still a solid choice for teams already familiar with it or for applications with legacy codebases.

Pinia: The Modern Solution for Vue.js State Management

Pinia is a state management library for Vue.js applications, serving as a modern and lightweight alternative to Vuex. It is the modern alternative to Vuex in Vue.js and the official recommendation for Vue.js state management solutions. It provides a way to manage and share application state (data) across components cleanly and efficiently. Pinia was designed to address some of the limitations and complexities of Vuex, offering a simpler and more intuitive API while still supporting powerful features. It comes with several useful features like:

Simpler API: more straightforward syntax than Vuex, making it easier to implement Vue.js modular store configuration. State, getters, and actions are all described in a single, cohesive way.

Composition API Friendly: compatible with Vue 3's Composition API, making it easier to use in modern Vue applications. It can also be used with Vue 2 via a compatibility build.

DevTools Integration: Vue DevTools's debugging and inspection capabilities make it easy to track and manage the application's state.

Modular Stores: Instead of a single, centralized store like Vuex, Pinia supports modular stores, which allow you to break down your state into smaller, more manageable pieces, supporting the Vue.js modular state management. 

TypeScript Support: Enhances type safety for state management in Vue applications and autocompletion out of the box.

SSR Support: Works seamlessly with Server-Side Rendering (SSR) frameworks like Nuxt 3.

No Mutations: Unlike Vuex, Pinia doesn't use mutations, making state updates more straightforward by using actions directly.

Pinia is built around a few essential concepts that make managing application state intuitive and efficient:

  • State - Defines the reactive data that stores and manages the application's state.

  • Getters - Similar to computed properties, getters are used to derive or calculate data from the state.

  • Actions - Methods for modifying the state or handling asynchronous tasks like API calls.

To use Pinia in your project, the first thing you need to do is to define a store:

// stores/counter.js
import { defineStore } from 'pinia';

export const useCounterStore = defineStore('counter', {
  state: () => ({
    count: 0,
  }),
  getters: {
    doubleCount: (state) => state.count * 2,
  },
  actions: {
    increment() {
      this.count++;
    },
  },
});

Then, you can use this store in your Vue component or page like the following:

<script setup>
import { useCounterStore } from './stores/counter';

const counter = useCounterStore();
</script>

<template>
  <div>
    <p>Count: {{ counter.count }}</p>
    <p>Double Count: {{ counter.doubleCount }}</p>
    <button @click="counter.increment">Increment</button>
  </div>
</template>

Pinia is an excellent choice for managing state in Vue applications. With this library, how to create a modular store in Vue.js becomes more straightforward. It combines simplicity, power, and developer-friendly features. It's especially recommended for projects using Vue 3, offering a modern and efficient alternative to Vuex.

Step-by-Step Guide to Modular State Management in Vue.js

Similarly to the previous section, this section will be divided into two subchapters. The first will showcase the implementation of Modular State Management in Vuex, while the second will explore the same process with Pinia.

Implementation of Modular State Management in Vuex

Vuex supports modules through its modules property. Each module is self-contained with its own state, mutations, actions, and getters.

First, let’s create a module store called auth.js. To implement a modular Vuex architecture, enable the namespaced property in your modules for better encapsulation. For example:

// store/modules/auth.js
export default {
  namespaced: true,
  state: {
    user: null,
  },
  mutations: {
    setUser(state, user) {
      state.user = user;
    },
  },
  actions: {
    login({ commit }, user) {
      commit('setUser', user);
    },
  },
};

And cart.js:

// store/modules/cart.js
export default {
  namespaced: true,
  state: {
    items: [],
  },
  mutations: {
    addItem(state, item) {
      state.items.push(item);
    },
  },
};

Next, let’s import them into the global store:

// store/index.js
import { createStore } from 'vuex';
import auth from './modules/auth';
import cart from './modules/cart';

export default createStore({
  modules: {
    auth,
    cart,
  },
});

Finally, if we want to use it in our Vue components or pages, we can do so the following:

<template>
  <div>
    <p>User: {{ user }}</p>
    <p>Cart Items: {{ cartItems.length }}</p>
  </div>
</template>

<script>
import { mapState } from 'vuex';

export default {
  computed: {
    ...mapState('auth', ['user']),
    ...mapState('cart', { cartItems: 'items' }),
  },
};
</script>

And this is how you can implement Modular State Management in Vue with Vuex. In the next section, let’s look at how it can be done with Pinia.

Implementation of Modular State Management in Pinia

Pinia supports modular stores by design. It simplifies Vue.js modular architecture by allowing each store to be defined independently using defineStore, which makes it easy to manage.

First, let’s create a module store called auth.js:

// stores/auth.js
import { defineStore } from 'pinia';

export const useAuthStore = defineStore('auth', {
  state: () => ({
    user: null,
  }),
  actions: {
    login(user) {
      this.user = user;
    },
    logout() {
      this.user = null;
    },
  },
});

And cart.js:

// stores/cart.js
import { defineStore } from 'pinia';

export const useCartStore = defineStore('cart', {
  state: () => ({
    items: [],
  }),
  actions: {
    addItem(item) {
      this.items.push(item);
    },
    removeItem(index) {
      this.items.splice(index, 1);
    },
  },
});

In comparison to Vuex, we don’t need to import these modular stores in the global store, and we can instead use them directly in our Vue components/pages like the following:

<script setup>
import { useAuthStore } from './stores/auth';
import { useCartStore } from './stores/cart';

const auth = useAuthStore();
const cart = useCartStore();
</script>

<template>
  <div>
    <p>User: {{ auth.user }}</p>
    <p>Cart Items: {{ cart.items.length }}</p>
  </div>
</template>

And this is how you can use Pinia to achieve modular state management! It is significantly easier to use and understand while delivering similar functionality. This approach visibly reduces boilerplate and promotes cleaner, more maintainable state management in Vue.

Best Practices for Modular State Management in Vue.js Apps

When building implementing Modular State Management in your Vue/Nuxt project, there are a few Vue.js state management best practices that you should be aware of:

Focus on Single Responsibility: Ensure that each module is designed to handle a single responsibility or a specific feature area. This approach improves maintainability by keeping modules focused and predictable.

Prioritize Pinia for Vue 3 Projects: For projects using Vue 3, Pinia should be the preferred choice due to its cleaner and more intuitive API. Its modern design simplifies Vue.js modular state management and reduces boilerplate code.

Use Namespacing in Vuex: If you're using Vuex, always enable namespacing for your modules. This avoids naming conflicts, ensures clear module boundaries, and allows for more efficient dynamic module registration.

Lean and Modular State: Avoid state overloading by keeping the state lean and modularized. Break your application state into logical pieces to ensure clarity, maintainability, and scalability.

Promote Reusability: Create reusable modules with shared logic to minimize redundancy. Reusability not only saves development time but also makes your application more adaptable to changing requirements.

Document Dependencies Between Modules: If your modules need to interact with one another, thoroughly document their dependencies and communication patterns. This ensures transparency, reduces potential errors, and simplifies debugging for the development team.

Ensuring that you have included these Vue.js state management strategies will contribute to the general quality of your solution, guaranteeing higher stability and maintainability.

Structure Your Nuxt App with Modules and Pinia

A few years ago, I wrote an article on leveraging Modules and Pinia to structure your Nuxt application for greater extensibility and scalability. I will use it as a jumping-off point for this chapter.

After generating the simple Hello World Nuxt application, let’s replace the content of the app.vue page with the following:

<template>
  <div>
    <NuxtPage/>
  </div>
</template>

It will ensure that we will render a page created in our module.

Next, let’s create a simple BlogPost.vue component that will display a simple text passed to it via prop:

<script setup lang="ts">
const props = defineProps({
  blog: {
    type: String,
    required: true
  }
})
</script>

<template>
  <div>
    {{ blog }}
  </div>
</template>

Next, we will create a Pinia module store to store information about our blog:

// modules/blog/stores/store.ts

export const useBlogStore = defineStore({
  id: 'blog-store',

  state: () => ({
    value: 1
  }),

  getters: {
    valueWithName: state => `Value is ${state.value}`
  },

  actions: {
    setNewValue(newValue: number) {
      this.value = newValue
    }
  }
})

Furthermore, let’s create a page that will render the BlogPost.vue component and information stored in the store:

<script setup lang="ts">
const { currentRoute } = useRouter()
const blogStore = useBlogStore()
</script>

<template>
  <section>
    <BlogPost :blog="`Test blog post ${currentRoute.params.id}`"/>
    <span>Current value from blogStore: {{ blogStore.value }}</span>
  </section>
</template>

Finally, let’s wrap everything up in a Nuxt module:

import {
  defineNuxtModule,
  createResolver,
  addImportsDir,
} from '@nuxt/kit'

export default defineNuxtModule({
  name: 'blog-module',
  setup () {
    const { resolve } = createResolver(import.meta.url)

    addImportsDir(resolve('components'))
    addImportsDir(resolve('pages'))

    // Pinia store modules are auto imported
  }
})

As modules are automatically imported in Nuxt, we can use them in our root project. Combining Pinia with the modular Nuxt architecture allows developers to build scalable Vue store configurations. You can define modules in a Nuxt-compatible format and automatically import them into your project, streamlining the setup.

Master Modular State Management to Future-Proof Your Vue Apps

Modular state management is essential for keeping scalable state management in Vue.js. It also makes it easier to maintain the apps as they become more complex. Introducing clarity, structure, and flexibility to your codebase allows developers to efficiently manage and organize application state. 

While both Vuex and Pinia are viable tools for state management, the official Vue documentation now recommends Pinia as the preferred choice. Pinia embraces modern Vue 3 principles, offering a more streamlined approach requiring less boilerplate code while achieving equal or superior results. Modular state management with Pinia can help you build future-proof solutions for handling state in Vue applications, ensuring your projects remain maintainable and scalable as they evolve.

Whether you choose Vuex for its mature ecosystem or Pinia for its modern simplicity, implementing Vue.js store configuration best practices is key to ensuring your project remains stable as it evolves. By following this guide, you’ll not only master Vue.js state management solutions but also build applications that are easier to maintain, extend, and debug. 

For more in-depth guidance on this topic, be sure to explore the additional resources below:

  1. blog.logrocket.com: on complex vue3 state management with Pinia 

  2. tighten.com: state management in vue3 why you should try out Pinia

  3. digitalocean.com: how to manage state in a vue js application with Vuex

Jakub Andrzejewski
Jakub Andrzejewski
Senior Frontend Developer at Monterail
Jakub Andrzejewski is a skilled Vue and Node.js developer with a strong focus on Web Performance optimization. As an active contributor to the Vue and Nuxt communities, Jakub creates Open-Source Software, shares insights through technical articles, and delivers engaging talks at technology conferences around the globe.