• Stars
    star
    165
  • Rank 228,906 (Top 5 %)
  • Language
    JavaScript
  • Created about 5 years ago
  • Updated almost 2 years ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

Vuex alternative based on Vue.observable()

vue-stator

npm version npm downloads Circle CI Codecov

A lightweight, nearly drop-in replacement for Vuex.

npm i vue-stator --save

See documentation for Vue.js or Nuxt.js.

Stator is the stationary part of the rotary system - thanks to @pimlie for the awesome name suggestion.

No more mutations

vue-stator uses Vue.observable() under the hood, which means assignments and Array changes will automatically trigger updates. So instead of actions and mutations, vue-stator only lets you define actions. To make transition from Vuex easy, it introduces a new function signature for actions that help making them look like mutations if needed.

Say you have a store/actions.js file defining global actions:

export function myAction ({ state, actions }, param) {
  state.param = param // mutates!
  actions.otherAction()
}

export function otherAction ({ state }, param) {
  state.paramDoubled = param * 2 // mutates!
}

The first argument is the local module context, the store object itself (and root state/getters/actions) is accessible from the this value within the action. This means that if you need to access the global $state, $actions or $getters you can access them using eg this.$state

Unified state and modularization

vue-stator introduces the possibility of having a unified state object. Instead of shuffling across subdirectories looking for different state definitions, you could now have a single place to look at: store/state.js.

Still, the ability to group actions and getters by a key is convenient. vue-stator fully supports module syntax which can define their own state, getters and/or actions.

In practice, this just means you can define module actions where the first argument is a context object containing:

  • state: the state for the current vue-stator module or the root state
  • getter: the getters for the current vue-stator module or the root getters
  • actions: the actions for the current vue-stator module or the root actions
import { plugin as VueStator } from 'vue-stator'

Vue.use(VueStator, {
  state: () => ({
    rootKey: 'a',
    auth: {
      user: null,
      loggedIn: false
    }
  }),
  modules: {
    auth: {
      actions: {
        login ({ state }, user) {
          state.user = user
          state.loggedIn = false

          this.$state.rootKey = 'b'
        }
      }
    }
  }
}

Again notice how state is a direct reference to $state.auth, to recap:

  • The state property of the first argument is the state key that matches the module namespace
  • this.$state is the the root state

In Nuxt.js if you need to access properties from the Nuxt content (e.g. $axios or $http), then you need to provide the inject module option in your nuxt.config. See our Nuxt.js docs for more information

Beware: in Vuex, dispatching actions will always return a Promise.

In vue-stator, that's optional. If you have code that expects an action to return a Promise (by following it with .then(), for instance), make sure to return Promise.resolve() instead. Or, you can also simply switch to async/await syntax and it will work just fine.

Vue Devtools

vue-stator also has vue devtools integration. You can pass devtools: false as store option if you want to disable this. By default the value of Vue.config.devtools is used (which is false in production)

Due to differences between Vuex and vue-stator there are some remarks:

  • reverting to a previous state doesnt reset newly added keys after that state
  • getters are shown as an object tree of the modules you use

Vuex-like helpers

import { mapState, mapActions, mapGetters } from 'vue-stator'

vue-stator packs mapState, mapActions and mapGetters, which accept a dictionary of method mappings, eg (['method', 'module/namespace/method'])

You have access to everything directly in Vue's context though.

That is, you can just reference $state.something in your Vue template and it'll work.

statorMap component option

You can enable a mixin helper by passing { mixin: true } to your plugin options. Instead of calling mapState etc in your components you can now just add a statorMap option in your component:

// App.vue
Vue.use(VueStator, { mixin: true })

// my-component.vue
<script>
export default {
  statorMap: {
    // omitting the namespace is the default behaviour
    // set this to false if you dont want to omit the namespace,
    // then the properties will be available as: this['my/module/nonAliasedKey']
    //omitNamespace: true,
    state: {
      my: {
        module: {
          nonAliasedKey: true,
          aliasedKey: 'theModuleKey'
        }
    },
    getters: [
      'rootGetter',
      'my/module/myGetter'
    ],
    actions: ['myAction']
  },
  mounted () {
    this.nonAliasedKey
    this.aliasedKey
    this.rootGetter
    this.myGetter
    this.myAction()
  }
}
</script>

You can also use a function for statorMap in case you need to eg map different state for eg Server-side or Client-side

  statorMap() {
    if (process.client) {
      return { ... }
    }
    return { ... }
  }

Runtime helpers

vue-stator also provides some helper methods to interact with the store more easily.

  • $stator.subscribe('module/key', callback) To quickly subscribe to specific state updates. This uses Vue.$watch under the hood

  • $stator.registerModule(module, moduleName) To dynamically register a store module. The moduleName can be ommitted if your module already contains a name property

  • $stator.unregisterModule(moduleName) To dynamically unregister a store module

  beforeCreate () {
    this.$stator.registerModule({
      name: 'my/module',
      state () {
        return {
          key: true
        }
      }
    })

    // or

    this.$stator.registerModule({
      state () {
        return {
          key: true
        }
      }
    }, 'my/module')
  },
  mounted () {
    this.$state.my.module.key // true
  },
  destroyed () {
    this.$stator.unregisterModule('my/module')
  }

Getters

In a further effort to make transition from Vuex, modularized getters are available in a similar fashion. The arguments passed to getter functions have the exact same signature as Vuex.

import { plugin as VueStator } from 'vue-stator'

Vue.use(VueStator, {
  state: () => ({
    user: {
      firstName: 'John',
      lastName: 'Doe'
    },
  }),
  modules: {
    user: {
      getters: {
        isFirstNameValid: state => state.firstName.length > 0,
        isLastNameValid: state => state.lastName.length > 0,
        isValid: (_, getters) => getters.isFirstNameValid && getters.isLastNameValid,
        fullName (state, getters, rootState, rootGetters) {
          if (getters.isValid) {
            return `${state.firstName} ${state.lastName}`
          }

          /* below is for example purposes only, you dont need to use the root keys here */
          if (rootGetters.user.isFirstNameValid) {
            return rootState.user.firstName
          }

          return state.lastName
        }
      }
    }
  }
}

Storage helpers

If you need your state to always be comitted to a storage provider, vue-stator provides a configuration option which will automatically store and restore that state on changes

const statorConfiguration = {
  storage: {
    provider: {
      getItem (key) {
        // do something
      },
      setItem (key, value) {
        // do something
      }
    },
    namespaces: [
      'key',
      'module/key'
    ]
  }
}

Or if you need to use multiple storage providers

const statorConfiguration = {
  storage: [
    { // object syntax
      provider () {
        if (process.client) {
          return window.localStorage
        }
      },
      namespaces: [
        'persistent-key',
        'my/module/key'
      ]
    },
    [ // array syntax
      window.sessionStorage, // this will probably fail on SSR, see object syntax
      [ 'temp-key' ]
    ]
  ]
}

Nuxt.js module

Nuxt v2.10+ is required unless you set the module option baseDir to something different then store

Using vue-stator with Nuxt.js is as easy as using it with Vuex: a store will be automatically created by loading files placed in a conventional locations, such as store/state.js.

See full documentation for the Nuxt.js module here.

More Repositories

1

typejuice

Documentation generator for TypeScript Declaration Files inspired by godoc.
JavaScript
269
star
2

fast-vue-ssr

Fast Vue SSR experiment with QuickJS and Rust
Rust
242
star
3

plainbudget

Minimalist Plain Text Budgeting
JavaScript
168
star
4

nuxpress

A Nuxt-based blogging engine and boilerplate
JavaScript
135
star
5

fastify-edge

Use Fastify idioms for writing Cloudflare Workers and Bun servers
JavaScript
97
star
6

xmlwitch

Python implementation of Ruby's builder.
Python
89
star
7

yamlful

YAML-based HTTP client code generation
JavaScript
78
star
8

nuxt-esbuild-module

Nuxt module for enabling ESBuild compilation
JavaScript
67
star
9

fabula

Minimalist server scripts.
JavaScript
54
star
10

quickjam

Starter template for Nuxt apps bundled with an API
JavaScript
43
star
11

unholy

A tiny and unholy Vuex extension for Nuxt.js
JavaScript
39
star
12

fastify-vite-vue-hackernews

Vue
36
star
13

nuxt-static-render

Nuxt module for SSR without rehydration payload
JavaScript
34
star
14

unihead

Fast and minimal JS <head> server-side writer and client-side manager.
JavaScript
25
star
15

rust-nuxt-server-middleware

Example of using Rust as serverMiddleware in Nuxt.js
Rust
22
star
16

jsontypedef

Syntactic sugar for creating JSON Type Definitions, and generating compatible JSON Schema from JTD schemas
JavaScript
17
star
17

fastify-nuxt-api

A Nuxt+Fastify boilerplate for streamlined API calls on SSR, among other goodies
JavaScript
15
star
18

minimon

A minimal Node.js restarter.
JavaScript
9
star
19

nuxt-observable

Demonstrates how to universally hydrate Vue.observable() state in Nuxt.js
JavaScript
8
star
20

nuxt-json-data

Next.js-like JSON-only hydration for Nuxt.js
JavaScript
8
star
21

fluent-env

A convenient wrapper around env-schema and fluent-json-schema.
TypeScript
7
star
22

fastify-esm-loader

A ESM route loader for Fastify
JavaScript
6
star
23

blog

Source code for https://hire.jonasgalvez.com.br
CSS
6
star
24

the-fastify-ssr-workshop

CSS
5
star
25

fast-path-set

A fast drop-in replacement for lodash.set
JavaScript
5
star
26

vite-plugin-dates

Dynamically import date objects as virtual modules
JavaScript
4
star
27

minimal-ts

An example illustrating minimal usage of TypeScript
TypeScript
3
star
28

fastify-apply

Shorthand object syntax for Fastify plugins.
JavaScript
3
star
29

gentle-ssr-intro-examples

3
star
30

nuxt-lazy-inject-scripts

Adds an injectScriptsWhen option to nuxt.config.js
JavaScript
3
star
31

neon-sha256

A study project to get a sense of Rust performance for Node modules
JavaScript
2
star
32

fastify-walk

A minimal Fastify interface to klaw.
JavaScript
2
star
33

nodeconf.remote.2021

Files for my NodeConf Remote 2021 workshop — The Zen of SSR with Fastify
JavaScript
1
star
34

acorn-strip-function

Strip a function from JavaScript source
JavaScript
1
star
35

nuxt-whiterose

Productivity beeper for Nuxt.js projects
JavaScript
1
star
36

multithreaded-quickjs-server-example

Multithreaded QuickJS dummy renderer Rust example
Rust
1
star
37

pitico

A tiny wrapper for the Node.js http module implementing JTD-based validation and JSON serialisation.
JavaScript
1
star