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

react-nuance

v3.0.1

Published

An expermimental simple state management solution for react inspired from zustand

Downloads

15

Readme

React-Nuance

An expermimental simple small state management solution for react inspired from zustand version 3

Installation

npm i react-nuance

Create a store and set functions

import { create } from "react-nuance";

const userStore = create((set) => ({
  user: {
    name: "ash",
    age: 10,
  },

  setUserName: (name) => {
    set((state) => {
      return {
        user: {
          ...state.user,
          name: name,
        },
      };
    });
  },
}));

use the store and functions react hooks style

accessing the store in this way will only cause renders on state changes

const user = userStore((state) => state.user);
const setUserName = userStore((state) => state.setUserName);

use the store without causing re-renders

this will provide the store and a set function but updating the store won't cause any re-render

const [store, setStore] = userStore();

fine-grained reactivity using keys

you can provide keys to control how re-render occurs on changes to store

A general example would be

import { create } from "react-nuance";

const catStore = create((set) => ({
  cat: {
    name: "pussy",
    eats: "food",
  },

  setCatName: (name, key) => {
    set((state) => {
      return {
        cat: {
          ...state.cat,
          name: name,
        },
      };
    }, key); // a key is given to filter callbacks to deicide if a re-render is required or not
}));

const catName = catStore((state) => state.cat.name, "mykey"); // mykey is the key name used to derive the atomic cat name state

const setCatName = catStore((state) => state.setCatName);

setCatName("rose", "mykey"); // setCatName is called with myKey as key

// keys can be an array too
setCatName("rose", ["mykey", "mykey2"]);

example with a page showing posts

import { create } from "react-nuance";

const postStore = create((set) => ({
  posts: [
    { id: 1, body: "post 1", liked: "true" },
    { id: 2, body: "post 2", liked: "fasle" },
    { id: 3, body: "post 3", liked: "true" },
    { id: 4, body: "post 4", liked: "fasle" },
  ],

  setPost: (post) => {
    set((state) => {
      return {
        posts: [...state.posts, post],
      };
    });
  },

  setLike: (id) => {
    set((state) => {
      return {
        posts: state.posts.map((post) =>
          post.id === id ? { ...post, liked: !post.liked } : post
        ),
      };
    }, id);
    // here id is the key given to set function to specifically tell which atomic state should be re-renderd on state derived with the same key
  },
}));

The atomic states can be derived as shown below use the same keys for selector function and set functions in store

const id = 1;
const post = postStore(
  (state) => state.posts.find((post) => post.id === id),
  id // id is the key given while deriving the atomic state
);
const setLike = postStore((state) => state.setLike);

setLike(id);

when to use keys with state updates

keys can be used when you want to update a part of the store data but don't want to cause re-render to all other components which uses the store.

with keys you can control re-renders and the store will be up-to-date even if the ui doesn't reflect the changes

example

postStore.js

import { create } from "react-nuance";

const postStore = create((set) => ({
  posts: [
    { id: 1, body: "post 1", liked: "true" },
    { id: 2, body: "post 2", liked: "fasle" },
    { id: 3, body: "post 3", liked: "true" },
    { id: 4, body: "post 4", liked: "fasle" },
  ],

  setPost: (post) => {
    set((state) => {
      return {
        posts: [...state.posts, post],
      };
    });
  },

  setLike: (id) => {
    set((state) => {
      return {
        posts: state.posts.map((post) =>
          post.id === id ? { ...post, liked: !post.liked } : post
        ),
      };
    }, id); //set function is called with unique keys related to posts
  },
}));

export default postStore;

Posts.jsx

"use client";

import { useState } from "react";
import PostItem from "./PostItem";
import postStore from "./postStore";

const Posts = () => {
  const posts = postStore((state) => state.posts);
  const setPost = postStore((state) => state.setPost);

  const [state, setState] = useState(true);

  console.log(posts);

  const handleAddPost = () => {
    const key = Math.random();
    const post = {
      id: key,
      body: `post - ${key}`,
      liked: false,
    };
    console.log(post);
    setPost(post);
  };
  return (
    <>
      <h3>posts</h3>

      {posts.map((post) => (
        <PostItem id={post?.id} key={post?.id} />
      ))}
      <button onClick={handleAddPost}>add post</button>

      <button onClick={() => setState((state) => !state)}>toggle</button>
    </>
  );
};

export default Posts;

PostItem.jsx

import postStore from "./postStore";

const PostItem = ({ id }) => {
  const post = postStore(
    (state) => state.posts.find((post) => post.id === id),
    id
  );
  // atomic store is derived giving a unique id as key
  // this key will be used to control re-renders during setLike calls

  const setLike = postStore((state) => state.setLike);

  const handleLike = () => {
    setLike(id);
  };

  return (
    <>
      <div>
        <p>{post.body}</p>
        <button onClick={handleLike}>{post.liked ? "unlike" : "like"}</button>
      </div>
    </>
  );
};

export default PostItem;

SHARING STATE

From version 3.0 you can share the state between components using the same key for both states

const component1 = () => {
  const key = "myKey";
  const username = someStore((state) => state.user.name, key);

  return <></>;
};

const component2 = () => {
  const key = "myKey";
  const username = someStore((state) => state.user.name, key);

  return <></>;
};

These two componenets will share the same state as same key is used to select the state from the store

GROUPING STATES

From version 3.0 states can be grouped using an array of keys

const GroupReactivity = () => {
  const groupKey = "user_name";
  const prefixes = ["01_", "02_"];
  const keySet = prefixes.map((prefix) => prefix + groupKey);

  return (
    <div>
      {prefixes.map((prefix) => (
        <GroupStateShareComponent
          keySet={keySet}
          key={prefix + groupKey}
          Key={prefix + groupKey} //unique key for each component
        />
      ))}
    </div>
  );
};

An array of keys is used here for state update on multiple components

const GroupStateShareComponent = ({ keySet, Key }) => {
  const userName = someStore((state) => state.user.name, Key);
  const setUserName = someStore((state) => state.setUserName);

  return (
    <div>
      <div>
        <h4>{userName}</h4>
        <button
          onClick={() => {
            setUserName(userName === "ash" ? "sam" : "ash", keySet);
            // set function is called with an array of keys instead of a single key
          }}
        >
          change name
        </button>
      </div>
    </div>
  );
};

changes from v3.0

  • setter functions are not stored in subscribers list
  • existing state can be shared
  • Groups of state can be created

WHAT NOT TO DO

  • KEYS ARE NOT REQUIRED FOR SETTER FUNCTIONS IN THE STORE BECAUSE THERE IS NO NEED TO TRACK THEM
  • TRYING TO RETURN AN ARRAY/OBJECT OF DERIVED STATES FROM THE SELECTOR FUNCTION OF THE STORE WILL RESULT IN INFINTRE RE-RENDER

For more examples check the github repo

https://github.com/Ash-ketchem/React-nuance-examples