The remote data concept β
First Approach β
Letβs consider our list of Todo
. Its fetch state can be represented as:
ts
type RemoteTodo = 'pending' | Error | Todo[]
This works perfectly, letβs make it generic:
ts
type RemoteData<T> = 'pending' | Error | T
type RemoteTodo = RemoteData<Todo[]> // β
Okay, but now it is flawed. What happens if we do:
ts
type ApprovalStatus = 'pending' | 'approved'
type Test = RemoteData<ApprovalStatus>
// type Test = 'pending' | Error | 'approved'
Therefore we need to be more specific.
Refining the definition β
Since we are here, there are other problems:
- the
pending
state might take someprogress
- we might trigger the action later and not at the start (form submission for instance), therefore it will not be
pending
straight away but something likenotSent
orinitial
.
We can leverage a discriminated union for that:
ts
// src/spa-client-side/setup/RemoteData.ts
export type RemoteData<T> =
| { state: 'initial' }
| { state: 'pending'; progress?: number }
| { state: 'failure'; error: Error }
| { state: 'success'; value: T }
The final type could still be polished a bit, it is good enough for the demo.
To go further, the pending state could have a stale
value for instance, in case of refetching data.
Now that we have our beautiful type, we will need our state to evolve over time. Our states will transition to
initial -> pending -> (failure (Error) | success (T)) -> pending (refetch) -> β¦
There goes the reactivity system π