Files
cannaiq/frontend/node_modules/es-toolkit/dist/function/retry.d.ts
2025-11-28 19:45:44 -07:00

78 lines
2.9 KiB
TypeScript

interface RetryOptions {
/**
* Delay between retries. Can be a static number (milliseconds) or a function
* that computes delay dynamically based on the current attempt.
*
* @default 0
* @example
* delay: (attempts) => attempt * 50
*/
delay?: number | ((attempts: number) => number);
/**
* The number of retries to attempt.
* @default Number.POSITIVE_INFINITY
*/
retries?: number;
/**
* An AbortSignal to cancel the retry operation.
*/
signal?: AbortSignal;
}
/**
* Retries a function that returns a promise until it resolves successfully.
*
* @template T
* @param {() => Promise<T>} func - The function to retry.
* @returns {Promise<T>} A promise that resolves with the value of the successful function call.
*
* @example
* // Basic usage with default retry options
* retry(() => fetchData()).then(data => console.log(data));
*/
declare function retry<T>(func: () => Promise<T>): Promise<T>;
/**
* Retries a function that returns a promise a specified number of times.
*
* @template T
* @param {() => Promise<T>} func - The function to retry. It should return a promise.
* @param {number} retries - The number of retries to attempt. Default is Infinity.
* @returns {Promise<T>} A promise that resolves with the value of the successful function call.
*
* @example
* // Retry a function up to 3 times
* retry(() => fetchData(), 3).then(data => console.log(data));
*/
declare function retry<T>(func: () => Promise<T>, retries: number): Promise<T>;
/**
* Retries a function that returns a promise with specified options.
*
* @template T
* @param {() => Promise<T>} func - The function to retry. It should return a promise.
* @param {RetryOptions} options - Options to configure the retry behavior.
* @param {number | ((attempts: number) => number)} [options.delay=0] - Delay(milliseconds) between retries.
* @param {number} [options.retries=Infinity] - The number of retries to attempt.
* @param {AbortSignal} [options.signal] - An AbortSignal to cancel the retry operation.
* @returns {Promise<T>} A promise that resolves with the value of the successful function call.
*
* @example
* // Retry a function with a delay of 1000ms between attempts
* retry(() => fetchData(), { delay: 1000, times: 5 }).then(data => console.log(data));
*
* @example
* // Retry a function with a fixed delay
* retry(() => fetchData(), { delay: 1000, retries: 5 });
*
* // Retry a function with a delay increasing linearly by 50ms per attempt
* retry(() => fetchData(), { delay: (attempts) => attempt * 50, retries: 5 });
*
* @example
* // Retry a function with exponential backoff + jitter (max delay 10 seconds)
* retry(() => fetchData(), {
* delay: (attempts) => Math.min(Math.random() * 100 * 2 ** attempts, 10000),
* retries: 5
* });
*/
declare function retry<T>(func: () => Promise<T>, options: RetryOptions): Promise<T>;
export { retry };