@orpc/shared 0.0.0-next.f22c7ec → 0.0.0-next.f397ca2

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,354 @@
1
+ import { Promisable } from 'type-fest';
2
+ export { IsEqual, IsNever, JsonValue, PartialDeep, Promisable } from 'type-fest';
3
+ import { Tracer, TraceAPI, ContextAPI, PropagationAPI, SpanOptions, Context, Span, AttributeValue, Exception } from '@opentelemetry/api';
4
+ export { group, guard, mapEntries, mapValues, omit, retry, sleep } from 'radash';
5
+
6
+ type MaybeOptionalOptions<TOptions> = Record<never, never> extends TOptions ? [options?: TOptions] : [options: TOptions];
7
+ declare function resolveMaybeOptionalOptions<T>(rest: MaybeOptionalOptions<T>): T;
8
+
9
+ declare function toArray<T>(value: T): T extends readonly any[] ? T : Exclude<T, undefined | null>[];
10
+ declare function splitInHalf<T>(arr: readonly T[]): [T[], T[]];
11
+
12
+ /**
13
+ * Converts Request/Response/Blob/File/.. to a buffer (ArrayBuffer or Uint8Array).
14
+ *
15
+ * Prefers the newer `.bytes` method when available as it more efficient but not widely supported yet.
16
+ */
17
+ declare function readAsBuffer(source: Pick<Blob, 'arrayBuffer' | 'bytes'>): Promise<ArrayBuffer | Uint8Array>;
18
+
19
+ type AnyFunction = (...args: any[]) => any;
20
+ declare function once<T extends () => any>(fn: T): () => ReturnType<T>;
21
+ declare function sequential<A extends any[], R>(fn: (...args: A) => Promise<R>): (...args: A) => Promise<R>;
22
+ /**
23
+ * Executes the callback function after the current call stack has been cleared.
24
+ */
25
+ declare function defer(callback: () => void): void;
26
+
27
+ type OmitChainMethodDeep<T extends object, K extends keyof any> = {
28
+ [P in keyof Omit<T, K>]: T[P] extends AnyFunction ? ((...args: Parameters<T[P]>) => OmitChainMethodDeep<ReturnType<T[P]>, K>) : T[P];
29
+ };
30
+
31
+ declare const ORPC_NAME = "orpc";
32
+ declare const ORPC_SHARED_PACKAGE_NAME = "@orpc/shared";
33
+ declare const ORPC_SHARED_PACKAGE_VERSION = "0.0.0-next.f397ca2";
34
+
35
+ /**
36
+ * Error thrown when an operation is aborted.
37
+ * Uses the standardized 'AbortError' name for consistency with JavaScript APIs.
38
+ */
39
+ declare class AbortError extends Error {
40
+ constructor(...rest: ConstructorParameters<typeof Error>);
41
+ }
42
+
43
+ interface EventPublisherOptions {
44
+ /**
45
+ * Maximum number of events to buffer for async iterator subscribers.
46
+ *
47
+ * If the buffer exceeds this limit, the oldest event is dropped.
48
+ * This prevents unbounded memory growth if consumers process events slowly.
49
+ *
50
+ * Set to:
51
+ * - `0`: Disable buffering. Events must be consumed before the next one arrives.
52
+ * - `1`: Only keep the latest event. Useful for real-time updates where only the most recent value matters.
53
+ * - `Infinity`: Keep all events. Ensures no data loss, but may lead to high memory usage.
54
+ *
55
+ * @default 100
56
+ */
57
+ maxBufferedEvents?: number;
58
+ }
59
+ interface EventPublisherSubscribeIteratorOptions extends EventPublisherOptions {
60
+ /**
61
+ * Aborts the async iterator. Throws if aborted before or during pulling.
62
+ */
63
+ signal?: AbortSignal | undefined;
64
+ }
65
+ declare class EventPublisher<T extends Record<PropertyKey, any>> {
66
+ #private;
67
+ constructor(options?: EventPublisherOptions);
68
+ get size(): number;
69
+ /**
70
+ * Emits an event and delivers the payload to all subscribed listeners.
71
+ */
72
+ publish<K extends keyof T>(event: K, payload: T[K]): void;
73
+ /**
74
+ * Subscribes to a specific event using a callback function.
75
+ * Returns an unsubscribe function to remove the listener.
76
+ *
77
+ * @example
78
+ * ```ts
79
+ * const unsubscribe = publisher.subscribe('event', (payload) => {
80
+ * console.log(payload)
81
+ * })
82
+ *
83
+ * // Later
84
+ * unsubscribe()
85
+ * ```
86
+ */
87
+ subscribe<K extends keyof T>(event: K, listener: (payload: T[K]) => void): () => void;
88
+ /**
89
+ * Subscribes to a specific event using an async iterator.
90
+ * Useful for `for await...of` loops with optional buffering and abort support.
91
+ *
92
+ * @example
93
+ * ```ts
94
+ * for await (const payload of publisher.subscribe('event', { signal })) {
95
+ * console.log(payload)
96
+ * }
97
+ * ```
98
+ */
99
+ subscribe<K extends keyof T>(event: K, options?: EventPublisherSubscribeIteratorOptions): AsyncGenerator<T[K]> & AsyncIteratorObject<T[K]>;
100
+ }
101
+
102
+ declare class SequentialIdGenerator {
103
+ private index;
104
+ generate(): string;
105
+ }
106
+ /**
107
+ * Compares two sequential IDs.
108
+ * Returns:
109
+ * - negative if `a` < `b`
110
+ * - positive if `a` > `b`
111
+ * - 0 if equal
112
+ */
113
+ declare function compareSequentialIds(a: string, b: string): number;
114
+
115
+ type SetOptional<T, K extends keyof T> = Omit<T, K> & Partial<Pick<T, K>>;
116
+ type IntersectPick<T, U> = Pick<T, keyof T & keyof U>;
117
+ type PromiseWithError<T, TError> = Promise<T> & {
118
+ __error?: {
119
+ type: TError;
120
+ };
121
+ };
122
+ /**
123
+ * The place where you can config the orpc types.
124
+ *
125
+ * - `throwableError` the error type that represent throwable errors should be `Error` or `null | undefined | {}` if you want more strict.
126
+ */
127
+ interface Registry {
128
+ }
129
+ type ThrowableError = Registry extends {
130
+ throwableError: infer T;
131
+ } ? T : Error;
132
+ type InferAsyncIterableYield<T> = T extends AsyncIterable<infer U> ? U : never;
133
+
134
+ type InterceptableOptions = Record<string, any>;
135
+ type InterceptorOptions<TOptions extends InterceptableOptions, TResult> = Omit<TOptions, 'next'> & {
136
+ next(options?: TOptions): TResult;
137
+ };
138
+ type Interceptor<TOptions extends InterceptableOptions, TResult> = (options: InterceptorOptions<TOptions, TResult>) => TResult;
139
+ /**
140
+ * Can used for interceptors or middlewares
141
+ */
142
+ declare function onStart<T, TOptions extends {
143
+ next(): any;
144
+ }, TRest extends any[]>(callback: NoInfer<(options: TOptions, ...rest: TRest) => Promisable<void>>): (options: TOptions, ...rest: TRest) => T | Promise<Awaited<ReturnType<TOptions['next']>>>;
145
+ /**
146
+ * Can used for interceptors or middlewares
147
+ */
148
+ declare function onSuccess<T, TOptions extends {
149
+ next(): any;
150
+ }, TRest extends any[]>(callback: NoInfer<(result: Awaited<ReturnType<TOptions['next']>>, options: TOptions, ...rest: TRest) => Promisable<void>>): (options: TOptions, ...rest: TRest) => T | Promise<Awaited<ReturnType<TOptions['next']>>>;
151
+ /**
152
+ * Can used for interceptors or middlewares
153
+ */
154
+ declare function onError<T, TOptions extends {
155
+ next(): any;
156
+ }, TRest extends any[]>(callback: NoInfer<(error: ReturnType<TOptions['next']> extends PromiseWithError<any, infer E> ? E : ThrowableError, options: TOptions, ...rest: TRest) => Promisable<void>>): (options: TOptions, ...rest: TRest) => T | Promise<Awaited<ReturnType<TOptions['next']>>>;
157
+ type OnFinishState<TResult, TError> = [error: TError, data: undefined, isSuccess: false] | [error: null, data: TResult, isSuccess: true];
158
+ /**
159
+ * Can used for interceptors or middlewares
160
+ */
161
+ declare function onFinish<T, TOptions extends {
162
+ next(): any;
163
+ }, TRest extends any[]>(callback: NoInfer<(state: OnFinishState<Awaited<ReturnType<TOptions['next']>>, ReturnType<TOptions['next']> extends PromiseWithError<any, infer E> ? E : ThrowableError>, options: TOptions, ...rest: TRest) => Promisable<void>>): (options: TOptions, ...rest: TRest) => T | Promise<Awaited<ReturnType<TOptions['next']>>>;
164
+ declare function intercept<TOptions extends InterceptableOptions, TResult>(interceptors: Interceptor<TOptions, TResult>[], options: NoInfer<TOptions>, main: NoInfer<(options: TOptions) => TResult>): TResult;
165
+
166
+ /**
167
+ * Only import types from @opentelemetry/api to avoid runtime dependencies.
168
+ */
169
+
170
+ interface OtelConfig {
171
+ tracer: Tracer;
172
+ trace: TraceAPI;
173
+ context: ContextAPI;
174
+ propagation: PropagationAPI;
175
+ }
176
+ /**
177
+ * Sets the global OpenTelemetry config.
178
+ * Call this once at app startup. Use `undefined` to disable tracing.
179
+ */
180
+ declare function setGlobalOtelConfig(config: OtelConfig | undefined): void;
181
+ /**
182
+ * Gets the global OpenTelemetry config.
183
+ * Returns `undefined` if OpenTelemetry is not configured, initialized, or enabled.
184
+ */
185
+ declare function getGlobalOtelConfig(): OtelConfig | undefined;
186
+ /**
187
+ * Starts a new OpenTelemetry span with the given name and options.
188
+ *
189
+ * @returns The new span, or `undefined` if no tracer is set.
190
+ */
191
+ declare function startSpan(name: string, options?: SpanOptions, context?: Context): Span | undefined;
192
+ interface SetSpanErrorOptions {
193
+ /**
194
+ * Span error status is not set if error is due to cancellation by the signal.
195
+ */
196
+ signal?: AbortSignal;
197
+ }
198
+ /**
199
+ * Records and sets the error status on the given span.
200
+ * If the span is `undefined`, it does nothing.
201
+ */
202
+ declare function setSpanError(span: Span | undefined, error: unknown, options?: SetSpanErrorOptions): void;
203
+ declare function setSpanAttribute(span: Span | undefined, key: string, value: AttributeValue | undefined): void;
204
+ /**
205
+ * Converts an error to an OpenTelemetry Exception.
206
+ */
207
+ declare function toOtelException(error: unknown): Exclude<Exception, string>;
208
+ /**
209
+ * Converts a value to a string suitable for OpenTelemetry span attributes.
210
+ */
211
+ declare function toSpanAttributeValue(data: unknown): string;
212
+ interface RunWithSpanOptions extends SpanOptions, SetSpanErrorOptions {
213
+ /**
214
+ * The name of the span to create.
215
+ */
216
+ name: string;
217
+ /**
218
+ * Context to use for the span.
219
+ */
220
+ context?: Context;
221
+ }
222
+ /**
223
+ * Runs a function within the context of a new OpenTelemetry span.
224
+ * The span is ended automatically, and errors are recorded to the span.
225
+ */
226
+ declare function runWithSpan<T>({ name, context, ...options }: RunWithSpanOptions, fn: (span?: Span) => Promisable<T>): Promise<T>;
227
+ /**
228
+ * Runs a function within the context of an existing OpenTelemetry span.
229
+ */
230
+ declare function runInSpanContext<T>(span: Span | undefined, fn: () => Promisable<T>): Promise<T>;
231
+
232
+ declare function isAsyncIteratorObject(maybe: unknown): maybe is AsyncIteratorObject<any, any, any>;
233
+ interface AsyncIteratorClassNextFn<T, TReturn> {
234
+ (): Promise<IteratorResult<T, TReturn>>;
235
+ }
236
+ interface AsyncIteratorClassCleanupFn {
237
+ (reason: 'return' | 'throw' | 'next' | 'dispose'): Promise<void>;
238
+ }
239
+ declare const fallbackAsyncDisposeSymbol: unique symbol;
240
+ declare const asyncDisposeSymbol: typeof Symbol extends {
241
+ asyncDispose: infer T;
242
+ } ? T : typeof fallbackAsyncDisposeSymbol;
243
+ declare class AsyncIteratorClass<T, TReturn = unknown, TNext = unknown> implements AsyncIteratorObject<T, TReturn, TNext>, AsyncGenerator<T, TReturn, TNext> {
244
+ #private;
245
+ constructor(next: AsyncIteratorClassNextFn<T, TReturn>, cleanup: AsyncIteratorClassCleanupFn);
246
+ next(): Promise<IteratorResult<T, TReturn>>;
247
+ return(value?: any): Promise<IteratorResult<T, TReturn>>;
248
+ throw(err: any): Promise<IteratorResult<T, TReturn>>;
249
+ /**
250
+ * asyncDispose symbol only available in esnext, we should fallback to Symbol.for('asyncDispose')
251
+ */
252
+ [asyncDisposeSymbol](): Promise<void>;
253
+ [Symbol.asyncIterator](): this;
254
+ }
255
+ declare function replicateAsyncIterator<T, TReturn, TNext>(source: AsyncIterator<T, TReturn, TNext>, count: number): (AsyncIteratorClass<T, TReturn, TNext>)[];
256
+ interface AsyncIteratorWithSpanOptions extends SetSpanErrorOptions {
257
+ /**
258
+ * The name of the span to create.
259
+ */
260
+ name: string;
261
+ }
262
+ declare function asyncIteratorWithSpan<T, TReturn, TNext>({ name, ...options }: AsyncIteratorWithSpanOptions, iterator: AsyncIterator<T, TReturn, TNext>): AsyncIteratorClass<T, TReturn, TNext>;
263
+
264
+ declare function parseEmptyableJSON(text: string | null | undefined): unknown;
265
+ declare function stringifyJSON<T>(value: T | {
266
+ toJSON(): T;
267
+ }): undefined extends T ? undefined | string : string;
268
+
269
+ type Segment = string | number;
270
+ declare function findDeepMatches(check: (value: unknown) => boolean, payload: unknown, segments?: Segment[], maps?: Segment[][], values?: unknown[]): {
271
+ maps: Segment[][];
272
+ values: unknown[];
273
+ };
274
+ /**
275
+ * Get constructor of the value
276
+ *
277
+ */
278
+ declare function getConstructor(value: unknown): Function | null | undefined;
279
+ /**
280
+ * Check if the value is an object even it created by `Object.create(null)` or more tricky way.
281
+ */
282
+ declare function isObject(value: unknown): value is Record<PropertyKey, unknown>;
283
+ /**
284
+ * Check if the value satisfy a `object` type in typescript
285
+ */
286
+ declare function isTypescriptObject(value: unknown): value is object & Record<PropertyKey, unknown>;
287
+ declare function clone<T>(value: T): T;
288
+ declare function get(object: unknown, path: readonly PropertyKey[]): unknown;
289
+ declare function isPropertyKey(value: unknown): value is PropertyKey;
290
+ declare const NullProtoObj: ({
291
+ new <T extends Record<PropertyKey, unknown>>(): T;
292
+ });
293
+
294
+ type Value<T, TArgs extends any[] = []> = T | ((...args: TArgs) => T);
295
+ declare function value<T, TArgs extends any[]>(value: Value<T, TArgs>, ...args: NoInfer<TArgs>): T extends Value<infer U, any> ? U : never;
296
+ /**
297
+ * Returns the value if it is defined, otherwise returns the fallback
298
+ */
299
+ declare function fallback<T>(value: T | undefined, fallback: T): T;
300
+
301
+ /**
302
+ * Prevents objects from being awaitable by intercepting the `then` method
303
+ * when called by the native await mechanism. This is useful for preventing
304
+ * accidental awaiting of objects that aren't meant to be promises.
305
+ */
306
+ declare function preventNativeAwait<T extends object>(target: T): T;
307
+ /**
308
+ * Create a proxy that overlays one object (`overlay`) on top of another (`target`).
309
+ *
310
+ * - Properties from `overlay` take precedence.
311
+ * - Properties not in `overlay` fall back to `target`.
312
+ * - Methods from either object are bound to `overlay` so `this` is consistent.
313
+ *
314
+ * Useful when you want to override or extend behavior without fully copying/merging objects.
315
+ */
316
+ declare function overlayProxy<T extends object, U extends object>(target: Value<T>, partial: U): U & Omit<T, keyof U>;
317
+
318
+ interface AsyncIdQueueCloseOptions {
319
+ id?: string;
320
+ reason?: unknown;
321
+ }
322
+ declare class AsyncIdQueue<T> {
323
+ private readonly openIds;
324
+ private readonly queues;
325
+ private readonly waiters;
326
+ get length(): number;
327
+ get waiterIds(): string[];
328
+ hasBufferedItems(id: string): boolean;
329
+ open(id: string): void;
330
+ isOpen(id: string): boolean;
331
+ push(id: string, item: T): void;
332
+ pull(id: string): Promise<T>;
333
+ close({ id, reason }?: AsyncIdQueueCloseOptions): void;
334
+ assertOpen(id: string): void;
335
+ }
336
+
337
+ /**
338
+ * Converts a `ReadableStream` into an `AsyncIteratorClass`.
339
+ */
340
+ declare function streamToAsyncIteratorClass<T>(stream: ReadableStream<T>): AsyncIteratorClass<T>;
341
+ /**
342
+ * Converts an `AsyncIterator` into a `ReadableStream`.
343
+ */
344
+ declare function asyncIteratorToStream<T>(iterator: AsyncIterator<T>): ReadableStream<T>;
345
+ /**
346
+ * Converts an `AsyncIterator` into a `ReadableStream`, ensuring that
347
+ * all emitted object values are *unproxied* before enqueuing.
348
+ */
349
+ declare function asyncIteratorToUnproxiedDataStream<T>(iterator: AsyncIterator<T>): ReadableStream<T>;
350
+
351
+ declare function tryDecodeURIComponent(value: string): string;
352
+
353
+ export { AbortError, AsyncIdQueue, AsyncIteratorClass, EventPublisher, NullProtoObj, ORPC_NAME, ORPC_SHARED_PACKAGE_NAME, ORPC_SHARED_PACKAGE_VERSION, SequentialIdGenerator, asyncIteratorToStream, asyncIteratorToUnproxiedDataStream, asyncIteratorWithSpan, clone, compareSequentialIds, defer, fallback, findDeepMatches, get, getConstructor, getGlobalOtelConfig, intercept, isAsyncIteratorObject, isObject, isPropertyKey, isTypescriptObject, onError, onFinish, onStart, onSuccess, once, overlayProxy, parseEmptyableJSON, preventNativeAwait, readAsBuffer, replicateAsyncIterator, resolveMaybeOptionalOptions, runInSpanContext, runWithSpan, sequential, setGlobalOtelConfig, setSpanAttribute, setSpanError, splitInHalf, startSpan, streamToAsyncIteratorClass, stringifyJSON, toArray, toOtelException, toSpanAttributeValue, tryDecodeURIComponent, value };
354
+ export type { AnyFunction, AsyncIdQueueCloseOptions, AsyncIteratorClassCleanupFn, AsyncIteratorClassNextFn, AsyncIteratorWithSpanOptions, EventPublisherOptions, EventPublisherSubscribeIteratorOptions, InferAsyncIterableYield, InterceptableOptions, Interceptor, InterceptorOptions, IntersectPick, MaybeOptionalOptions, OmitChainMethodDeep, OnFinishState, OtelConfig, PromiseWithError, Registry, RunWithSpanOptions, Segment, SetOptional, SetSpanErrorOptions, ThrowableError, Value };