declare const BRAND_SYMBOL: unique symbol; /** * Combine multiple value updates into one "commit" at the end of the provided callback. * * Batches can be nested and changes are only flushed once the outermost batch callback * completes. * * Accessing a signal that has been modified within a batch will reflect its updated * value. * * @param fn The callback function. * @returns The value returned by the callback. */ declare function batch(fn: () => T): T; /** * Run a callback function that can access signal values without * subscribing to the signal updates. * * @param fn The callback function. * @returns The value returned by the callback. */ declare function untracked(fn: () => T): T; /** * The base class for plain and computed signals. */ declare class Signal { constructor(value?: T); subscribe(fn: (value: T) => void): () => void; valueOf(): T; toString(): string; toJSON(): T; peek(): T; brand: typeof BRAND_SYMBOL; get value(): T; set value(value: T); } /** * Create a new plain signal. * * @param value The initial value for the signal. * @returns A new signal. */ declare function signal(value: T): Signal; /** * An interface for read-only signals. */ interface ReadonlySignal extends Signal { readonly value: T; } /** * Create a new signal that is computed based on the values of other signals. * * The returned computed signal is read-only, and its value is automatically * updated when any signals accessed from within the callback function change. * * @param fn The effect callback. * @returns A new read-only signal. */ declare function computed(fn: () => T): ReadonlySignal; /** * Create an effect to run arbitrary code in response to signal changes. * * An effect tracks which signals are accessed within the given callback * function `fn`, and re-runs the callback when those signals change. * * The callback may return a cleanup function. The cleanup function gets * run once, either when the callback is next called or when the effect * gets disposed, whichever happens first. * * @param fn The effect callback. * @returns A function for disposing the effect. */ declare function effect(fn: () => unknown): () => void; export { signal, computed, effect, batch, untracked, Signal, ReadonlySignal };