2021-03-21 21:07:35 +01:00
|
|
|
import { Readable, 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>;
|
|
|
|
pending: Readable<boolean>;
|
|
|
|
success: Readable<boolean>;
|
|
|
|
loading: 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-21 21:07:35 +01:00
|
|
|
const initial = asyncFunction();
|
|
|
|
const promise = derived(dependencies, (_, set) => set(asyncFunction()), initial);
|
2021-03-21 20:16:40 +01:00
|
|
|
|
2021-03-21 21:07:35 +01:00
|
|
|
const value = derived(
|
|
|
|
promise,
|
|
|
|
($promise, set: (value: T | null) => void) => {
|
|
|
|
$promise.then((value: T) => set(value));
|
|
|
|
},
|
|
|
|
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) => {
|
|
|
|
$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 pending = readable(true, (set: (value: boolean) => void) => {
|
|
|
|
initial.finally(() => set(false));
|
|
|
|
});
|
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
|
|
|
|
);
|
|
|
|
|
|
|
|
return { value, error, pending, loading, success };
|
2021-03-21 20:16:40 +01:00
|
|
|
}
|
|
|
|
|
2021-03-21 21:38:23 +01:00
|
|
|
export default useAsyncReactive;
|