File size: 1,396 Bytes
25c63d0
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
import type { Stores, StoresValues } from "svelte/store";
import { derived } from "svelte/store";
import { safeOnDestroy } from "./lifecycle";
import { noop } from "./noop";

type EffectOptions = {
	/**
	 * Whether to skip the first run
	 * @default undefined
	 */
	skipFirstRun?: boolean;
};

/**
 * A utility function that creates an effect from a set of stores and a function.
 * The effect is automatically cleaned up when the component is destroyed.
 *
 * @template S - The type of the stores object
 * @param stores - The stores object to derive from
 * @param fn - The function to run when the stores change
 * @param opts {@link EffectOptions}
 * @returns A function that can be used to unsubscribe the effect
 */
export function effect<S extends Stores>(
	stores: S,
	fn: (values: StoresValues<S>) => (() => void) | void,
	opts: EffectOptions = {}
): () => void {
	const { skipFirstRun } = opts;
	let isFirstRun = true;
	let cb: (() => void) | void = undefined;

	// Create a derived store that contains the stores object and an onUnsubscribe function
	const destroy = derived(stores, stores => {
		cb?.();
		if (isFirstRun && skipFirstRun) {
			isFirstRun = false;
		} else {
			cb = fn(stores);
		}
	}).subscribe(noop);

	const unsub = () => {
		destroy();
		cb?.();
	};

	// Automatically unsubscribe the effect when the component is destroyed
	safeOnDestroy(unsub);
	return unsub;
}