There are only two hard things in Computer Science: cache invalidation and naming things. -- PHil Karlton
Why give names to actions when your action and reducer can discriminate an action based on type (e.g., MyJobActionType) ?
export const enum MyJobActionType { MY_JOB = 'MY_JOB', MY_JOB_UI = 'MY_JOB_UI', MY_JOB_DATA_FETCHING = 'MY_JOB_DATA_FETCHING', MY_JOB_DATA_FETCHED = 'MY_JOB_DATA_FETCHED', } export type MyJobAction = IMyJobAction | IMyJobUIAction | IMyJobDataFetchingAction | IMyJobDataFetchedAction; interface IMyJobAction extends Action { type: MyJobActionType.MY_JOB; payload?: { jobId: 'new' | number; }; } interface IMyJobUIAction extends Action { type: MyJobActionType.MY_JOB_UI; ui: React.ComponentClass; } interface IMyJobDataFetchingAction extends Action { type: MyJobActionType.MY_JOB_DATA_FETCHING; } interface IMyJobDataFetchedAction extends Action { type: MyJobActionType.MY_JOB_DATA_FETCHED; data: IPagedDto<IPagedMyJobPostDto>; }
Reducer:
export const myJobViewModelReducer = produce(( draft: IMyJobViewModel = { view : null, model: { gridData: no.data } }, action: MyJobAction ) =>
Action:
async function loadUI(dispatch: Dispatch<MyJobAction>) { const component = (await import(/* webpackChunkName: 'myJob' */ './')).default; const uiAction: MyJobAction = { type: MyJobActionType.MY_JOB_UI, ui : component }; await dispatch(uiAction); }
So don't name things then:
export type MyJobAction = { type: MyJobActionType.MY_JOB; payload?: { jobId: 'new' | number; }; } | { type: MyJobActionType.MY_JOB_UI; ui: React.ComponentClass; } | { type: MyJobActionType.MY_JOB_DATA_FETCHING; } | { type: MyJobActionType.MY_JOB_DATA_FETCHED; data: IPagedDto<IPagedMyJobPostDto>; } ;
Are you worried someone might use the wrong payload (e.g., payload, ui, data) when dispatching an action? Don't worry, TypeScript is a smart language.
data:image/s3,"s3://crabby-images/a30bd/a30bd241531852743e823e7da31228ba3c4c510f" alt=""
And just like that, TypeScript can infer that only the ui property is if a good discriminator is used, e.g., type: MyJobActionType.MY_JOB_UI
data:image/s3,"s3://crabby-images/52324/523241f5ef989b08ae1d8de976fc19ba71f1b357" alt=""
data:image/s3,"s3://crabby-images/cc568/cc56873ec23f9c5903cd0f8b56218cecffdf5f00" alt=""
data:image/s3,"s3://crabby-images/2f3e8/2f3e8b2a27ec1dc69dae6e7406d9f173af9b4a81" alt=""
Finally, correct the properties of the object structure that matches type: MyJobActionType.MY_JOB_UI
data:image/s3,"s3://crabby-images/fac49/fac49ce542766cc50029a0e09293e103f218b500" alt=""
Less interfaces, less names need to come up with.