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-use-zustand

v1.0.25

Published

![version](https://img.shields.io/github/package-json/v/egor6-66/react-use-zustand) ![stars](https://img.shields.io/github/stars/egor6-66/react-use-zustand?style=social) ![forks](https://img.shields.io/github/forks/egor6-66/react-use-zustand?style=socia

Downloads

220

Readme

💾 react-use-zustand

version stars forks last commit code size minzip size download

Description - 🔎 Wrapper over package zustand. Shortens the code, provides hook that returns setter and getter, convenient to work with typescript.

💿 Installation

npm i react-use-zustand

💻 Example

base use

By default, the hook will return us an object with three fields: value, setter, and cleanup. The set method can be passed either a value or a callback. The clear method will reset the values to the values you defined in the "default" object. If you don't define a default value, it will return an undefined value. Data from the storage will also be deleted if you saved it there.

// store
import useZustand, { StoreTypes } from 'react-use-zustand';

interface Store {
  counter: number;
  tree: {
    node: {
      counter: number;
    };
  };
}

const baseStore = useZustand<Store>({
  keys: ['counter', 'tree'],
  default: {
    counter: 0,
    tree: {
      node: {
        counter: 0,
      },
    },
  },
});

export type BaseStoreTypes = StoreTypes<typeof baseStore.use>;
export default baseStore;


//component
import baseStore from './stores/base';

function App() {
  const counter = baseStore.use.counter();
  const tree = baseStore.use.tree();
  
  const mutatePrimitive = () => {
    counter.set((prev) => ++prev);
  };

  const updatePrimitive = () => {
    counter.set(1000);
  };
  
  const mutateObject = () => {
    tree.set((prev) => { ++prev.node.counter });
  };

  const updateObject = () => {
    tree.set({ node: { counter: 100000 } });
  };

  return (
    <>
      <button onClick={updatePrimitive}>update primitive</button>
      <button onClick={mutatePrimitive}>mutate primitive</button>
      <div>{counter.value}</div>
      <button onClick={updateObject}>update object</button>
      <button onClick={mutateObject}>mutate object</button>
      <div>{tree.value.node.counter}</div>
    </>
  );
}

with methods

We can register methods in the store itself to avoid code duplication, for example if we change values from different places.

// store
import useZustand, { StoreTypes } from 'react-use-zustand';

interface User {
  id: number;
  name: string;
}

interface Store {
  users: Array<User>;
}

interface Methods {
  users: {
    add: (user: User) => void;
    getById: (id: number) => User | undefined | any;
    deleteById: (id: number) => void;
  };
}

const storeWithMethods = useZustand<Store, Methods>({
  keys: ['users'],
  default: {
    users: [],
  },
  methods: {
    users: (getState) => ({
      add: (user) => {
        const state = getState();
        state.users.set((prev) => prev.push(user));
      },
      getById: (id) => {
        const state = getState();
        return state.users.value.find((user) => user.id === id);
      },
      deleteById: (id) => {
        const state = getState();
        state.users.set((prev) => {
          const foundIndex = prev.findIndex((user) => user.id === id);
          foundIndex !== -1 && prev.splice(foundIndex, 1);
        });
      },
    }),
  },
});

export type StoreWithMethodsTypes = StoreTypes<typeof storeWithMethods.use>;
export default storeWithMethods;


//component
import storeWithMethods from './stores/withMethods';

function App() {
  const [id, setId] = useState('');

  const users = storeWithMethods.use.users();

  const foundUser = useMemo(() => {
    return users.getById(+id);
  }, [id, users.value.length]);

  const random = Math.floor(Math.random() * 10000);

  return (
    <div>
      <button onClick={() => users.add({ id: random, name: `user-${random}` })}>add</button>
      {users.value.length ? (
        <div>
          <span>search</span>___
          <input type="number" value={id} onChange={(e) => setId(e.target.value)} />
          {foundUser && <span>___{foundUser.name}</span>}
        </div>
      ) : null}
      <ul>
        {users.value.map((user) => (
          <li key={user.id} onClick={() => users.deleteById(user.id)}>
            <span>{user.name}</span>___<button>delete</button>
          </li>
        ))}
      </ul>
    </div>
  );
}

with storage

Storing data in storage. If there is data in the store, the value specified in the “default” object will be ignored.

| Option | Description | value | Default |----------------|----------------------|--------------------------------| ---------| all | save the entire store | boolean | | keys | save individual fields | string[] | | storage | where to save | localStorage or sessionStorage | localStorage | storageName | key | string | |

// store
import useZustand, { StoreTypes } from 'react-use-zustand';

interface User {
  id: number;
  name: string;
}

interface Store {
  users: Array<User>;
}

interface Methods {
  users: {
    add: (user: User) => void;
  };
}

const storeWithStorage = useZustand<Store, Methods>({
  keys: ['users'],
  default: {
    users: [],
  },
  methods: {
    users: (use) => ({
      add: (user) => {
        const { state, updater } = use();
        updater({ users: [user, ...state.users.value] });
      },
    }),
  },
  forStorage: {
    storageName: 'users',
  },
});

export type StoreWithStorageTypes = StoreTypes<typeof storeWithStorage.use>;
export default storeWithStorage;

//component
import storeWithStorage from './stores/withStorage';

function App() {
  const users = storeWithStorage.use.users();

  const random = Math.floor(Math.random() * 10000);

  return (
    <>
      <button onClick={() => users.add({ id: random, name: `user-${random}` })}>add</button>
      <button onClick={users.clear}>clear</button>
      <ul>
        {users.value.map((user) => (
          <li key={user.id}>
            <span>{user.name}</span>
          </li>
        ))}
      </ul>
    </>
  );
}

with async

Inside the store you can do any asynchronous action.

// store
import useZustand, { StoreTypes } from 'react-use-zustand';

interface User {
  id: number;
  name: string;
}

interface Store {
  status: 'pending' | 'success' | 'error' | '';
  users: Array<User>;
}

interface Methods {
  users: {
    getAsyncUsers: () => void;
  };
}

const asyncStore = useZustand<Store, Methods>({
  keys: ['users', 'status'],
  default: {
    status: '',
    users: [],
  },
  methods: {
    users: (getState) => ({
      getAsyncUsers: async () => {
        const state = getState();
        if (state.status.value !== 'pending') {
          state.status.set('pending');
          try {
            const response = await fetch('https://jsonplaceholder.typicode.com/users');
            const users: Array<User> = await response.json();
            state.users.set(users);
            state.status.set('success');
          } catch (e) {
            state.status.set('error');
          }
        }
      },
    }),
  },
  forStorage: {
    keys: ['users'],
    storageName: 'users',
  },
});

export type AsyncStoreTypes = StoreTypes<typeof asyncStore.use>;
export default asyncStore;

//component
import asyncStore from './stores/async';

function App() {
  const users = asyncStore.use.users();
  const status = asyncStore.use.status();

  useEffect(() => {
    users.getAsyncUsers();
  }, []);

  return (
    <div>
      <div>{status.value}</div>

      <ul>
        {users.value.map((user) => (
          <li key={user.id}>
            <span>{user.name}</span>
          </li>
        ))}
      </ul>
    </div>
  );
}

outside the component

You can also change state outside of jsx/tsx component.

// store
import useZustand, { StoreTypes } from 'react-use-zustand';

interface User {
  id: number;
  name: string;
}

interface Store {
  users: Array<User>;
}

interface Methods {
  users: {
    getUsers: (users: Array<User>) => void;
  };
}

const asyncStore = useZustand<Store, Methods>({
  keys: ['users'],
  default: {
    users: [],
  },
  methods: {
    users: (getState) => ({
      getUsers: async (users) => {
        const state = getState();
        state.users.set(users);
      },
    }),
  },
});

export type AsyncStoreTypes = StoreTypes<typeof asyncStore.use>;
export default asyncStore;

//component
import asyncStore from './stores/async';

(async function getUsers() {
  try {
    const response = await fetch('https://jsonplaceholder.typicode.com/users');
    const users: Array<User> = await response.json();
    asyncStore.setStateOutsideComponent({
      users,
    });
  } catch (e) {}
})();

function App() {
  const users = asyncStore.use.users();

  return (
    <div>
      <ul>
        {users.value.map((user) => (
          <li key={user.id}>
            <span>{user.name}</span>
          </li>
        ))}
      </ul>
    </div>
  );
}