React and TypeScript -enabled shared state distributors leveraging render prop
pattern for ease of access to data.
type annotations in examples are a TypeScript feature. TypeScript is optional, but recommended.
npm i react-whisper
This one is most basic. It is just a state distributor.
import { createStore } from 'react-whisper'
const Store = createStore<number>(0)
const StoreAsString = () => <Store>{value => value.toString()}</Store>
const newValue = 5
Store.next(newValue)
This quite close to what reducer in Redux is. You provide it with values that are not directly put to storage, but reduced and then broadcasted.
import { createReducer } from 'react-whisper'
const Reducer = createReducer<number, { op: 'add' | 'mult', value: number }>(
0,
(state, { op, value }) => ({ add: state + value, mult: state * value}[op])
)
const ReducerAsString = () => <Reducer>{value => value.toString()}</Reducer>
const newValue = 5
Reducer.next({ op: 'add', value: newValue })
This is an asynchronous reducer for most advanced usages. Get a message and release new state. There is no requirement that amount of incoming and outgoing messages must match.
To make it easier to understand, example is as synchronous as possible.
import { createActor } from 'react-whisper'
const Actor = createActor<number, { op: 'add' | 'mult', value: number }>(
0,
async (mailbox, next) => {
let state = 0
for await (const { op, value } of mailbox) {
next(state = ({ add: state + value, mult: state * value }[op]))
}
}
)
const ActorAsString = () => <Actor>{value => value.toString()}</Actor>
const newValue = 5
Actor.next({ op: 'add', value: newValue })