DEV Community

Cover image for Adding Pinia to Nuxt 3 🍍 (2023)
Lewis Lloyd
Lewis Lloyd

Posted on

Adding Pinia to Nuxt 3 🍍 (2023)

Introduction

In this post, we'll introduce Pinia, a powerful package for managing your Nuxt app's state in a single place.

Whether you're new to state management solutions or experienced with libraries such as Vuex and Redux, Pinia is definitely worth checking out.

State management

If you've ever found yourself aimlessly trying to manage state through props and events, then the idea of a store may sound appealing:

  • Manage an app's state from a single, centralised store
  • Update and retrieve data through simple actions and getters
  • Subscribe to changes to achieve deep reactivity without much work

This helps to make changes to the app's state predictable and more consistent.

For example, we can store a counter, and then increment it from anywhere by using its store:

Demo of counter component

Pinia

Pinia is a state management library for Vue, with an officially-supported module for Nuxt 3 (@pinia/nuxt). It's also the recommended solution for Vue and Nuxt projects.

Don't just take it from me:

"Pinia is de facto Vuex 5!"

β€” Evan You, creator of Vue (source)

What makes it useful for Vue and Nuxt applications?

  • Deep reactivity by default
  • No explicit mutations (all changes are implicit mutations)
  • Analogous with Options API:
    • Actions (equivalent of methods)
    • Getters (equivalent of computed)

Installation

Official documentation for using Pinia with Nuxt can be found here.

Install the package:

yarn add @pinia/nuxt
Enter fullscreen mode Exit fullscreen mode

Add the module to your Nuxt configuration:

// nuxt.config.ts

export default defineNuxtConfig({
  // ...
  modules: [
    // ...
    '@pinia/nuxt',
  ],
})
Enter fullscreen mode Exit fullscreen mode

Creating a store

Stores are created in a stores/ directory, and defined by using Pinia's defineStore method.

In this example, we have created a store (useCounterStore) and given the store a name (counter). We have then defined our state property (count) with an initial value.

// stores/counter.ts

import { defineStore } from 'pinia'

export const useCounterStore = defineStore('counter', {
  state: () => ({
    count: 0,
  }),
})
Enter fullscreen mode Exit fullscreen mode

It's as simple as that!

Using the store

Pinia offers a few ways to access the store and maintain reactivity.

1. Store instance

In your component's setup(), import the store's useStore() method.

// components/MyCounter.vue

import { useCounterStore } from '@/stores/counter'

export default defineComponent({
  setup() {
    return {
      store: useCounterStore(),
    }
  },
})
Enter fullscreen mode Exit fullscreen mode

You can now access state through the store instance:

// components/MyCounter.vue

<template>
  <p>Counter: {{ store.count }}</p>
</template>
Enter fullscreen mode Exit fullscreen mode

2. Computed properties

To write cleaner code, you may wish to grab specific properties. However, destructuring the store will break reactivity.

Instead, we can use a computed property to achieve reactivity:

// components/MyCounter.vue

export default defineComponent({
  setup() {
    const store = useCounterStore()

    // ❌ Bad (unreactive):
    const { count } = store

    // βœ”οΈ Good:
    const count = computed(() => store.count)

    return { count }
  },
})
Enter fullscreen mode Exit fullscreen mode
// components/MyCounter.vue

<template>
  <p>Counter: {{ store.count }}</p>
</template>
Enter fullscreen mode Exit fullscreen mode

3. Extract via storeToRefs()

You can destructure properties from the store while keeping reactivity through the use of storeToRefs().

This will create a ref for each reactive property.

// components/MyCounter.vue
import { storeToRefs } from 'pinia'
import { useCounterStore } from '@/stores/counter'

export default defineComponent({
  setup() {
    const store = useCounterStore()

    // ❌ Bad (unreactive):
    const { count } = store

    // βœ”οΈ Good:
    const { count } = storeToRefs(store)

    return { count }
  },
})
Enter fullscreen mode Exit fullscreen mode
// components/MyCounter.vue

<template>
  <p>Counter: {{ store.count }}</p>
</template>
Enter fullscreen mode Exit fullscreen mode

Actions

Adding an action

Actions are the equivalent of methods in components, defined in the store's actions property.

// stores/counter.ts

export const useCounterStore = defineStore('counter', {
  state: () => ({
    count: 0,
  }),
  actions: {
    increment() {
      this.count++
    },
  },
})
Enter fullscreen mode Exit fullscreen mode

Using an action

In your component, extract the action from the store.

// components/MyCounter.vue

export default defineComponent({
  setup() {
    const store = useCounterStore()
    const { increment } = store
    const count = computed(() => store.count)
    return { increment, count }
  },
})
Enter fullscreen mode Exit fullscreen mode

The action can easily be invoked, such as upon a button being clicked:

// components/MyCounter.vue

<template>
  <button type="button" @click="increment"></button>
</template>
Enter fullscreen mode Exit fullscreen mode

Getters

Getters are the equivalent of computed in components, defined in the store's getters property.

Adding a getter

Pinia encourages the usage of the arrow function, using the state as the first parameter:

// stores/counter.ts

export const useCounterStore = defineStore('counter', {
  state: () => ({
    count: 0,
  }),
  getters: {
    getCount: (state) => state.count,
  },
  actions: {
    increment() {
      this.count++
    },
  },
})
Enter fullscreen mode Exit fullscreen mode

Using a getter

Similarly to state properties, getters need to be accessed in a way that maintains reactivity.

For instance, you could access it through the store instance:

// components/MyCounter.vue

export default defineComponent({
  setup() {
    const store = useCounterStore()
    return { store }
  },
})
Enter fullscreen mode Exit fullscreen mode
// components/MyCounter.vue

<template>
  <p>Counter: {{ store.getCount }}</p>
</template>
Enter fullscreen mode Exit fullscreen mode

Or, by using a computed property:

// components/MyCounter.vue

export default defineComponent({
  setup() {
    const store = useCounterStore()

    // ❌ Bad (unreactive):
    const { getCount } = store

    // βœ”οΈ Good:
    const getCount = computed(() => store.getCount)

    return { getCount }
  },
})
Enter fullscreen mode Exit fullscreen mode
// components/MyCounter.vue

<template>
  <p>Counter: {{ getCount }}</p>
</template>
Enter fullscreen mode Exit fullscreen mode

Or, by using storeToRefs():

// components/MyCounter.vue
import { storeToRefs } from 'pinia'
import { useCounterStore } from '@/stores/counter'

export default defineComponent({
  setup() {
    const store = useCounterStore()

    // ❌ Bad (unreactive):
    const { getCount } = store

    // βœ”οΈ Good:
    const { getCount } = storeToRefs(store)

    return { getCount }
  },
})
Enter fullscreen mode Exit fullscreen mode
// components/MyCounter.vue

<template>
  <p>Counter: {{ getCount }}</p>
</template>
Enter fullscreen mode Exit fullscreen mode

A complete component

Since we've discussed actions and getters separately, here is a code snippet that combines both in the style that I recommend:

// components/MyCounter.vue

import { useCounterStore } from '@/stores/counter'

export default defineComponent({
  setup() {
    const store = useCounterStore()
    const getCount = computed(() => store.getCount)
    const { increment } = store
    return { getCount, increment }
  },
})
Enter fullscreen mode Exit fullscreen mode
// components/MyCounter.vue

<template>
  <p>Counter: {{ getCount }}</p>
  <button type="button" @click="increment">Increment</button>
</template>
Enter fullscreen mode Exit fullscreen mode

This code has been implemented at lloydtao/nuxt-3-starter/:

Demo of counter component

How do you think your developer experience will be improved? πŸ˜‰


Hey, guys! Thank you for reading. I hope that you enjoyed this.

Keep up to date with me:

Latest comments (3)

Collapse
 
shipanliu profile image
Ted • Edited

according to the newst documentation [pinia.vuejs.org/ssr/nuxt.html], you also need to install pinia

yarn add pinia @pinia/nuxt
npm install pinia @pinia/nuxt
Enter fullscreen mode Exit fullscreen mode
Collapse
 
tao profile image
Lewis Lloyd

thank you. will update ✨

Collapse
 
eckhardtd profile image
Eckhardt • Edited

Great write-ups for Nuxt3! The only thing I might add here is using Pinia in 'setup' function mode.

// stores/counter.ts
import { defineStore } from "pinia";

export const useCounterStore = defineStore("counter", () => {
  const count = ref(0);
  const getDoubleCount = computed(() => count.value * 2);
  const increment = () => (count.value += 1);

  return {
    count,
    getDoubleCount,
    increment,
  };
});
Enter fullscreen mode Exit fullscreen mode

And in the components:

<script lang="ts" setup>
import { useCounterStore } from '~/stores/counter';

const counterStore = useCounterStore();

counterStore.count;
counterStore.getDoubleCount;
counterStore.increment();

</script>
Enter fullscreen mode Exit fullscreen mode

or

<script lang="ts" setup>
import { useCounterStore } from '~/stores/counter';
import {storeToRefs} from "pinia";

const counterStore = useCounterStore();

const { count, getDoubleCount } = storeToRefs(counterStore);
count.value;
getDoubleCount.value;

counterStore.increment();
</script>
Enter fullscreen mode Exit fullscreen mode