Is a minimal yet powerful React hook for managing both local and global state β with zero boilerplate.
- π§  Feels like useState, so it's instantly familiar.
- π« No Providers. No Context. No extra setup.
- β‘ Scales globally without wrappers or nested trees.
- π§© Works with any state shape: primitives, arrays, objects, deeply nested structures.
- π Supports setState(prev => ...)logic.
- π§Ό Built with TypeScript and powered by useSyncExternalStoreandfull-copyfor deep reactivity and immutability.
It's a native and lightweight alternative to Zustand, Redux Toolkit, React Context, React useReducer and even useState itself β perfect for projects that need power and simplicity without the overhead.
π Want to understand use-s-react in depth?
π Visit the useS Documentation
Install via npm or your preferred package manager:
npm i use-s-react
import { useS } from "use-s-react";const [count, setCount] = useS(0);const [count, setCount] = useS({ value: 0, key: 'global-counter' });It is recommended to always pass the same reference of the initial value to useS instead of declaring the initial value directly inside the hook to improve performance.
A good way to do this is by declaring an initialValue in your component or a centralized store.ts for the global state of your application:
// store.ts
export const store = {
  globalCounter: {
    value: 0,
    key: 'global-counter',
  },
  globalUser: {
    value: {
      name: "John",
      age: 30,
    },
    key: 'global-user',
  }
};
// Then import the hook
import { store } from "./store";
// And use it in your Component:
const [count, setCount] = useS(store.globalCounter); // Global
const [countLocal, setCountLocal] = useS(store.globalCounter.value); // Localimport { useS } from "use-s-react";
export function ComponentA() {
  const [count, setCount] = useS({ value: 0, key: 'global-counter' });
  return (
    <div>
      <h3>Component A</h3>
      <p>Count: {count}</p>
      <button onClick={() => setCount(prev => prev + 1)}>Increment</button>
    </div>
  );
}import { useS } from "use-s-react";
export function ComponentB() {
  const [count] = useS({ value: 0, key: 'global-counter' });
  return (
    <div>
      <h3>Component B</h3>
      <p>Count from A: {count}</p>
    </div>
  );
}- Updates are deep-merged using full-copy, preserving nested structures:
setUser({ info: { lang: "es" } }); // doesn't erase other info keys- You can also return a new state based on the previous:
setUser(prev => ({
  info: {
    lang: prev === 'en' ? 'es' : 'en',
    },
  })
);- Destructuring deeply
const [{ name, age }, setUser] = useS({
  value: {
    name: "John",
    age: 20
  },
  key: "global-user"
});- Infer state typing based on initial value
useS shares a mutable reference to the component that is not the original state, which prevents you from breaking the no-mutation rule and allows you to do things like this:
const initialValue = new Set([1, 2, 3, 4]);
export function LocalStateTypeSet() {
  const [mySet, setMySet] = useS(initialValue);
  const handleAddItem = () => {
    mySet.add(5); // mutating the mySet state directly
    setMySet(mySet); // setting the mutated state to generate a valid change
  };
  return (
    <div>
      <p data-testid="display">Items:{Array.from(mySet).join("-")}</p>
      <button onClick={handleAddItem}>Add Item</button>
    </div>
  );
}You can do the same with other supported data types such as: array | object | map | date | regexp.
Starting with version 2.3.0, useS allows an optional parameter in the global state configuration that allows that state to be stored in the web browser's Local Storage.
const [count, setCount] = useS({ value: 0, key: 'global-counter', persist: true });This allows useS to read localStorage to load previously stored valid values, as well as save new updates each time setState is executed.
Use debugGlobalStore() to inspect all global state in the console:
import { debugGlobalStore } from "use-s-react";
useEffect(() => {
  debugGlobalStore(); // logs all keys
  debugGlobalStore({ filterKey: "global-user" }); // only "global-user"
  debugGlobalStore({ consoleLog: true }); // plain logs
}, []);β Fully compatible with React Native β debugGlobalStore() gracefully falls back to console.log when console.table is not available.
Starting with version 2.3.0, debugGlobalStore() displays the keys that are being persisted in localStorage.
π console.table will be used when possible for better clarity.
useS(initialValue: T)
Creates a local state, just like useState (but with super powers).
useS({ value: T; key: string })
Makes the state globally available for use by other components. The key must be unique.
useS supports an optional second configuration parameter that gives developers control over the default enhancements the hook provides.
useS(initialValue: T || { value: T; key: string },
  {
    mutableIn?: boolean;
    mutableOut?: boolean;
    forceUpdate?: boolean;
  }
)- 
mutableIndefaults to false. This means useS creates a clone of the initial value, and that new reference is used to create the state. This ensures immutability on input, allowing the developer to freely mutate the initial value elsewhere in the code without affecting the state. IfmutableIn = true, useS will use the same reference of the initial value passed into the hook when creating the state.
- 
mutableOutdefaults to false. This means useS returns a clone of the original state. This ensures immutability on output, letting you mutate that returned value inside the component without affecting the state. IfmutableOut = true, useS returns the original state instead.
- 
forceUpdatedefaults to false. This means that inside setState, useS validates the new value, and if itβs an object, it treats it as a partial of the previous value and merges it accordingly. IfforceUpdate = true, anything you pass to setState will be used to update the state, with the same restrictions as Reactβs default useState.
MIT Β© ChristBM
