File size: 1,104 Bytes
1e92f2d |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 |
import { createContext, createElement, useContext, useReducer } from 'react';
const createReducerContext = <R extends React.Reducer<any, any>>(
reducer: R,
defaultInitialState: React.ReducerState<R>
) => {
const context =
createContext<[React.ReducerState<R>, React.Dispatch<React.ReducerAction<R>>] | undefined>(
undefined
);
const providerFactory = (props, children) => createElement(context.Provider, props, children);
const ReducerProvider = ({
children,
initialState,
}: {
children?: React.ReactNode;
initialState?: React.ReducerState<R>;
}) => {
const state = useReducer<R>(
reducer,
initialState !== undefined ? initialState : defaultInitialState
);
return providerFactory({ value: state }, children);
};
const useReducerContext = () => {
const state = useContext(context);
if (state == null) {
throw new Error(`useReducerContext must be used inside a ReducerProvider.`);
}
return state;
};
return [useReducerContext, ReducerProvider, context] as const;
};
export default createReducerContext;
|