In this tutorial, we will introduce Pinia
, a lightweight and flexible state management library for Vue.js applications. Pinia is an alternative to Vuex, the most common state management library in the Vue ecosystem. You will learn how to set up Pinia in a Vue.js project, create a store, and how to use it in your Vue components.
By the end of this tutorial, you will have a clear understanding of how to manage state in your Vue.js applications using Pinia.
Prerequisites:
- Basic knowledge of JavaScript and Vue.js
- Node.js and npm installed on your machine
- Vue CLI installed globally
First, we create a new Vue project using Vue CLI:
vue create pinia-project
Navigate into your project directory and install Pinia
:
cd pinia-project
npm install pinia
Create a new folder in your src
directory named stores
. Inside the stores
directory, create a new file and name it index.js
.
// src/stores/index.js
import { createPinia } from 'pinia'
export const setupPinia = () => {
return createPinia()
}
In your main.js
file, import and use setupPinia
:
// src/main.js
import { createApp } from 'vue'
import App from './App.vue'
import { setupPinia } from './stores'
createApp(App)
.use(setupPinia())
.mount('#app')
Now our application is ready to use Pinia.
Let's create a simple user
store:
// src/stores/user.js
import { defineStore } from 'pinia'
export const useUserStore = defineStore({
id: 'user',
state: () => ({
name: 'John Doe',
}),
})
To use our user
store in a component, we use the useUserStore
function we exported:
<template>
<div>
<h1>{{ user.name }}</h1>
</div>
</template>
<script>
import { useUserStore } from '../stores/user'
export default {
setup() {
const user = useUserStore()
return { user }
},
}
</script>
After running your application, you should see "John Doe" printed on your screen.
In this tutorial, we have learned how to set up Pinia in a Vue.js application, how to create a simple store, and how to use it in a Vue component. As a next step, you can learn how to add actions and getters to your stores, and how to create complex stores with multiple state properties and methods.
post
store with a posts
array state property. Each post should have a title
and content
.createPost
method to the post
store that adds a new post to the posts
array.For further practice, you can try integrating Pinia with Vue Router and creating complex applications with multiple interconnected stores.
Remember, practice is key in mastering these concepts. Happy Coding!
Resources:
- Pinia Documentation
- Vue Documentation