2021-03-22 00:40:19 +01:00
|
|
|
import { Readable, derived } from "svelte/store";
|
2021-03-21 20:16:40 +01:00
|
|
|
|
2021-03-21 21:38:23 +01:00
|
|
|
interface AsyncReativeData<T, E> {
|
2021-03-21 21:07:35 +01:00
|
|
|
value: Readable<T | null>;
|
|
|
|
error: Readable<E | null>;
|
|
|
|
loading: Readable<boolean>;
|
2021-03-22 00:04:24 +01:00
|
|
|
success: Readable<boolean>;
|
2021-03-21 20:16:40 +01:00
|
|
|
}
|
|
|
|
|
2021-03-21 21:38:23 +01:00
|
|
|
function useAsyncReactive<T, E>(
|
2021-03-21 21:07:35 +01:00
|
|
|
asyncFunction: () => Promise<T>,
|
|
|
|
dependencies: [Readable<unknown>, ...Readable<unknown>[]]
|
2021-03-21 21:38:23 +01:00
|
|
|
): AsyncReativeData<T, E> {
|
2021-03-22 02:44:08 +01:00
|
|
|
const promise = derived(
|
|
|
|
dependencies,
|
2021-03-22 02:58:19 +01:00
|
|
|
(_, set: (value: Promise<T> | null) => void) => set(asyncFunction()),
|
|
|
|
// initialize with null to avoid duplicate fetch on init
|
|
|
|
null
|
2021-03-22 02:44:08 +01:00
|
|
|
);
|
2021-03-21 20:16:40 +01:00
|
|
|
|
2021-03-21 21:07:35 +01:00
|
|
|
const value = derived(
|
|
|
|
promise,
|
2021-03-22 00:40:19 +01:00
|
|
|
($promise, set: (value: T) => void) => {
|
2021-03-22 02:58:19 +01:00
|
|
|
$promise?.then((value: T) => set(value));
|
2021-03-21 21:07:35 +01:00
|
|
|
},
|
|
|
|
null
|
|
|
|
);
|
2021-03-21 20:16:40 +01:00
|
|
|
|
2021-03-21 21:07:35 +01:00
|
|
|
const error = derived(
|
|
|
|
promise,
|
|
|
|
($promise, set: (error: E | null) => void) => {
|
2021-03-22 02:58:19 +01:00
|
|
|
$promise?.catch((error: E) => set(error));
|
2021-03-21 22:06:25 +01:00
|
|
|
return () => set(null);
|
2021-03-21 21:07:35 +01:00
|
|
|
},
|
|
|
|
null
|
|
|
|
);
|
2021-03-21 20:16:40 +01:00
|
|
|
|
2021-03-21 21:07:35 +01:00
|
|
|
const loading = derived(
|
|
|
|
[value, error],
|
2021-03-21 23:45:59 +01:00
|
|
|
(_, set: (value: boolean) => void) => {
|
2021-03-21 21:07:35 +01:00
|
|
|
set(false);
|
|
|
|
return () => set(true);
|
|
|
|
},
|
|
|
|
true
|
|
|
|
);
|
|
|
|
|
|
|
|
const success = derived(
|
|
|
|
[value],
|
2021-03-21 23:45:59 +01:00
|
|
|
(_, set: (value: boolean) => void) => {
|
2021-03-21 21:07:35 +01:00
|
|
|
set(true);
|
|
|
|
return () => set(false);
|
|
|
|
},
|
|
|
|
false
|
|
|
|
);
|
|
|
|
|
2021-03-22 00:40:19 +01:00
|
|
|
return { value, error, loading, success };
|
2021-03-21 20:16:40 +01:00
|
|
|
}
|
|
|
|
|
2021-03-21 21:38:23 +01:00
|
|
|
export default useAsyncReactive;
|