Pass a custom hook to createStore
:
const useCounter = createStore(() => {
const [counter, setCounter] = useState(0);
useEffect(...)
const isOdd = useMemo(...);
return {
counter,
isOdd,
increment: () => setCounter(prev => prev + 1)
decrement: () => setCounter(prev => prev - 1)
}
});
and get a singleton store, with a hook that subscribes directly to that store:
const MyComponent = () => {
const {counter, increment, decrement} = useCounter();
}
const AnotherComponent = () => {
const {counter, increment, decrement} = useCounter(); // same counter
}
then wrap your app with a provider:
const App = () => (
<ReusableProvider>
...
</ReusableProvider>
)
Note there is no need to provide the store. Stores automatically plug into the top provider
For better control over re-renders, use selectors:
const Comp1 = () => {
const isOdd = useCounter(state => state.isOdd);
}
Comp1 will only re-render if counter switches between odd and even
useCounter can take a second parameter that will override the comparison function (defaults to shallow compare):
const Comp1 = () => {
const counter = useCounter(state => state, (prevValue, newValue) => prevValue === newValue);
}
Each store can use any other store similar to how components use them:
const useCurrentUser = createStore(() => ...);
const usePosts = createStore(() => ...);
const useCurrentUserPosts = createStore(() => {
const currentUser = useCurrentUser();
const posts = usePosts();
return ...
});
TodoMVC
Current state management solutions don't let you manage state using hooks, which causes you to manage local and global state differently, and have a costly transition between the two.
Reusable solves this by seemingly transforming your custom hooks into global stores.
Using plain context has some drawbacks and limitations, that led us to write this library:
React hooks must run inside a component, and our store is based on a custom hook.
So in order to have a store that uses a custom hook, we need to create a "host component" for each of our stores.
The ReusableProvider
component renders a Stores
component, under which it will render one "host component" per store, which only runs the store's hook, and renders nothing to the DOM. Then, it uses an effect to update all subscribers with the new value.
We use plain pubsub stores under the hood, and do shallowCompare on selector values to decide if we re-render the subscribing component or not.
Notice that the ReusableProvider
uses a Context provider at the top-level, but it provides a stable ref that never changes. This means that changing store values, and even dynamically adding stores won't re-render your app.
We would love your feedback / suggestions Please open an issue for discussion before submitting a PR Thanks