1
1
mirror of https://github.com/theoludwig/p61-project.git synced 2024-07-17 07:00:12 +02:00
p61-project/presentation/presenters/_Presenter.ts

53 lines
1.4 KiB
TypeScript
Raw Permalink Normal View History

2024-03-15 22:48:28 +01:00
import { produce } from "immer"
type Listener<State> = (state: State) => void
2024-03-15 22:48:28 +01:00
type SetStateAction<State> = (state: State) => void
2024-03-15 22:48:28 +01:00
export const FETCH_STATES = ["idle", "loading", "error", "success"] as const
export type FetchState = (typeof FETCH_STATES)[number]
2024-03-15 22:48:28 +01:00
export type ErrorGlobal = "unknown" | null
export abstract class Presenter<State> {
private _state: State
private readonly _initialState: State
private readonly _listeners: Array<Listener<State>>
public constructor(initialState: State) {
2024-03-15 22:48:28 +01:00
this._state = initialState
this._initialState = initialState
this._listeners = []
}
public get initialState(): State {
2024-03-15 22:48:28 +01:00
return this._initialState
}
/**
* @description Set the state of the presenter.
* @param action A function that receives the current state and can update it by mutating it.
* @returns The new state.
*/
public setState(action: SetStateAction<State>): State {
2024-03-15 22:48:28 +01:00
this._state = produce(this._state, action)
this.notifyListeners()
return this._state
}
public subscribe(listener: Listener<State>): void {
2024-03-15 22:48:28 +01:00
this._listeners.push(listener)
}
public unsubscribe(listener: Listener<State>): void {
2024-03-15 22:48:28 +01:00
const listenerIndex = this._listeners.indexOf(listener)
2024-05-02 23:48:47 +02:00
this._listeners.splice(listenerIndex, 1)
2024-03-15 22:48:28 +01:00
}
private notifyListeners(): void {
for (const listener of this._listeners) {
listener(this._state)
}
}
}