@temporary-name/shared 1.9.3-alpha.2957dbc009ec31fa21575f028b83c96651cba827 → 1.9.3-alpha.305aebe633f301e28426c6b15cdfd58ddf45641c

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.
package/dist/index.d.mts CHANGED
@@ -1,36 +1,95 @@
1
1
  import { MaybeOptionalOptions as MaybeOptionalOptions$1 } from '@temporary-name/shared';
2
2
  import { Tracer, TraceAPI, ContextAPI, PropagationAPI, SpanOptions, Context, Span, AttributeValue, Exception } from '@opentelemetry/api';
3
3
  export { group, guard, mapEntries, mapValues, omit, retry, sleep } from 'radash';
4
+ export { OpenAPIV3_1 as OpenAPI } from 'openapi-types';
4
5
 
5
- type MaybeOptionalOptions<TOptions> = Record<never, never> extends TOptions ? [options?: TOptions] : [options: TOptions];
6
+ type MaybeOptionalOptions<TOptions> = object extends TOptions ? [options?: TOptions] : [options: TOptions];
6
7
  type OptionalIfEmpty<TOptions> = {} extends TOptions ? [options?: TOptions] : [options: TOptions];
7
8
  declare function resolveMaybeOptionalOptions<T>(rest: MaybeOptionalOptions<T>): T;
8
9
 
9
10
  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
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];
12
+ type StandardBody = undefined | unknown | Blob | URLSearchParams | FormData | AsyncIterator<unknown | void, unknown | void, undefined>;
13
+ interface StandardRequest {
14
+ method: string;
15
+ url: URL;
16
+ headers: Headers;
17
+ /**
18
+ * The body has been parsed based on the content-type header.
19
+ */
20
+ body: StandardBody;
21
+ signal: AbortSignal | undefined;
22
+ }
23
+ interface StandardLazyRequest extends Omit<StandardRequest, 'body'> {
24
+ /**
25
+ * The body has been parsed based on the content-type header.
26
+ * This method can safely call multiple times (cached).
27
+ */
28
+ body: () => Promise<StandardBody>;
29
+ }
30
+ interface StandardResponse {
31
+ status: number;
32
+ headers: Headers;
33
+ /**
34
+ * The body has been parsed based on the content-type header.
35
+ */
36
+ body: StandardBody;
37
+ }
38
+ interface StandardLazyResponse extends Omit<StandardResponse, 'body'> {
39
+ /**
40
+ * The body has been parsed based on the content-type header.
41
+ * This method can safely call multiple times (cached).
42
+ */
43
+ body: () => Promise<StandardBody>;
44
+ }
45
+ type HTTPPath = `/${string}`;
46
+ declare const HTTPMethods: readonly ["HEAD", "GET", "POST", "PUT", "DELETE", "PATCH"];
47
+ type HTTPMethod = (typeof HTTPMethods)[number];
48
+ type HTTPEndpoint = `${HTTPMethod} ${HTTPPath}`;
49
+ type ClientContext = object;
50
+ interface ClientOptions<T extends ClientContext> {
51
+ request?: StandardLazyRequest;
52
+ signal?: AbortSignal;
53
+ lastEventId?: string | undefined;
54
+ context: T;
55
+ }
56
+ type FriendlyClientOptions<T extends ClientContext> = Omit<ClientOptions<T>, 'context'> & (object extends T ? {
57
+ context?: T;
58
+ } : {
59
+ context: T;
60
+ });
61
+ type ClientRest<TClientContext extends ClientContext, TInput> = object extends TClientContext ? undefined extends TInput ? [
62
+ input?: TInput,
63
+ options?: FriendlyClientOptions<TClientContext>
64
+ ] : [input: TInput, options?: FriendlyClientOptions<TClientContext>] : [input: TInput, options: FriendlyClientOptions<TClientContext>];
65
+ interface Client<TClientContext extends ClientContext, TInput, TOutput> {
66
+ (...rest: ClientRest<TClientContext, TInput>): Promise<TOutput>;
67
+ }
68
+ type NestedClient<TClientContext extends ClientContext> = Client<TClientContext, any, any> | {
69
+ [k: string]: NestedClient<TClientContext>;
29
70
  };
71
+ type InferClientContext<T extends NestedClient<any>> = T extends NestedClient<infer U> ? U : never;
72
+ interface ClientLink<TClientContext extends ClientContext> {
73
+ call: (path: readonly string[], input: unknown, options: ClientOptions<TClientContext>) => Promise<unknown>;
74
+ }
75
+ type SetOptional<T, K extends keyof T> = Omit<T, K> & Partial<Pick<T, K>>;
76
+ type IntersectPick<T, U> = Pick<T, keyof T & keyof U>;
77
+ type InferAsyncIterableYield<T> = T extends AsyncIterable<infer U> ? U : never;
78
+ type IsEqual<A, B> = (<G>() => G extends (A & G) | G ? 1 : 2) extends <G>() => G extends (B & G) | G ? 1 : 2 ? true : false;
79
+ type Promisable<T> = T | PromiseLike<T>;
80
+
81
+ type OutputStructure = 'compact' | 'detailed';
82
+ interface ContractConfig {
83
+ defaultMethod: HTTPMethod;
84
+ defaultSuccessStatus: number;
85
+ defaultSuccessDescription: string;
86
+ defaultOutputStructure: OutputStructure;
87
+ }
88
+ declare function fallbackContractConfig<T extends keyof ContractConfig>(key: T, value: ContractConfig[T] | undefined): ContractConfig[T];
30
89
 
31
90
  declare const ORPC_NAME = "orpc";
32
91
  declare const ORPC_SHARED_PACKAGE_NAME = "@temporary-name/shared";
33
- declare const ORPC_SHARED_PACKAGE_VERSION = "1.9.3-alpha.2957dbc009ec31fa21575f028b83c96651cba827";
92
+ declare const ORPC_SHARED_PACKAGE_VERSION = "1.9.3-alpha.305aebe633f301e28426c6b15cdfd58ddf45641c";
34
93
 
35
94
  declare const ORPC_CLIENT_PACKAGE_NAME = "__ORPC_CLIENT_PACKAGE_NAME_PLACEHOLDER__";
36
95
  declare const ORPC_CLIENT_PACKAGE_VERSION = "__ORPC_CLIENT_PACKAGE_VERSION_PLACEHOLDER__";
@@ -219,85 +278,14 @@ declare class EventPublisher<T extends Record<PropertyKey, any>> {
219
278
  subscribe<K extends keyof T>(event: K, options?: EventPublisherSubscribeIteratorOptions): AsyncGenerator<T[K]> & AsyncIteratorObject<T[K]>;
220
279
  }
221
280
 
222
- declare class SequentialIdGenerator {
223
- private index;
224
- generate(): string;
225
- }
226
-
227
- type StandardBody = undefined | unknown | Blob | URLSearchParams | FormData | AsyncIterator<unknown | void, unknown | void, undefined>;
228
- interface StandardRequest {
229
- method: string;
230
- url: URL;
231
- headers: Headers;
232
- /**
233
- * The body has been parsed based on the content-type header.
234
- */
235
- body: StandardBody;
236
- signal: AbortSignal | undefined;
237
- }
238
- interface StandardLazyRequest extends Omit<StandardRequest, 'body'> {
239
- /**
240
- * The body has been parsed based on the content-type header.
241
- * This method can safely call multiple times (cached).
242
- */
243
- body: () => Promise<StandardBody>;
244
- }
245
- interface StandardResponse {
246
- status: number;
247
- headers: Headers;
248
- /**
249
- * The body has been parsed based on the content-type header.
250
- */
251
- body: StandardBody;
252
- }
253
- interface StandardLazyResponse extends Omit<StandardResponse, 'body'> {
254
- /**
255
- * The body has been parsed based on the content-type header.
256
- * This method can safely call multiple times (cached).
257
- */
258
- body: () => Promise<StandardBody>;
259
- }
260
- type HTTPPath = `/${string}`;
261
- declare const HTTPMethods: readonly ["HEAD", "GET", "POST", "PUT", "DELETE", "PATCH"];
262
- type HTTPMethod = (typeof HTTPMethods)[number];
263
- type HTTPEndpoint = `${HTTPMethod} ${HTTPPath}`;
264
- type ClientContext = Record<PropertyKey, any>;
265
- interface ClientOptions<T extends ClientContext> {
266
- request?: StandardLazyRequest;
267
- signal?: AbortSignal;
268
- lastEventId?: string | undefined;
269
- context: T;
270
- }
271
- type FriendlyClientOptions<T extends ClientContext> = Omit<ClientOptions<T>, 'context'> & (Record<never, never> extends T ? {
272
- context?: T;
273
- } : {
274
- context: T;
275
- });
276
- type ClientRest<TClientContext extends ClientContext, TInput> = Record<never, never> extends TClientContext ? undefined extends TInput ? [
277
- input?: TInput,
278
- options?: FriendlyClientOptions<TClientContext>
279
- ] : [input: TInput, options?: FriendlyClientOptions<TClientContext>] : [input: TInput, options: FriendlyClientOptions<TClientContext>];
280
- interface Client<TClientContext extends ClientContext, TInput, TOutput> {
281
- (...rest: ClientRest<TClientContext, TInput>): Promise<TOutput>;
282
- }
283
- type NestedClient<TClientContext extends ClientContext> = Client<TClientContext, any, any> | {
284
- [k: string]: NestedClient<TClientContext>;
285
- };
286
- type InferClientContext<T extends NestedClient<any>> = T extends NestedClient<infer U> ? U : never;
287
- interface ClientLink<TClientContext extends ClientContext> {
288
- call: (path: readonly string[], input: unknown, options: ClientOptions<TClientContext>) => Promise<unknown>;
289
- }
290
- type SetOptional<T, K extends keyof T> = Omit<T, K> & Partial<Pick<T, K>>;
291
- type IntersectPick<T, U> = Pick<T, keyof T & keyof U>;
292
- type InferAsyncIterableYield<T> = T extends AsyncIterable<infer U> ? U : never;
293
- type IsEqual<A, B> = (<G>() => G extends (A & G) | G ? 1 : 2) extends <G>() => G extends (B & G) | G ? 1 : 2 ? true : false;
294
- type Promisable<T> = T | PromiseLike<T>;
281
+ type AnyFunction = (...args: any[]) => any;
282
+ declare function once<T extends () => any>(fn: T): () => ReturnType<T>;
283
+ declare function sequential<A extends any[], R>(fn: (...args: A) => Promise<R>): (...args: A) => Promise<R>;
284
+ /**
285
+ * Executes the callback function after the current call stack has been cleared.
286
+ */
287
+ declare function defer(callback: () => void): void;
295
288
 
296
- type InterceptableOptions = Record<string, any>;
297
- type InterceptorOptions<TOptions extends InterceptableOptions, TResult> = Omit<TOptions, 'next'> & {
298
- next(options?: TOptions): TResult;
299
- };
300
- type Interceptor<TOptions extends InterceptableOptions, TResult> = (options: InterceptorOptions<TOptions, TResult>) => TResult;
301
289
  /**
302
290
  * Can used for interceptors or middlewares
303
291
  */
@@ -323,7 +311,6 @@ type OnFinishState<TResult, TError> = [error: TError, data: undefined, isSuccess
323
311
  declare function onFinish<T, TOptions extends {
324
312
  next(): any;
325
313
  }, TRest extends any[]>(callback: NoInfer<(state: OnFinishState<Awaited<ReturnType<TOptions['next']>>, Error>, options: TOptions, ...rest: TRest) => Promisable<void>>): (options: TOptions, ...rest: TRest) => T | Promise<Awaited<ReturnType<TOptions['next']>>>;
326
- declare function intercept<TOptions extends InterceptableOptions, TResult>(interceptors: Interceptor<TOptions, TResult>[], options: NoInfer<TOptions>, main: NoInfer<(options: TOptions) => TResult>): TResult;
327
314
 
328
315
  /**
329
316
  * Only import types from @opentelemetry/api to avoid runtime dependencies.
@@ -455,17 +442,7 @@ declare const NullProtoObj: {
455
442
 
456
443
  type Value<T, TArgs extends any[] = []> = T | ((...args: TArgs) => T);
457
444
  declare function value<T, TArgs extends any[]>(value: Value<T, TArgs>, ...args: NoInfer<TArgs>): T extends Value<infer U, any> ? U : never;
458
- /**
459
- * Returns the value if it is defined, otherwise returns the fallback
460
- */
461
- declare function fallback<T>(value: T | undefined, fallback: T): T;
462
445
 
463
- /**
464
- * Prevents objects from being awaitable by intercepting the `then` method
465
- * when called by the native await mechanism. This is useful for preventing
466
- * accidental awaiting of objects that aren't meant to be promises.
467
- */
468
- declare function preventNativeAwait<T extends object>(target: T): T;
469
446
  /**
470
447
  * Create a proxy that overlays one object (`overlay`) on top of another (`target`).
471
448
  *
@@ -503,7 +480,7 @@ declare function tryDecodeURIComponent(value: string): string;
503
480
 
504
481
  declare function toHttpPath(path: readonly string[]): HTTPPath;
505
482
  declare function splitFirst(str: string, separator: string): [string, string];
506
- declare function assertNever(value: never): never;
483
+ declare function assertNever(value: never, message?: string): never;
507
484
 
508
- export { AbortError, AsyncIdQueue, AsyncIteratorClass, COMMON_ORPC_ERROR_DEFS, EventPublisher, HTTPMethods, NullProtoObj, ORPCError, ORPC_CLIENT_PACKAGE_NAME, ORPC_CLIENT_PACKAGE_VERSION, ORPC_NAME, ORPC_SHARED_PACKAGE_NAME, ORPC_SHARED_PACKAGE_VERSION, SequentialIdGenerator, assertNever, asyncIteratorToStream, asyncIteratorWithSpan, clone, createORPCErrorFromJson, defer, fallback, fallbackORPCErrorMessage, fallbackORPCErrorStatus, findDeepMatches, get, getConstructor, getGlobalOtelConfig, intercept, isAsyncIteratorObject, isDefinedError, isORPCErrorJson, isORPCErrorStatus, isObject, isPropertyKey, isTypescriptObject, onError, onFinish, onStart, onSuccess, once, overlayProxy, parseEmptyableJSON, preventNativeAwait, readAsBuffer, replicateAsyncIterator, resolveMaybeOptionalOptions, runInSpanContext, runWithSpan, sequential, setGlobalOtelConfig, setSpanAttribute, setSpanError, splitFirst, splitInHalf, startSpan, streamToAsyncIteratorClass, stringifyJSON, toArray, toHttpPath, toORPCError, toOtelException, toSpanAttributeValue, tryDecodeURIComponent, value };
509
- export type { AnyFunction, AsyncIdQueueCloseOptions, AsyncIteratorClassCleanupFn, AsyncIteratorClassNextFn, AsyncIteratorWithSpanOptions, Client, ClientContext, ClientLink, ClientOptions, ClientRest, CommonORPCErrorCode, EventPublisherOptions, EventPublisherSubscribeIteratorOptions, FriendlyClientOptions, HTTPEndpoint, HTTPMethod, HTTPPath, InferAsyncIterableYield, InferClientContext, InterceptableOptions, Interceptor, InterceptorOptions, IntersectPick, IsEqual, MaybeOptionalOptions, NestedClient, ORPCErrorCode, ORPCErrorJSON, ORPCErrorOptions, OmitChainMethodDeep, OnFinishState, OptionalIfEmpty, OtelConfig, Promisable, RunWithSpanOptions, Segment, SetOptional, SetSpanErrorOptions, StandardBody, StandardLazyRequest, StandardLazyResponse, StandardRequest, StandardResponse, Value };
485
+ export { AbortError, AsyncIdQueue, AsyncIteratorClass, COMMON_ORPC_ERROR_DEFS, EventPublisher, HTTPMethods, NullProtoObj, ORPCError, ORPC_CLIENT_PACKAGE_NAME, ORPC_CLIENT_PACKAGE_VERSION, ORPC_NAME, ORPC_SHARED_PACKAGE_NAME, ORPC_SHARED_PACKAGE_VERSION, assertNever, asyncIteratorToStream, asyncIteratorWithSpan, clone, createORPCErrorFromJson, defer, fallbackContractConfig, fallbackORPCErrorMessage, fallbackORPCErrorStatus, findDeepMatches, get, getConstructor, getGlobalOtelConfig, isAsyncIteratorObject, isDefinedError, isORPCErrorJson, isORPCErrorStatus, isObject, isPropertyKey, isTypescriptObject, onError, onFinish, onStart, onSuccess, once, overlayProxy, parseEmptyableJSON, replicateAsyncIterator, resolveMaybeOptionalOptions, runInSpanContext, runWithSpan, sequential, setGlobalOtelConfig, setSpanAttribute, setSpanError, splitFirst, startSpan, streamToAsyncIteratorClass, stringifyJSON, toArray, toHttpPath, toORPCError, toOtelException, toSpanAttributeValue, tryDecodeURIComponent, value };
486
+ export type { AnyFunction, AsyncIdQueueCloseOptions, AsyncIteratorClassCleanupFn, AsyncIteratorClassNextFn, AsyncIteratorWithSpanOptions, Client, ClientContext, ClientLink, ClientOptions, ClientRest, CommonORPCErrorCode, ContractConfig, EventPublisherOptions, EventPublisherSubscribeIteratorOptions, FriendlyClientOptions, HTTPEndpoint, HTTPMethod, HTTPPath, InferAsyncIterableYield, InferClientContext, IntersectPick, IsEqual, MaybeOptionalOptions, NestedClient, ORPCErrorCode, ORPCErrorJSON, ORPCErrorOptions, OnFinishState, OptionalIfEmpty, OtelConfig, OutputStructure, Promisable, RunWithSpanOptions, Segment, SetOptional, SetSpanErrorOptions, StandardBody, StandardLazyRequest, StandardLazyResponse, StandardRequest, StandardResponse, Value };
package/dist/index.d.ts CHANGED
@@ -1,36 +1,95 @@
1
1
  import { MaybeOptionalOptions as MaybeOptionalOptions$1 } from '@temporary-name/shared';
2
2
  import { Tracer, TraceAPI, ContextAPI, PropagationAPI, SpanOptions, Context, Span, AttributeValue, Exception } from '@opentelemetry/api';
3
3
  export { group, guard, mapEntries, mapValues, omit, retry, sleep } from 'radash';
4
+ export { OpenAPIV3_1 as OpenAPI } from 'openapi-types';
4
5
 
5
- type MaybeOptionalOptions<TOptions> = Record<never, never> extends TOptions ? [options?: TOptions] : [options: TOptions];
6
+ type MaybeOptionalOptions<TOptions> = object extends TOptions ? [options?: TOptions] : [options: TOptions];
6
7
  type OptionalIfEmpty<TOptions> = {} extends TOptions ? [options?: TOptions] : [options: TOptions];
7
8
  declare function resolveMaybeOptionalOptions<T>(rest: MaybeOptionalOptions<T>): T;
8
9
 
9
10
  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
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];
12
+ type StandardBody = undefined | unknown | Blob | URLSearchParams | FormData | AsyncIterator<unknown | void, unknown | void, undefined>;
13
+ interface StandardRequest {
14
+ method: string;
15
+ url: URL;
16
+ headers: Headers;
17
+ /**
18
+ * The body has been parsed based on the content-type header.
19
+ */
20
+ body: StandardBody;
21
+ signal: AbortSignal | undefined;
22
+ }
23
+ interface StandardLazyRequest extends Omit<StandardRequest, 'body'> {
24
+ /**
25
+ * The body has been parsed based on the content-type header.
26
+ * This method can safely call multiple times (cached).
27
+ */
28
+ body: () => Promise<StandardBody>;
29
+ }
30
+ interface StandardResponse {
31
+ status: number;
32
+ headers: Headers;
33
+ /**
34
+ * The body has been parsed based on the content-type header.
35
+ */
36
+ body: StandardBody;
37
+ }
38
+ interface StandardLazyResponse extends Omit<StandardResponse, 'body'> {
39
+ /**
40
+ * The body has been parsed based on the content-type header.
41
+ * This method can safely call multiple times (cached).
42
+ */
43
+ body: () => Promise<StandardBody>;
44
+ }
45
+ type HTTPPath = `/${string}`;
46
+ declare const HTTPMethods: readonly ["HEAD", "GET", "POST", "PUT", "DELETE", "PATCH"];
47
+ type HTTPMethod = (typeof HTTPMethods)[number];
48
+ type HTTPEndpoint = `${HTTPMethod} ${HTTPPath}`;
49
+ type ClientContext = object;
50
+ interface ClientOptions<T extends ClientContext> {
51
+ request?: StandardLazyRequest;
52
+ signal?: AbortSignal;
53
+ lastEventId?: string | undefined;
54
+ context: T;
55
+ }
56
+ type FriendlyClientOptions<T extends ClientContext> = Omit<ClientOptions<T>, 'context'> & (object extends T ? {
57
+ context?: T;
58
+ } : {
59
+ context: T;
60
+ });
61
+ type ClientRest<TClientContext extends ClientContext, TInput> = object extends TClientContext ? undefined extends TInput ? [
62
+ input?: TInput,
63
+ options?: FriendlyClientOptions<TClientContext>
64
+ ] : [input: TInput, options?: FriendlyClientOptions<TClientContext>] : [input: TInput, options: FriendlyClientOptions<TClientContext>];
65
+ interface Client<TClientContext extends ClientContext, TInput, TOutput> {
66
+ (...rest: ClientRest<TClientContext, TInput>): Promise<TOutput>;
67
+ }
68
+ type NestedClient<TClientContext extends ClientContext> = Client<TClientContext, any, any> | {
69
+ [k: string]: NestedClient<TClientContext>;
29
70
  };
71
+ type InferClientContext<T extends NestedClient<any>> = T extends NestedClient<infer U> ? U : never;
72
+ interface ClientLink<TClientContext extends ClientContext> {
73
+ call: (path: readonly string[], input: unknown, options: ClientOptions<TClientContext>) => Promise<unknown>;
74
+ }
75
+ type SetOptional<T, K extends keyof T> = Omit<T, K> & Partial<Pick<T, K>>;
76
+ type IntersectPick<T, U> = Pick<T, keyof T & keyof U>;
77
+ type InferAsyncIterableYield<T> = T extends AsyncIterable<infer U> ? U : never;
78
+ type IsEqual<A, B> = (<G>() => G extends (A & G) | G ? 1 : 2) extends <G>() => G extends (B & G) | G ? 1 : 2 ? true : false;
79
+ type Promisable<T> = T | PromiseLike<T>;
80
+
81
+ type OutputStructure = 'compact' | 'detailed';
82
+ interface ContractConfig {
83
+ defaultMethod: HTTPMethod;
84
+ defaultSuccessStatus: number;
85
+ defaultSuccessDescription: string;
86
+ defaultOutputStructure: OutputStructure;
87
+ }
88
+ declare function fallbackContractConfig<T extends keyof ContractConfig>(key: T, value: ContractConfig[T] | undefined): ContractConfig[T];
30
89
 
31
90
  declare const ORPC_NAME = "orpc";
32
91
  declare const ORPC_SHARED_PACKAGE_NAME = "@temporary-name/shared";
33
- declare const ORPC_SHARED_PACKAGE_VERSION = "1.9.3-alpha.2957dbc009ec31fa21575f028b83c96651cba827";
92
+ declare const ORPC_SHARED_PACKAGE_VERSION = "1.9.3-alpha.305aebe633f301e28426c6b15cdfd58ddf45641c";
34
93
 
35
94
  declare const ORPC_CLIENT_PACKAGE_NAME = "__ORPC_CLIENT_PACKAGE_NAME_PLACEHOLDER__";
36
95
  declare const ORPC_CLIENT_PACKAGE_VERSION = "__ORPC_CLIENT_PACKAGE_VERSION_PLACEHOLDER__";
@@ -219,85 +278,14 @@ declare class EventPublisher<T extends Record<PropertyKey, any>> {
219
278
  subscribe<K extends keyof T>(event: K, options?: EventPublisherSubscribeIteratorOptions): AsyncGenerator<T[K]> & AsyncIteratorObject<T[K]>;
220
279
  }
221
280
 
222
- declare class SequentialIdGenerator {
223
- private index;
224
- generate(): string;
225
- }
226
-
227
- type StandardBody = undefined | unknown | Blob | URLSearchParams | FormData | AsyncIterator<unknown | void, unknown | void, undefined>;
228
- interface StandardRequest {
229
- method: string;
230
- url: URL;
231
- headers: Headers;
232
- /**
233
- * The body has been parsed based on the content-type header.
234
- */
235
- body: StandardBody;
236
- signal: AbortSignal | undefined;
237
- }
238
- interface StandardLazyRequest extends Omit<StandardRequest, 'body'> {
239
- /**
240
- * The body has been parsed based on the content-type header.
241
- * This method can safely call multiple times (cached).
242
- */
243
- body: () => Promise<StandardBody>;
244
- }
245
- interface StandardResponse {
246
- status: number;
247
- headers: Headers;
248
- /**
249
- * The body has been parsed based on the content-type header.
250
- */
251
- body: StandardBody;
252
- }
253
- interface StandardLazyResponse extends Omit<StandardResponse, 'body'> {
254
- /**
255
- * The body has been parsed based on the content-type header.
256
- * This method can safely call multiple times (cached).
257
- */
258
- body: () => Promise<StandardBody>;
259
- }
260
- type HTTPPath = `/${string}`;
261
- declare const HTTPMethods: readonly ["HEAD", "GET", "POST", "PUT", "DELETE", "PATCH"];
262
- type HTTPMethod = (typeof HTTPMethods)[number];
263
- type HTTPEndpoint = `${HTTPMethod} ${HTTPPath}`;
264
- type ClientContext = Record<PropertyKey, any>;
265
- interface ClientOptions<T extends ClientContext> {
266
- request?: StandardLazyRequest;
267
- signal?: AbortSignal;
268
- lastEventId?: string | undefined;
269
- context: T;
270
- }
271
- type FriendlyClientOptions<T extends ClientContext> = Omit<ClientOptions<T>, 'context'> & (Record<never, never> extends T ? {
272
- context?: T;
273
- } : {
274
- context: T;
275
- });
276
- type ClientRest<TClientContext extends ClientContext, TInput> = Record<never, never> extends TClientContext ? undefined extends TInput ? [
277
- input?: TInput,
278
- options?: FriendlyClientOptions<TClientContext>
279
- ] : [input: TInput, options?: FriendlyClientOptions<TClientContext>] : [input: TInput, options: FriendlyClientOptions<TClientContext>];
280
- interface Client<TClientContext extends ClientContext, TInput, TOutput> {
281
- (...rest: ClientRest<TClientContext, TInput>): Promise<TOutput>;
282
- }
283
- type NestedClient<TClientContext extends ClientContext> = Client<TClientContext, any, any> | {
284
- [k: string]: NestedClient<TClientContext>;
285
- };
286
- type InferClientContext<T extends NestedClient<any>> = T extends NestedClient<infer U> ? U : never;
287
- interface ClientLink<TClientContext extends ClientContext> {
288
- call: (path: readonly string[], input: unknown, options: ClientOptions<TClientContext>) => Promise<unknown>;
289
- }
290
- type SetOptional<T, K extends keyof T> = Omit<T, K> & Partial<Pick<T, K>>;
291
- type IntersectPick<T, U> = Pick<T, keyof T & keyof U>;
292
- type InferAsyncIterableYield<T> = T extends AsyncIterable<infer U> ? U : never;
293
- type IsEqual<A, B> = (<G>() => G extends (A & G) | G ? 1 : 2) extends <G>() => G extends (B & G) | G ? 1 : 2 ? true : false;
294
- type Promisable<T> = T | PromiseLike<T>;
281
+ type AnyFunction = (...args: any[]) => any;
282
+ declare function once<T extends () => any>(fn: T): () => ReturnType<T>;
283
+ declare function sequential<A extends any[], R>(fn: (...args: A) => Promise<R>): (...args: A) => Promise<R>;
284
+ /**
285
+ * Executes the callback function after the current call stack has been cleared.
286
+ */
287
+ declare function defer(callback: () => void): void;
295
288
 
296
- type InterceptableOptions = Record<string, any>;
297
- type InterceptorOptions<TOptions extends InterceptableOptions, TResult> = Omit<TOptions, 'next'> & {
298
- next(options?: TOptions): TResult;
299
- };
300
- type Interceptor<TOptions extends InterceptableOptions, TResult> = (options: InterceptorOptions<TOptions, TResult>) => TResult;
301
289
  /**
302
290
  * Can used for interceptors or middlewares
303
291
  */
@@ -323,7 +311,6 @@ type OnFinishState<TResult, TError> = [error: TError, data: undefined, isSuccess
323
311
  declare function onFinish<T, TOptions extends {
324
312
  next(): any;
325
313
  }, TRest extends any[]>(callback: NoInfer<(state: OnFinishState<Awaited<ReturnType<TOptions['next']>>, Error>, options: TOptions, ...rest: TRest) => Promisable<void>>): (options: TOptions, ...rest: TRest) => T | Promise<Awaited<ReturnType<TOptions['next']>>>;
326
- declare function intercept<TOptions extends InterceptableOptions, TResult>(interceptors: Interceptor<TOptions, TResult>[], options: NoInfer<TOptions>, main: NoInfer<(options: TOptions) => TResult>): TResult;
327
314
 
328
315
  /**
329
316
  * Only import types from @opentelemetry/api to avoid runtime dependencies.
@@ -455,17 +442,7 @@ declare const NullProtoObj: {
455
442
 
456
443
  type Value<T, TArgs extends any[] = []> = T | ((...args: TArgs) => T);
457
444
  declare function value<T, TArgs extends any[]>(value: Value<T, TArgs>, ...args: NoInfer<TArgs>): T extends Value<infer U, any> ? U : never;
458
- /**
459
- * Returns the value if it is defined, otherwise returns the fallback
460
- */
461
- declare function fallback<T>(value: T | undefined, fallback: T): T;
462
445
 
463
- /**
464
- * Prevents objects from being awaitable by intercepting the `then` method
465
- * when called by the native await mechanism. This is useful for preventing
466
- * accidental awaiting of objects that aren't meant to be promises.
467
- */
468
- declare function preventNativeAwait<T extends object>(target: T): T;
469
446
  /**
470
447
  * Create a proxy that overlays one object (`overlay`) on top of another (`target`).
471
448
  *
@@ -503,7 +480,7 @@ declare function tryDecodeURIComponent(value: string): string;
503
480
 
504
481
  declare function toHttpPath(path: readonly string[]): HTTPPath;
505
482
  declare function splitFirst(str: string, separator: string): [string, string];
506
- declare function assertNever(value: never): never;
483
+ declare function assertNever(value: never, message?: string): never;
507
484
 
508
- export { AbortError, AsyncIdQueue, AsyncIteratorClass, COMMON_ORPC_ERROR_DEFS, EventPublisher, HTTPMethods, NullProtoObj, ORPCError, ORPC_CLIENT_PACKAGE_NAME, ORPC_CLIENT_PACKAGE_VERSION, ORPC_NAME, ORPC_SHARED_PACKAGE_NAME, ORPC_SHARED_PACKAGE_VERSION, SequentialIdGenerator, assertNever, asyncIteratorToStream, asyncIteratorWithSpan, clone, createORPCErrorFromJson, defer, fallback, fallbackORPCErrorMessage, fallbackORPCErrorStatus, findDeepMatches, get, getConstructor, getGlobalOtelConfig, intercept, isAsyncIteratorObject, isDefinedError, isORPCErrorJson, isORPCErrorStatus, isObject, isPropertyKey, isTypescriptObject, onError, onFinish, onStart, onSuccess, once, overlayProxy, parseEmptyableJSON, preventNativeAwait, readAsBuffer, replicateAsyncIterator, resolveMaybeOptionalOptions, runInSpanContext, runWithSpan, sequential, setGlobalOtelConfig, setSpanAttribute, setSpanError, splitFirst, splitInHalf, startSpan, streamToAsyncIteratorClass, stringifyJSON, toArray, toHttpPath, toORPCError, toOtelException, toSpanAttributeValue, tryDecodeURIComponent, value };
509
- export type { AnyFunction, AsyncIdQueueCloseOptions, AsyncIteratorClassCleanupFn, AsyncIteratorClassNextFn, AsyncIteratorWithSpanOptions, Client, ClientContext, ClientLink, ClientOptions, ClientRest, CommonORPCErrorCode, EventPublisherOptions, EventPublisherSubscribeIteratorOptions, FriendlyClientOptions, HTTPEndpoint, HTTPMethod, HTTPPath, InferAsyncIterableYield, InferClientContext, InterceptableOptions, Interceptor, InterceptorOptions, IntersectPick, IsEqual, MaybeOptionalOptions, NestedClient, ORPCErrorCode, ORPCErrorJSON, ORPCErrorOptions, OmitChainMethodDeep, OnFinishState, OptionalIfEmpty, OtelConfig, Promisable, RunWithSpanOptions, Segment, SetOptional, SetSpanErrorOptions, StandardBody, StandardLazyRequest, StandardLazyResponse, StandardRequest, StandardResponse, Value };
485
+ export { AbortError, AsyncIdQueue, AsyncIteratorClass, COMMON_ORPC_ERROR_DEFS, EventPublisher, HTTPMethods, NullProtoObj, ORPCError, ORPC_CLIENT_PACKAGE_NAME, ORPC_CLIENT_PACKAGE_VERSION, ORPC_NAME, ORPC_SHARED_PACKAGE_NAME, ORPC_SHARED_PACKAGE_VERSION, assertNever, asyncIteratorToStream, asyncIteratorWithSpan, clone, createORPCErrorFromJson, defer, fallbackContractConfig, fallbackORPCErrorMessage, fallbackORPCErrorStatus, findDeepMatches, get, getConstructor, getGlobalOtelConfig, isAsyncIteratorObject, isDefinedError, isORPCErrorJson, isORPCErrorStatus, isObject, isPropertyKey, isTypescriptObject, onError, onFinish, onStart, onSuccess, once, overlayProxy, parseEmptyableJSON, replicateAsyncIterator, resolveMaybeOptionalOptions, runInSpanContext, runWithSpan, sequential, setGlobalOtelConfig, setSpanAttribute, setSpanError, splitFirst, startSpan, streamToAsyncIteratorClass, stringifyJSON, toArray, toHttpPath, toORPCError, toOtelException, toSpanAttributeValue, tryDecodeURIComponent, value };
486
+ export type { AnyFunction, AsyncIdQueueCloseOptions, AsyncIteratorClassCleanupFn, AsyncIteratorClassNextFn, AsyncIteratorWithSpanOptions, Client, ClientContext, ClientLink, ClientOptions, ClientRest, CommonORPCErrorCode, ContractConfig, EventPublisherOptions, EventPublisherSubscribeIteratorOptions, FriendlyClientOptions, HTTPEndpoint, HTTPMethod, HTTPPath, InferAsyncIterableYield, InferClientContext, IntersectPick, IsEqual, MaybeOptionalOptions, NestedClient, ORPCErrorCode, ORPCErrorJSON, ORPCErrorOptions, OnFinishState, OptionalIfEmpty, OtelConfig, OutputStructure, Promisable, RunWithSpanOptions, Segment, SetOptional, SetSpanErrorOptions, StandardBody, StandardLazyRequest, StandardLazyResponse, StandardRequest, StandardResponse, Value };
package/dist/index.mjs CHANGED
@@ -8,21 +8,23 @@ function resolveMaybeOptionalOptions(rest) {
8
8
  function toArray(value) {
9
9
  return Array.isArray(value) ? value : value === void 0 || value === null ? [] : [value];
10
10
  }
11
- function splitInHalf(arr) {
12
- const half = Math.ceil(arr.length / 2);
13
- return [arr.slice(0, half), arr.slice(half)];
14
- }
15
11
 
16
- function readAsBuffer(source) {
17
- if (typeof source.bytes === "function") {
18
- return source.bytes();
12
+ const DEFAULT_CONFIG = {
13
+ defaultMethod: "POST",
14
+ defaultSuccessStatus: 200,
15
+ defaultSuccessDescription: "OK",
16
+ defaultOutputStructure: "compact"
17
+ };
18
+ function fallbackContractConfig(key, value) {
19
+ if (value === void 0) {
20
+ return DEFAULT_CONFIG[key];
19
21
  }
20
- return source.arrayBuffer();
22
+ return value;
21
23
  }
22
24
 
23
25
  const ORPC_NAME = "orpc";
24
26
  const ORPC_SHARED_PACKAGE_NAME = "@temporary-name/shared";
25
- const ORPC_SHARED_PACKAGE_VERSION = "1.9.3-alpha.2957dbc009ec31fa21575f028b83c96651cba827";
27
+ const ORPC_SHARED_PACKAGE_VERSION = "1.9.3-alpha.305aebe633f301e28426c6b15cdfd58ddf45641c";
26
28
 
27
29
  const ORPC_CLIENT_PACKAGE_NAME = "__ORPC_CLIENT_PACKAGE_NAME_PLACEHOLDER__";
28
30
  const ORPC_CLIENT_PACKAGE_VERSION = "__ORPC_CLIENT_PACKAGE_VERSION_PLACEHOLDER__";
@@ -628,15 +630,6 @@ class EventPublisher {
628
630
  }
629
631
  }
630
632
 
631
- class SequentialIdGenerator {
632
- index = BigInt(0);
633
- generate() {
634
- const id = this.index.toString(32);
635
- this.index++;
636
- return id;
637
- }
638
- }
639
-
640
633
  function onStart(callback) {
641
634
  return async (options, ...rest) => {
642
635
  await callback(options, ...rest);
@@ -675,19 +668,6 @@ function onFinish(callback) {
675
668
  }
676
669
  };
677
670
  }
678
- function intercept(interceptors, options, main) {
679
- const next = (options2, index) => {
680
- const interceptor = interceptors[index];
681
- if (!interceptor) {
682
- return main(options2);
683
- }
684
- return interceptor({
685
- ...options2,
686
- next: (newOptions = options2) => next(newOptions, index + 1)
687
- });
688
- };
689
- return next(options, 0);
690
- }
691
671
 
692
672
  function parseEmptyableJSON(text) {
693
673
  if (!text) {
@@ -771,46 +751,7 @@ function value(value2, ...args) {
771
751
  }
772
752
  return value2;
773
753
  }
774
- function fallback(value2, fallback2) {
775
- return value2 === void 0 ? fallback2 : value2;
776
- }
777
754
 
778
- function preventNativeAwait(target) {
779
- return new Proxy(target, {
780
- get(target2, prop, receiver) {
781
- const value2 = Reflect.get(target2, prop, receiver);
782
- if (prop !== "then" || typeof value2 !== "function") {
783
- return value2;
784
- }
785
- return new Proxy(value2, {
786
- apply(targetFn, thisArg, args) {
787
- if (args.length !== 2 || args.some((arg) => !isNativeFunction(arg))) {
788
- return Reflect.apply(targetFn, thisArg, args);
789
- }
790
- let shouldOmit = true;
791
- args[0].call(
792
- thisArg,
793
- preventNativeAwait(
794
- new Proxy(target2, {
795
- get: (target3, prop2, receiver2) => {
796
- if (shouldOmit && prop2 === "then") {
797
- shouldOmit = false;
798
- return void 0;
799
- }
800
- return Reflect.get(target3, prop2, receiver2);
801
- }
802
- })
803
- )
804
- );
805
- }
806
- });
807
- }
808
- });
809
- }
810
- const NATIVE_FUNCTION_REGEX = /^\s*function\s*\(\)\s*\{\s*\[native code\]\s*\}\s*$/;
811
- function isNativeFunction(fn) {
812
- return typeof fn === "function" && NATIVE_FUNCTION_REGEX.test(fn.toString());
813
- }
814
755
  function overlayProxy(target, partial) {
815
756
  const proxy = new Proxy(typeof target === "function" ? partial : target, {
816
757
  get(_, prop) {
@@ -872,8 +813,8 @@ function splitFirst(str, separator) {
872
813
  }
873
814
  return [str.slice(0, index), str.slice(index + separator.length)];
874
815
  }
875
- function assertNever(value) {
876
- throw new Error(`Unexpected value: ${value}`);
816
+ function assertNever(value, message) {
817
+ throw new Error(message ?? `Unexpected value: ${value}`);
877
818
  }
878
819
 
879
- export { AbortError, AsyncIdQueue, AsyncIteratorClass, COMMON_ORPC_ERROR_DEFS, EventPublisher, HTTPMethods, NullProtoObj, ORPCError, ORPC_CLIENT_PACKAGE_NAME, ORPC_CLIENT_PACKAGE_VERSION, ORPC_NAME, ORPC_SHARED_PACKAGE_NAME, ORPC_SHARED_PACKAGE_VERSION, SequentialIdGenerator, assertNever, asyncIteratorToStream, asyncIteratorWithSpan, clone, createORPCErrorFromJson, defer, fallback, fallbackORPCErrorMessage, fallbackORPCErrorStatus, findDeepMatches, get, getConstructor, getGlobalOtelConfig, intercept, isAsyncIteratorObject, isDefinedError, isORPCErrorJson, isORPCErrorStatus, isObject, isPropertyKey, isTypescriptObject, onError, onFinish, onStart, onSuccess, once, overlayProxy, parseEmptyableJSON, preventNativeAwait, readAsBuffer, replicateAsyncIterator, resolveMaybeOptionalOptions, runInSpanContext, runWithSpan, sequential, setGlobalOtelConfig, setSpanAttribute, setSpanError, splitFirst, splitInHalf, startSpan, streamToAsyncIteratorClass, stringifyJSON, toArray, toHttpPath, toORPCError, toOtelException, toSpanAttributeValue, tryDecodeURIComponent, value };
820
+ export { AbortError, AsyncIdQueue, AsyncIteratorClass, COMMON_ORPC_ERROR_DEFS, EventPublisher, HTTPMethods, NullProtoObj, ORPCError, ORPC_CLIENT_PACKAGE_NAME, ORPC_CLIENT_PACKAGE_VERSION, ORPC_NAME, ORPC_SHARED_PACKAGE_NAME, ORPC_SHARED_PACKAGE_VERSION, assertNever, asyncIteratorToStream, asyncIteratorWithSpan, clone, createORPCErrorFromJson, defer, fallbackContractConfig, fallbackORPCErrorMessage, fallbackORPCErrorStatus, findDeepMatches, get, getConstructor, getGlobalOtelConfig, isAsyncIteratorObject, isDefinedError, isORPCErrorJson, isORPCErrorStatus, isObject, isPropertyKey, isTypescriptObject, onError, onFinish, onStart, onSuccess, once, overlayProxy, parseEmptyableJSON, replicateAsyncIterator, resolveMaybeOptionalOptions, runInSpanContext, runWithSpan, sequential, setGlobalOtelConfig, setSpanAttribute, setSpanError, splitFirst, startSpan, streamToAsyncIteratorClass, stringifyJSON, toArray, toHttpPath, toORPCError, toOtelException, toSpanAttributeValue, tryDecodeURIComponent, value };
package/package.json CHANGED
@@ -1,7 +1,7 @@
1
1
  {
2
2
  "name": "@temporary-name/shared",
3
3
  "type": "module",
4
- "version": "1.9.3-alpha.2957dbc009ec31fa21575f028b83c96651cba827",
4
+ "version": "1.9.3-alpha.305aebe633f301e28426c6b15cdfd58ddf45641c",
5
5
  "license": "MIT",
6
6
  "homepage": "https://www.stainless.com/",
7
7
  "repository": {
@@ -32,6 +32,7 @@
32
32
  }
33
33
  },
34
34
  "dependencies": {
35
+ "openapi-types": "^12.1.3",
35
36
  "radash": "^12.1.1"
36
37
  },
37
38
  "devDependencies": {
@@ -41,6 +42,7 @@
41
42
  "scripts": {
42
43
  "build": "unbuild",
43
44
  "build:watch": "pnpm run build --watch",
44
- "type:check": "tsc -b"
45
+ "clean": "tsc -b --clean",
46
+ "lint:tsc": "tsc -b"
45
47
  }
46
48
  }