Mappers
SyncMapperProvider
& AsyncMapperProvider
are React Components which defines a React Context that allows to Manage State using Flux, an application architecture that handles application states in a unidirectional way.
- Flux is composed basically with:
- Stores: keeps states of the app (or components).
- Mapper: function that changes the State based on an Action (not caring about the previous State).
- Actions: triggers changes in Store.
- Dispatcher: sends Actions to the Store.
- Mainly the bridge between the Store and Components.
- Stores: keeps states of the app (or components).
Each SyncMapperProvider
or AsyncMapperProvider
is equivalent to a Flux stream:
SyncMapperProvider
SyncMapperProvider
is a React “Special” Elements defined by 3 properties:
properties:
initialState
: inception state for the component or a function to create initial state.id ?: string | number | symbol
: constitutes the identifier of theSyncMapperProvider
, which is useful when using more than 1react-reducer-provider
provider.mapper
: a synchronous function that will receive an action to produce a new state.
Identified SyncMapperProvider
:
<SyncMapperProvider
id='someMapper'
mapper={syncMap}
initialState={initialState}
>
{children}
</SyncMapperProvider>
or Singleton SyncMapperProvider
:
<SyncMapperProvider
id='someMapper'
mapper={syncMap}
initialState={initialState}
>
{children}
</SyncMapperProvider>
function syncMap<STATE, [ACTION]>(action: ACTION): STATE
e.g.:
async function syncMap(action) {
switch (action) {
case 'ACTION1':
return someSyncProcess1()
case 'ACTION2':
return someValue
default:
return prevState
}
}
AsyncMapperProvider
AsyncMapperProvider
is a React “Special” Elements defined by 3 properties:
properties:
initialState
: inception state for the component or a function to create initial state.id ?: string | number | symbol
: constitutes the identifier of theAsyncMapperProvider
, which is useful when using more than 1react-reducer-provider
provider.mapper
: an asynchronous function that will receive an action to produce aPromise
of the new state[1].
Identified AsyncMapperProvider
<AsyncMapperProvider
id='someMapper'
mapper={asyncMap}
initialState={initialState}
>
{children}
</AsyncMapperProvider>
or Singleton AsyncMapperProvider
<AsyncMapperProvider
mapper={asyncMap}
initialState={initialState}
>
{children}
</AsyncMapperProvider>
async function asyncMap<STATE, [ACTION]>(action: ACTION): Promise<STATE>
e.g.:
async function asyncMap(action) {
switch (action) {
case 'ACTION1':
return await someAsyncProcess1()
case 'ACTION2':
return someAsyncProcess2()
default:
return prevState
}
}
[1] No check is made for asynchronous reducer/mapper, i.e. use
AsyncMapperProvider
for asynchronous mapper to avoid setting state to aPromise
(unless that is intentional).
Properties change
Any change to the initial Properties for mounted State Providers will be ignored for rendering, in order to improve performance, but not for processing, i.e. props changes will not cause re-rendering, although the new mappers will be used for calculating new states.
id
change is totally ignored.- new
mapper
will be used.- If
mapper
are set tonull
orundefined
, then it will disabled the processor and return the last state achieved for every following dispatching until a newmapper
is set again.
- If
- new
initialState
will be ignored.
If unmounted, olds state will be lost when mounted again and a new fresh state will be used.
A Function as State
To initialize the state as a function, initialState
must be set with a function:
<SyncMapperProvider
id='someNamedMapper'
mapper={syncMap}
initialState={() => (x, y) => x + y}
>
{children}
</SyncMapperProvider>
A example can be checked on line at gmullerb-react-mapper-provider with a function as a state codesandbox:
Mapper Consumption
Dispatcher
Dispatcher
is the proxy between the Remote component and the Mapper, and returns the new State or a Promise of the new State:
Synchronous dispatcher:
const newState = dispatch(action)
Asynchronous dispatcher:
dispatch(action).then(newState => console.info(newState))
If the Mapper returned value is not required:
dispatch(action)
Remember:
when accessing a synchronous Mapper Provider, the dispatcher
will be also a synchronous function.
Online example can be checked on line at gmullerb-react-mapper-provider codesandbox:
Online example can be checked on line at gmullerb-react-mapper-provider codesandbox:
Examples of use can be looked at test files.
when accessing an asynchronous Mapper Provider, the dispatcher
will be also a asynchronous function:
async function dispatch<ACTION>(action: ACTION): Promise<void>
e.g.:
dispatch('ACTION2').then(someProcess())
When the
dispatch
is resolved is an indication that the state was change, but not of any required re-rendering being done.
AnAsyncMapperProvider
example can be checked on line at gmullerb-react-mapper-provider-async codesandbox:
Examples of use can be looked at test files.
Exceptions
If mapper may throw an exception, then the code calling the dispatcher should handle this situations:
synchronous mapper
try {
dispatch('Tag1', 'ACTION1')
..
}
catch(error)
{
..
}
asynchronous mapper
dispatch('Tag1', 'ACTION1')
.then(..)
.catch(error => ..)
}
- Remember you design the mapper, so you must be aware if exceptions are possible.
- In case of exceptions is better to handle them inside mapper.
Extra parameters
Dispatcher can send any number of additional arguments:
Synchronous:
dispatch('ACTION2', arg1, arg2, argN)
Asynchronous:
dispatch('ACTION2', arg1, arg2, argN).then(someProcess())
Then:
- Mapper can have any number of additional parameters, and use them as pleased:
async function map(action, param1, param2, paramN) {
switch (action) {
case 'ACTION1':
return await someAsyncProcess1(param1, param2, paramN)
case 'ACTION2':
return someAsyncProcess2(param1, param2, paramN)
default:
return prevState
}
}
mapper
can even receive no arguments, and be used as simple trigger:
Getting the Dispatcher
Dispatcher will be reachable through:
- Function Components - Hooks:
useMapper
,useMapperDispatcher
anduseMapperState
. - Class Components - HOC:
injectMapper
,injectMapperDispatcher
andinjectMapperState
.
useMapper
useMapper
gives access to both, State and Dispatcher
when using React Function Components.
useMapper(id)
parameters:
id?: string | number | symbol
: constitutes the identifier (name, number or symbol) of theSyncMapperProvider
orAsyncMapperProvider
being accessed.
returns:
a tuple containing:
[0]
: thestate
.[1]
: thedispatcher
.[2]
: the provider id.state
: thestate
.dispatch
: thedispatcher
.provider
: the provider id.
when using a Singleton Provider:
import { useMapper } from "react-reducer-provider";
import React from "react";
export default function SomeComponent1() {
const [state, dispatch] = useMapper();
return (
<button onClick={() => dispatch("ACTION1")}>
Set to 1 (from {state})!
</button>
);
}
or when using an Identified SyncMapperProvider
or AsyncMapperProvider
:
import { useMapper } from "react-reducer-provider";
import React from "react";
export default function SomeComponent1() {
const [state, dispatch] = useMapper("someNamedMapper");
return (
<button onClick={() => dispatch("ACTION1")}>
Set to 1 (from {state})!
</button>
);
}
Trying to reassign
state
,dispatch
,provider
,[0]
,[1]
or[2]
will result in aTypeError: Cannot assign to read only property '..' of object '[object Array]'
Exception.
Trying to add new fields will result in aTypeError: can't define property "..": Array is not extensible
Exception.
For purpose of avoiding re-renders and/or improving performance always use the elements of the tuple as reference, never the tuple perse, keep in mind that the tuple that is returned may change but elements will only change when state changes. Also, can useuseEffect/useMemo/useCallback
. This is not an “issue” when using the elements of the tuple as reference or when usinguse*Dispatcher
oruse*State
.
Online example can be checked on line at gmullerb-react-mapper-provider codesandbox:
useMapperDispatcher
useMapperDispatcher
gives access only to the Dispatcher
when using React Function Components.
useMapperDispatcher(id)
parameters:
id?: string | number | symbol
: constitutes the identifier (name, number or symbol) of theSyncMapperProvider
orAsyncMapperProvider
being accessed.
returns:
- the
dispatcher
of the respective Mapper Provider.
when using a Singleton Provider:
import { useMapperDispatcher } from "react-reducer-provider";
import React from "react";
export default function SomeComponent2() {
const dispatch = useMapperDispatcher();
return <button onClick={() => dispatch("ACTION2")}>Set to -1!</button>;
}
or when using an Identified SyncMapperProvider
or AsyncMapperProvider
:
import { useMapperDispatcher } from "react-reducer-provider";
import React from "react";
export default function SomeComponent2() {
const dispatch = useMapperDispatcher("someNamedMapper");
return <button onClick={() => dispatch("ACTION2")}>Set to -1!</button>;
}
Online example can be checked on line at gmullerb-react-mapper-provider codesandbox:
When usinguseMapper
,useMapperDispatcher
and/oruseReducerState
/useMapperState
, Be Aware that they useReact.useContext
and quote: ‘A component calling useContext will always re-render when the context value changes’, in this case whenstate
changes, therefore when usinguseReducerDispatcher
/useMapperDispatcher
although it not depends “directly” onstate
the component will be re-render whenstate
changes. Final words, useSyncMapperProvider
and/orAsyncMapperProvider
,SyncReducerProvider
and/orAsyncReducerProvider
everywhere is required and useuseReducer
/useMapper
,useReducerDispatcher
/useMapperDispatcher
and/oruseReducerState
/useMapperState
wisely (small scopes, as close to where is required with small amount of children). If children re-render is too expensive thenReact.useMemo
:
const FunComponent1 = () => {
const dispatch = useMapperDispatcher('someMapper')
return React.useMemo(() => (
<RelatedChildComponent
onClick={dispatch}
/>
), [dispatch])
}
useMapperState
useMapperState
gives access only to the State when using React Function Components.
useMapperState(id)
parameters:
id?: string | number | symbol
: constitutes the identifier (name, number or symbol) of theSyncMapperProvider
orAsyncMapperProvider
being accessed.
returns:
- the
state
of the respective Mapper Provider.
when using a Singleton Provider:
import { useMapperState } from "react-reducer-provider";
import React from "react";
export default function SomeComponentN() {
const currentState = useMapperState();
return <div>Current:{currentState}</div>;
}
or when using an Identified SyncMapperProvider
or AsyncMapperProvider
:
import { useMapperState } from "react-reducer-provider";
import React from "react";
export default function SomeComponentN() {
const currentState = useMapperState("someNamedMapper");
return <div>Current:{currentState}</div>;
}
Online example can be checked on line at gmullerb-react-mapper-provider codesandbox:
injectMapper
injectMapper
gives access to both, State and Dispatcher
when using React Class Components.
injectMapper(ComponentClass, injectedPropName, id)
parameters:
ComponentClass: class
: React Component class to be enhanced withreact-reducer-provider
properties.injectedPropName: string
: Name of the property to be injected to the Class component that correspond to the mapper.- Returns a tuple containing the
state
as first element, and thedispatcher
as second element. - Can be any name just be sure to avoid collision with existing names.
- Returns a tuple containing the
id?: string | number | symbol
: constitutes the identifier (name, number or symbol) of theSyncMapperProvider
orAsyncMapperProvider
being accessed.
returns:
Enhanced Component Class with the indicated property, which holds a tuple containing:
[0]
: thestate
.[1]
: thedispatcher
.[2]
: the provider id.state
: thestate
.dispatch
: thedispatcher
.provider
: the provider id.
when using a Singleton Provider:
import { injectMapper } from 'react-reducer-provider'
import React from 'react'
class SomeComponent1 extends React.Component {
render() {
const [ state, dispatch ] = this.props.mapper
return (
<button onClick={() => dispatch('ACTION1')}>
Child{state}
</button>
)
}
}
export default injectMapper(SomeComponent1, 'mapper')
or when using an Identified SyncMapperProvider
or AsyncMapperProvider
:
import { injectMapper } from 'react-reducer-provider'
import React from 'react'
class SomeComponent1 extends React.Component {
render() {
const [ state, dispatch ] = this.props.mapper
return (
<button onClick={() => dispatch('ACTION1')}>
Child{state}
</button>
)
}
}
export default injectMapper(SomeComponent1, 'mapper', 'someNamedMapper')
Trying to reassign
state
,dispatch
,provider
,[0]
,[1]
or[2]
will result in aTypeError: Cannot assign to read only property '..' of object '[object Array]'
Exception.
Trying to add new fields will result in aTypeError: can't define property "..": Array is not extensible
Exception.
For purpose of avoiding re-renders and/or improving performance always use the elements of the tuple as reference, never the tuple perse, keep in mind that the tuple that is returned may change but elements will only change when state changes. This is not an “issue” when using the elements of the tuple as reference or when usinguse*Dispatcher
oruse*State
.
injectMapperDispatcher
injectMapperDispatcher
gives access only to the Dispatcher
when using React Class Components.
injectMapperDispatcher(ComponentClass, injectedPropName, id)
parameters:
ComponentClass: class
: React Component class to be enhanced withreact-reducer-provider
properties.injectedPropName: string
: Name of the property to be injected to the Class component that correspond to the dispatcher.- Can be any name just be sure to avoid collision with existing names.
id ?: string | number | symbol
: constitutes the identifier (name, number or symbol) of theSyncMapperProvider
orAsyncMapperProvider
being accessed.
returns:
- Enhanced Component Class with the indicated property, which holds the dispatcher.
when using a Singleton Provider:
import { injectMapperDispatcher } from 'react-reducer-provider'
import React from 'react'
class ClassComponentA1 extends React.Component {
render() {
return (
<button onClick={() => this.props.dispatch('ACTION1')}>
Click
</button>
)
}
}
const ClassComponent1 = injectMapperDispatcher(ClassComponentA1, 'dispatch')
or when using an Identified SyncMapperProvider
or AsyncMapperProvider
:
import { injectMapperDispatcher } from 'react-reducer-provider'
import React from 'react'
class ClassComponentA1 extends React.Component {
render() {
return (
<button onClick={() => this.props.dispatch('ACTION1')}>
Click
</button>
)
}
}
const ClassComponent1 = injectMapperDispatcher(ClassComponentA1, 'dispatch', 557)
injectMapperState
injectMapperState
gives access only to the State when using React Class Components.
injectMapperState(ComponentClass, injectedPropName, id)
parameters:
ComponentClass: class
: React Component class to be enhanced withreact-reducer-provider
properties.injectedPropName: string
: Name of the property to be injected to the Class component that correspond to the state.- Can be any name just be sure to avoid collision with existing names.
id ?: string | number | symbol
: constitutes the identifier (name, number or symbol) of theSyncMapperProvider
orAsyncMapperProvider
being accessed.
returns:
- Enhanced Component Class with the indicated property, which holds the state.
when using a Singleton Provider:
import { injectMapperState } from 'react-reducer-provider'
import React from 'react'
class ClassComponentA2 extends React.Component {
render() {
return (
<div>
Child{this.props.state}
</div>
)
}
}
const ClassComponent2 = injectMapperState(ClassComponentA2, 'state')
or when using an Identified SyncMapperProvider
or AsyncMapperProvider
:
import { injectMapperState } from 'react-reducer-provider'
import React from 'react'
class ClassComponentA2 extends React.Component {
render() {
return (
<div>
Child{this.props.state}
</div>
)
}
}
const ClassComponent2 = injectMapperState(ClassComponentA2, 'state', 557)
Online example can be checked on line at gmullerb-react-mapper-provider codesandbox: