npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@cljimenez/vue-localstorage-reactive

v1.0.1

Published

Wrapper to use localStorage reactive in Vue 3

Downloads

7

Readme

Wrapper to use localStorage reactive in Vue 3

Note: All reactiveLocalStorage object created by this plugin uses the same localStorage object, therefore when you creates a vue project with many instance of application (created by createApp function) and you installs this plugin in two or more instances, it will occur side effects when the setItem or removeItem methods are called using the same key in differents instance of the reactiveLocalStorage object.

Example:

import { createReactiveLocalStorageInstaller } from '@cljimenez/vue-localstorage-reactive'

import { createApp } from 'vue'

import App from './App.vue'

const app1 = createApp(App)
const app2 = createApp(App)

app1.use(createReactiveLocalStorageInstaller())
app2.use(createReactiveLocalStorageInstaller())

// Saves the user object into localStorage using the pair 'user' / objectUser
app1.config.globalProperties.$reactiveLocalStorage.setItem('user', objectUser)

// Saves the user object into localStorage using the pair 'user' / objectUser. The objectUser saved by app1 is overwritten by app2.
app2.config.globalProperties.$reactiveLocalStorage.setItem('user', objectUser)

If you want use this plugin in many application instance, the keys used by the differents application instances should be unique.

Example:

import { createReactiveLocalStorageInstaller } from '@cljimenez/vue-localstorage-reactive'

import { createApp } from 'vue'

import App from './App.vue'

const app1 = createApp(App)
const app2 = createApp(App)

app1.use(createReactiveLocalStorageInstaller())
app2.use(createReactiveLocalStorageInstaller())

// Saves the user object into localStorage using the pair 'app1_user' / objectUser
app1.config.globalProperties.$reactiveLocalStorage.setItem(
  'app1_user',
  objectUser,
)

// Saves the user object into localStorage using the pair 'app2_user' / objectUser.
app2.config.globalProperties.$reactiveLocalStorage.setItem(
  'app2_user',
  objectUser,
)

🏠 Homepage

Index

Install

npm install @cljimenez/vue-localstorage-reactive

How to use?

  • Install the plugin.

    import { createReactiveLocalStorageInstaller } from '@cljimenez/vue-localstorage-reactive'
    
    import { createApp } from 'vue'
    
    import App from './App.vue'
    
    const app = createApp(App)
    
    app.use(createReactiveLocalStorageInstaller())

    Note: Always you should create a new Installer using createReactiveLocalStorageInstaller when you use the app.use method

  • Install options.

    When you installs this plugin using:

    app.use(createReactiveLocalStorageInstaller(), options)

    The options object can contain the following attributes:

    • useRefStorage: (boolean). By default is true. When this value is true, the reactiveStorage object is created using ref function; otherwise is used the reactive function.

    • serializer: (object). By default is undefined. This object is used to serializes and unserializes data to save complex object into localStorage.

      The serializer object contains two methods:

      1. serialize(value: any, options?: object): Serializes the data.
      2. parse(value: string, options?: object): Unserializes the data.

      When the value of serializer is undefined, the default serializer used is:

      {
        serialize: (value, options) => {
         const { replacer, space } = options
         return JSON.stringify(value, replacer, space)
        },
        parse: (value, options) => {
         const { reviver } = options
         return JSON.parse(value, reviver)
        },
      }

      You can define your own serializer wrapping an object or static methods that serializes and unserializes data using the structure:

      {
        serialize: (value, options) => {
          // const {option1, option2, ... etc} = options
          // return objectThatSerializesData.methodThatSerializesData(value, option1, option2, ... etc)
        },
        parse: (value, options) => {
          // const {option1, option2, ... etc} = options
          // return objectThatUnserializesData.methodThatUnserializesData(value, option1, option2, ... etc)
        }
      }

      You can use serializers like JSON with replacer and reviver functions, @cljimenez/json-serializer-core with @cljimenez/json-serializer-base-serializers, others.

  • About the ReactiveLocalStorage methods

    The ReactiveLocalStorage object provides an interface similar to the Storage interface, this methods are:

    • (getter) length: Obtains the number of elements saved in reactiveLocalStorage.
    • (method) key(index): Returns the key in nth position into reactiveLocalStorage.
    • (method) getItem(key, parseOptions = {}): Returns the parsed key's value saved into reactiveLocalStorage.
    • (method) setItem(key, item, serializeOptions = {}): Saves the pair key/value into reactiveLocalStorage.
    • (method) removeItem(key): Removes the pair key/value from reactiveLocalStorage.
    • (method) clear(): Removes all pairs key/value into reactiveLocalStorage.

    And include others methods:

    • (getter) reactiveStorage: Returns the reactiveStorage object used by reactiveLocalStorage instance.

    • (method) setLoadDataFromLocalStorageParameters(parameters): Sets the parseOptions that will be used to serialize.parse method that will be called into loadDataFromLocalStorage method.

    • (method) loadDataFromLocalStorage(): This method must be used into listener object that listens an event. Sets the data from localStorage into reactiveLocalStorage when the listened event is fired. When the @cljimenez/vue-localstorage-reactive is installed, it is added a loadDataFromLocalStorageListener that is used when the load event is fired by the window object to load the initial data from localStorage into reactiveStorage. The loadDataFromLocalStorageListener uses the loadDataFromLocalStorage method.

      return function loadDataFromLocalStorageListener() {
        reactiveLocalStorage.loadDataFromLocalStorage()
      }
  • Use the composition API:

    You can use the provide / inject functions.

    // main.js
    import { createReactiveLocalStorageInstaller } from '@cljimenez/vue-localstorage-reactive'
    
    import { createApp } from 'vue'
    
    import App from './App.vue'
    
    const app = createApp(App)
    
    app.use(createReactiveLocalStorageInstaller())
    
    app.provide(
      'reactiveLocalStorage',
      app.config.globalProperties.$reactiveLocalStorage,
    )
    // you can use the inject function to access to the reactiveLocalStorage
    object, for example in a MainNav.vue
    
    <script setup>
    import { inject, computed } from 'vue'
    import { RouterLink } from 'vue-router'
    import jwt_decode from 'jwt-decode'
    
    const urlApp = inject('urlApp')
    const apis = inject('apis')
    const reactiveLocalStorage = inject('reactiveLocalStorage')
    
    const home = {
      message: 'Inicio',
      url: { name: urlApp.home.name },
    }
    const signUp = {
      message: 'Registrarse',
      url: { name: urlApp.signUp.name, hash: urlApp.signUp.hash },
    }
    const contact = {
      message: 'Contacto',
      url: { name: urlApp.contact.name },
    }
    const characteristics = {
      message: 'Características',
      url: { name: urlApp.characteristics.name },
    }
    const logout = {
      message: 'Cerrar sesión',
      url: { name: urlApp.logout.name },
    }
    
    const thereIsUser = computed(() => {
      return reactiveLocalStorage.getItem(
        apis.extractorCaracteristicas.storage.accessTokenItem.name,
      )
    })
    
    const obtainInfoUser = computed(() => {
      const accessToken = reactiveLocalStorage.getItem(
        apis.extractorCaracteristicas.storage.accessTokenItem.name,
      )
      if (accessToken) {
        return jwt_decode(accessToken).user_id
      }
      return null
    })
    </script>
    
    <template>
      <!-- Navigation-->
      <nav class="navbar navbar-expand-lg navbar-dark bg-dark fixed-top">
        <div class="container px-5">
          <button
            class="navbar-toggler"
            type="button"
            data-bs-toggle="collapse"
            data-bs-target="#navbarSupportedContent"
            aria-controls="navbarSupportedContent"
            aria-expanded="false"
            aria-label="Toggle navigation"
          >
            <span class="navbar-toggler-icon"></span>
          </button>
          <div class="collapse navbar-collapse" id="navbarSupportedContent">
            <ul class="navbar-nav ms-auto mb-2 mb-lg-0">
              <li v-if="thereIsUser" class="nav-item">
                <span class="nav-link"
                  >Registrado como: {{ obtainInfoUser }}</span
                >
              </li>
              <li v-if="thereIsUser" class="nav-item">
                <RouterLink class="nav-link" :to="characteristics.url">
                  {{ characteristics.message }}
                </RouterLink>
              </li>
              <li v-if="!thereIsUser" class="nav-item">
                <RouterLink class="nav-link" :to="home.url">
                  {{ home.message }}
                </RouterLink>
              </li>
              <li v-if="!thereIsUser" class="nav-item">
                <RouterLink class="nav-link" :to="signUp.url">
                  {{ signUp.message }}
                </RouterLink>
              </li>
              <li class="nav-item">
                <RouterLink class="nav-link" :to="contact.url">
                  {{ contact.message }}
                </RouterLink>
              </li>
              <li v-if="thereIsUser" class="nav-item">
                <RouterLink class="nav-link" :to="logout.url">
                  {{ logout.message }}
                </RouterLink>
              </li>
            </ul>
          </div>
        </div>
      </nav>
    </template>
    // also you can use the reactiveLocalStorage object with vue-router using the inject function.
    
    import { createRouter, createWebHistory } from 'vue-router'
    import { inject } from 'vue'
    import { urlApp } from '../urlApp'
    import { apis } from '../apis'
    import HomeView from '../views/HomeView.vue'
    
    const logout = (to, from, next) => {
      const reactiveLocalStorage = inject('reactiveLocalStorage')
      reactiveLocalStorage.removeItem(
        apis.extractorCaracteristicas.storage.accessTokenItem.name,
      )
      reactiveLocalStorage.removeItem(
        apis.extractorCaracteristicas.storage.refreshTokenItem.name,
      )
      next({ name: urlApp.home.name })
    }
    
    const isAuthenticated = (to, from, next) => {
      const reactiveLocalStorage = inject('reactiveLocalStorage')
      if (
        reactiveLocalStorage.getItem(
          apis.extractorCaracteristicas.storage.accessTokenItem.name,
        )
      ) {
        next()
      } else {
        next({ name: urlApp.home.name })
      }
    }
    
    const isNotAuthenticated = (to, from, next) => {
      const reactiveLocalStorage = inject('reactiveLocalStorage')
      if (
        !reactiveLocalStorage.getItem(
          apis.extractorCaracteristicas.storage.accessTokenItem.name,
        )
      ) {
        next()
      } else {
        next({ name: urlApp.principal.name })
      }
    }
    
    const router = createRouter({
      history: createWebHistory(import.meta.env.BASE_URL),
      routes: [
        {
          path: urlApp.home.path,
          name: urlApp.home.name,
          beforeEnter: [isNotAuthenticated],
          component: HomeView,
        },
        {
          path: urlApp.contact.path,
          name: urlApp.contact.name,
          component: () => import('../views/ContactoView.vue'),
        },
        {
          path: urlApp.information.path,
          name: urlApp.information.name,
          beforeEnter: [isNotAuthenticated],
          component: () => import('../views/DescripcionView.vue'),
        },
        {
          path: urlApp.login.path,
          name: urlApp.login.name,
          beforeEnter: [isNotAuthenticated],
          component: () => import('../views/LoginView.vue'),
        },
        {
          path: urlApp.principal.path,
          name: urlApp.principal.name,
          beforeEnter: [isAuthenticated],
          component: () => import('../views/PrincipalView.vue'),
        },
        {
          path: urlApp.logout.path,
          name: urlApp.logout.name,
          beforeEnter: [isAuthenticated, logout],
        },
      ],
      scrollBehavior(to, from, savedPosition) {
        if (to.hash) {
          return {
            el: to.hash,
            behavior: 'smooth',
          }
        } else if (savedPosition) {
          return savedPosition
        } else {
          return { left: 0, top: 0 }
        }
      },
    })
    
    export default router

Author

👤 Cristopher Jiménez

🤝 Contributing

Contributions, issues and feature requests are welcome!Feel free to check issues page.

📝 License

Copyright © 2023 Cristopher Jiménez. This project is MIT licensed.


This README was generated with ❤️ by readme-md-generator