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

lumbridge-store

v0.1.3

Published

Improved logic management for React apps.

Downloads

18

Readme

lumbridge-store

🏰 React application management made simple.

npm GitHub react

Installation

Using npm:

npm i --save lumbridge-store

Using yarn:

yarn add lumbridge-store

Then import the helper classes where needed.

import { Store } from 'lumbridge-store';

const store = Store.create({
  // code...
});

API

Config

Each store is configured with a config object:

const config = {
  // options...
};

const store = Store.create(config);

This config object will contain all the information required by the store.

config.schema

  • Type: object
  • Required: true

Describes the shape of the state object and can optionally set validations on that shape.

const store = Store.create({
  schema: {
    // properties...
  },
});

Example:

import { string, boolean, object } from 'yup';

const store = Store.create({
  schema: {
    userId: {
      state: null,
      validate: string(),
    },
    loggedIn: {
      state: false,
      validate: boolean().required(),
    },
    deepExample: {
      state: null,
      validate: object({
        one: string(),
        two: string().required(),
      }),
    },
  },
});

Note: the above example uses the validation library Yup to make thinds easier but you can use any validation function.

Properties:

  • schema[propName].state [any]: the default value of this property.
  • schema[propName].validate [func]: a function which is passed the value to check and should return true if it is valid.

config.actions

  • Type: object
  • Required: false

The actions object is used for more complex state manipulation functions. However, you do not need to use this in order to use the store.

const store = Store.create({
  schema: {
    // properties...
  },
  actions: {
    // actions...
  },
});

Example:

const store = Store.create({
  schema: {
    // token, userId, loggedIn...
  },
  actions: {
    loginUser: ({ token, userId }) => ({
      token,
      userId,
      loggedIn: Boolean(token && userId),
    }),
  },
});

/**
 * Then you can execute the action...
 */
store.dispatch.loginUser({ token, userId });

Properties:

  • actions[actionName] [func]: actions enable you to manipulate multiple store values in one method. This function must return an object which will be used to partially update the state.

Usage

There are a number of methods you can use to update and extract the values of the store.

store.update

  • Type: func
  • Returns: void

Make a partial update to the values of the store.

import { string, boolean } from 'yup';

const store = Store.create({
  schema: {
    fullName: {
      state: null,
      validate: string().nullable(),
    },
    isMember: {
      state: false,
      validate: boolean().required(),
    },
  },
});

store.update({
  fullName: 'Jack Scott',
});

Note: when store.update is called, a new object is created by combining the old values with the new values passed into the update function. This is similar to how this.setState() works in React components.

store.dispatch[actionName]

  • Type: func
  • Returns: void

To improve code reuse and encourage refactoring of your code, actions let you update multiple state values in one go.

const store = Store.create({
  schema: {
    // code...
  },
  actions: {
    startQuest: ({ name, inFalador }) => ({
      questName: inFalador ? `${name} is in Falador!` : `${name} is *not* in Falador!`,
      doingQuest: true,
    }),
  },
})

store.dispatch.startQuest({
  name: 'Jack Scott',
  inFalador: true,
});

Notice how the startQuest action is being set in actions and then is being dispatched by the store later in the code.

store.watch

  • Type: func
  • Returns: unwatch

Pass optional listener functions into this in order to get informative updates on changes in the store.

const store = Store.create(config);

const unwatch = store.watch({
  state: state => console.log(state),
  errors: errors => console.log(errors),
});

const componentWillUnmount = () => unwatch();

Note: when you start watching a store, don't forget to call the unwatch function when the component unmounts and you stop listening for changes (see above code). If you don't unwatch, then you might cause a memory leak.

store.state

  • Type: object

This property gives you access to the internal store values.

const authStore = Store.create(config);

const mainRouter = Router.create({
  routes: {
    home: {
      path: '/',
      exact: true,
      component: HomePage,
      enter: {
        before: () => authStore.state.loggedIn,
      },
    },
  },
});

The above code (using the lumbridge-router) will only allow the use to access the home page when they are logged in.

store.errors

  • Type: object

This property gives you access to errors between the state and the validators.

const userStore = Store.create(config);

const usersRouter = Router.create({
  routes: {
    home: {
      path: '/update',
      component: UserUpdateForm,
      leave: {
        before: () => !Object.keys(userStore.errors).length,
      },
    },
  },
});

The above code only allows users to leave when there are no errors in the store.

store.reset

  • Type: func

This will reset the store to the default schema.

const userStore = Store.create(config);

const logout = () => userStore.reset();

Note: this does not unsubscribe from any of the watch functions.

Packages