react-atomic-state
Version:
Dead simple React global state management based on use-sync-external-store
94 lines (69 loc) • 2.72 kB
Markdown
# ⚛️ react-atomic-state
Dead simple React global state management based on [`use-sync-external-store`](https://github.com/facebook/react/tree/master/packages/use-sync-external-store).
[](https://github.com/zoontek/react-atomic-state/blob/main/LICENSE)
[](https://www.npmjs.org/package/react-atomic-state)
[](https://bundlephobia.com/result?p=react-atomic-state)
## Installation
```bash
$ npm install --save react-atomic-state
# --- or ---
$ yarn add react-atomic-state
```
## ❓Motivation
I'm a **huge** fan of the _"state and props"_ couple, but sometimes I need to share a simple value to my entire application.<br />
As I'm not a fan of the `Context` API and found existing global state management libraries overkill to me most of the times, I decided to publish this small library to cover this specific need 🙌.
## Usage
```tsx
// states/count.ts
import { atom, useAtom, useAtomWithSelector } from "react-atomic-state";
const count = atom(0);
export const decrement = () => count.set((prevCount) => prevCount - 1);
export const increment = () => count.set((prevCount) => prevCount + 1);
const unsubscribe = count.subscribe((value) => {
console.log(value); // log every update
});
// create a custom hook
export const useCount = () => useAtom(count);
// create a custom hook with selector
// (not to create a complex object store - it's often better to create multiple atoms, but to derive data)
export const useStringCount = () =>
useAtomWithSelector(count, (count) => count.toString());
```
```tsx
import { decrement, increment, useCount } from "./states/count.ts";
const Counter = () => {
const count = useCount();
return (
<div>
<span>count: {count}</span>
<button onClick={decrement}>-1</button>
<button onClick={increment}>+1</button>
</div>
);
};
```
## API
### atom()
```ts
type atom = <Value>(initialValue: Value) => {
get: () => Value;
set: (value: Value | ((prevValue: Value) => Value)) => void;
subscribe: (callback: (value: Value) => void) => () => void;
reset: () => void;
};
```
### useAtom()
```ts
type useAtom = <Value>(
atom: Atom<Value>,
isEqual?: (prevValue: Value, nextValue: Value) => boolean,
) => Value;
```
### useAtomWithSelector()
```ts
type useAtomWithSelector = <Value, Selection>(
atom: Atom<Value>,
selector: (value: Value) => Selection,
isEqual?: (prevSelection: Selection, nextSelection: Selection) => boolean,
) => Value;
```