@navios/react-query 0.6.1 → 0.7.1

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.
Files changed (56) hide show
  1. package/CHANGELOG.md +47 -0
  2. package/README.md +142 -41
  3. package/dist/src/client/declare-client.d.mts.map +1 -1
  4. package/dist/src/mutation/make-hook.d.mts +3 -1
  5. package/dist/src/mutation/make-hook.d.mts.map +1 -1
  6. package/dist/tsconfig.tsbuildinfo +1 -1
  7. package/lib/index.cjs +412 -0
  8. package/lib/index.cjs.map +1 -0
  9. package/lib/index.d.cts +961 -0
  10. package/lib/index.d.cts.map +1 -0
  11. package/lib/index.d.mts +961 -34
  12. package/lib/index.d.mts.map +1 -0
  13. package/lib/index.mjs +389 -350
  14. package/lib/index.mjs.map +1 -1
  15. package/package.json +8 -8
  16. package/project.json +2 -2
  17. package/src/__tests__/declare-client.spec.mts +2 -2
  18. package/src/__tests__/make-mutation.spec.mts +10 -9
  19. package/src/client/declare-client.mts +28 -6
  20. package/src/mutation/make-hook.mts +3 -11
  21. package/{tsup.config.mts → tsdown.config.mts} +4 -3
  22. package/dist/src/declare-client.d.mts +0 -31
  23. package/dist/src/declare-client.d.mts.map +0 -1
  24. package/dist/src/make-infinite-query-options.d.mts +0 -13
  25. package/dist/src/make-infinite-query-options.d.mts.map +0 -1
  26. package/dist/src/make-mutation.d.mts +0 -15
  27. package/dist/src/make-mutation.d.mts.map +0 -1
  28. package/dist/src/make-query-options.d.mts +0 -15
  29. package/dist/src/make-query-options.d.mts.map +0 -1
  30. package/dist/src/types/client-endpoint-helper.d.mts +0 -8
  31. package/dist/src/types/client-endpoint-helper.d.mts.map +0 -1
  32. package/dist/src/types/client-instance.d.mts +0 -211
  33. package/dist/src/types/client-instance.d.mts.map +0 -1
  34. package/dist/src/types/index.d.mts +0 -8
  35. package/dist/src/types/index.d.mts.map +0 -1
  36. package/dist/src/types/mutation-args.d.mts +0 -10
  37. package/dist/src/types/mutation-args.d.mts.map +0 -1
  38. package/dist/src/types/mutation-helpers.d.mts +0 -10
  39. package/dist/src/types/mutation-helpers.d.mts.map +0 -1
  40. package/dist/src/types/query-args.d.mts +0 -8
  41. package/dist/src/types/query-args.d.mts.map +0 -1
  42. package/dist/src/types/query-helpers.d.mts +0 -14
  43. package/dist/src/types/query-helpers.d.mts.map +0 -1
  44. package/dist/src/types/query-url-params-args.d.mts +0 -5
  45. package/dist/src/types/query-url-params-args.d.mts.map +0 -1
  46. package/dist/src/types.d.mts +0 -49
  47. package/dist/src/types.d.mts.map +0 -1
  48. package/dist/src/utils/mutation-key.creator.d.mts +0 -39
  49. package/dist/src/utils/mutation-key.creator.d.mts.map +0 -1
  50. package/dist/src/utils/query-key-creator.d.mts +0 -24
  51. package/dist/src/utils/query-key-creator.d.mts.map +0 -1
  52. package/lib/_tsup-dts-rollup.d.mts +0 -1097
  53. package/lib/_tsup-dts-rollup.d.ts +0 -1097
  54. package/lib/index.d.ts +0 -34
  55. package/lib/index.js +0 -375
  56. package/lib/index.js.map +0 -1
package/lib/index.cjs ADDED
@@ -0,0 +1,412 @@
1
+ let _navios_builder = require("@navios/builder");
2
+ let _tanstack_react_query = require("@tanstack/react-query");
3
+
4
+ //#region src/query/key-creator.mts
5
+ /**
6
+ * Creates a query key generator for a given endpoint configuration.
7
+ *
8
+ * The returned object provides methods to generate query keys that can be used
9
+ * with TanStack Query for caching, invalidation, and data tagging.
10
+ *
11
+ * @param config - The endpoint configuration
12
+ * @param options - Query parameters including processResponse and key prefix/suffix
13
+ * @param isInfinite - Whether this is for an infinite query
14
+ * @returns An object with methods to generate query keys
15
+ */
16
+ function createQueryKey(config, options, _isInfinite) {
17
+ const url = config.url;
18
+ const urlParts = url.split("/").filter(Boolean);
19
+ return {
20
+ template: urlParts,
21
+ dataTag: (params) => {
22
+ const queryParams = params && "querySchema" in config && "params" in params ? config.querySchema?.parse(params.params) : [];
23
+ return [
24
+ ...options.keyPrefix ?? [],
25
+ ...urlParts.map((part) => part.startsWith("$") ? params.urlParams[part.slice(1)].toString() : part),
26
+ ...options.keySuffix ?? [],
27
+ queryParams ?? []
28
+ ];
29
+ },
30
+ filterKey: (params) => {
31
+ return [
32
+ ...options.keyPrefix ?? [],
33
+ ...urlParts.map((part) => part.startsWith("$") ? params.urlParams[part.slice(1)].toString() : part),
34
+ ...options.keySuffix ?? []
35
+ ];
36
+ },
37
+ bindToUrl: (params) => {
38
+ return (0, _navios_builder.bindUrlParams)(url, params ?? {});
39
+ }
40
+ };
41
+ }
42
+ /** @deprecated Use createQueryKey instead */
43
+ const queryKeyCreator = createQueryKey;
44
+
45
+ //#endregion
46
+ //#region src/query/make-options.mts
47
+ /**
48
+ * Creates query options for a given endpoint.
49
+ *
50
+ * Returns a function that generates TanStack Query options when called with params.
51
+ * The returned function also has helper methods attached (use, useSuspense, invalidate, etc.)
52
+ *
53
+ * @param endpoint - The navios endpoint to create query options for
54
+ * @param options - Query configuration including processResponse
55
+ * @param baseQuery - Optional base query options to merge
56
+ * @returns A function that generates query options with attached helpers
57
+ */
58
+ function makeQueryOptions(endpoint, options, baseQuery = {}) {
59
+ const config = endpoint.config;
60
+ const queryKey = createQueryKey(config, options, false);
61
+ const processResponse = options.processResponse;
62
+ const result = (params) => {
63
+ return (0, _tanstack_react_query.queryOptions)({
64
+ queryKey: queryKey.dataTag(params),
65
+ queryFn: async ({ signal }) => {
66
+ let result$1;
67
+ try {
68
+ result$1 = await endpoint({
69
+ signal,
70
+ ...params
71
+ });
72
+ } catch (err) {
73
+ if (options.onFail) options.onFail(err);
74
+ throw err;
75
+ }
76
+ return processResponse(result$1);
77
+ },
78
+ ...baseQuery
79
+ });
80
+ };
81
+ result.queryKey = queryKey;
82
+ result.use = (params) => {
83
+ return (0, _tanstack_react_query.useQuery)(result(params));
84
+ };
85
+ result.useSuspense = (params) => {
86
+ return (0, _tanstack_react_query.useSuspenseQuery)(result(params));
87
+ };
88
+ result.invalidate = (queryClient, params) => {
89
+ return queryClient.invalidateQueries({ queryKey: result.queryKey.dataTag(params) });
90
+ };
91
+ result.invalidateAll = (queryClient, params) => {
92
+ return queryClient.invalidateQueries({
93
+ queryKey: result.queryKey.filterKey(params),
94
+ exact: false
95
+ });
96
+ };
97
+ return result;
98
+ }
99
+
100
+ //#endregion
101
+ //#region src/query/make-infinite-options.mts
102
+ /**
103
+ * Creates infinite query options for a given endpoint.
104
+ *
105
+ * Returns a function that generates TanStack Query infinite options when called with params.
106
+ * The returned function also has helper methods attached (use, useSuspense, invalidate, etc.)
107
+ *
108
+ * @param endpoint - The navios endpoint to create infinite query options for
109
+ * @param options - Infinite query configuration including processResponse and pagination params
110
+ * @param baseQuery - Optional base query options to merge
111
+ * @returns A function that generates infinite query options with attached helpers
112
+ */
113
+ function makeInfiniteQueryOptions(endpoint, options, baseQuery = {}) {
114
+ const config = endpoint.config;
115
+ const queryKey = createQueryKey(config, options, true);
116
+ const processResponse = options.processResponse;
117
+ const res = (params) => {
118
+ return (0, _tanstack_react_query.infiniteQueryOptions)({
119
+ queryKey: queryKey.dataTag(params),
120
+ queryFn: async ({ signal, pageParam }) => {
121
+ let result;
122
+ try {
123
+ result = await endpoint({
124
+ signal,
125
+ urlParams: params.urlParams,
126
+ params: {
127
+ ..."params" in params ? params.params : {},
128
+ ...pageParam
129
+ }
130
+ });
131
+ } catch (err) {
132
+ if (options.onFail) options.onFail(err);
133
+ throw err;
134
+ }
135
+ return processResponse(result);
136
+ },
137
+ getNextPageParam: options.getNextPageParam,
138
+ getPreviousPageParam: options.getPreviousPageParam,
139
+ initialPageParam: options.initialPageParam ?? config.querySchema.parse("params" in params ? params.params : {}),
140
+ ...baseQuery
141
+ });
142
+ };
143
+ res.queryKey = queryKey;
144
+ res.use = (params) => {
145
+ return (0, _tanstack_react_query.useInfiniteQuery)(res(params));
146
+ };
147
+ res.useSuspense = (params) => {
148
+ return (0, _tanstack_react_query.useSuspenseInfiniteQuery)(res(params));
149
+ };
150
+ res.invalidate = (queryClient, params) => {
151
+ return queryClient.invalidateQueries({ queryKey: res.queryKey.dataTag(params) });
152
+ };
153
+ res.invalidateAll = (queryClient, params) => {
154
+ return queryClient.invalidateQueries({
155
+ queryKey: res.queryKey.filterKey(params),
156
+ exact: false
157
+ });
158
+ };
159
+ return res;
160
+ }
161
+
162
+ //#endregion
163
+ //#region src/mutation/key-creator.mts
164
+ /**
165
+ * Creates a mutation key generator for a given endpoint configuration.
166
+ *
167
+ * @param config - The endpoint configuration
168
+ * @param options - Optional query parameters with a default `processResponse` function
169
+ * @returns A function that generates mutation keys
170
+ *
171
+ * @example Basic usage:
172
+ * ```typescript
173
+ * const createMutationKey = createMutationKey(endpoint.config);
174
+ * const mutationKey = createMutationKey({ urlParams: { id: 123 } });
175
+ * ```
176
+ *
177
+ * @example Advanced usage with processResponse:
178
+ * ```ts
179
+ * const createMutationKey = createMutationKey(endpoint.config, {
180
+ * processResponse: (data) => {
181
+ * if (!data.success) {
182
+ * throw new Error(data.message);
183
+ * }
184
+ * return data.data;
185
+ * },
186
+ * });
187
+ * // We create a mutation that will be shared across the project for all passed userId
188
+ * const mutationKey = createMutationKey({ urlParams: { projectId: 123, userId: 'wildcard' } });
189
+ * ```
190
+ */
191
+ function createMutationKey(config, options = { processResponse: (data) => data }) {
192
+ const queryKey = createQueryKey(config, options, false);
193
+ return (params) => {
194
+ return queryKey.filterKey(params);
195
+ };
196
+ }
197
+ /** @deprecated Use createMutationKey instead */
198
+ const mutationKeyCreator = createMutationKey;
199
+
200
+ //#endregion
201
+ //#region src/mutation/make-hook.mts
202
+ /**
203
+ * Creates a mutation hook for a given endpoint.
204
+ *
205
+ * Returns a function that when called returns a TanStack Query mutation result.
206
+ * The returned function also has helper methods attached (mutationKey, useIsMutating).
207
+ *
208
+ * @param endpoint - The navios endpoint to create a mutation hook for
209
+ * @param options - Mutation configuration including processResponse and callbacks
210
+ * @returns A hook function that returns mutation result with attached helpers
211
+ */
212
+ function makeMutation(endpoint, options) {
213
+ const config = endpoint.config;
214
+ const mutationKey = createMutationKey(config, {
215
+ ...options,
216
+ processResponse: options.processResponse ?? ((data) => data)
217
+ });
218
+ const result = (keyParams) => {
219
+ const { useKey, useContext, onMutate, onError, onSuccess, onSettled, keyPrefix: _keyPrefix, keySuffix: _keySuffix, processResponse, ...rest } = options;
220
+ const ownContext = useContext?.() ?? {};
221
+ return (0, _tanstack_react_query.useMutation)({
222
+ ...rest,
223
+ mutationKey: useKey ? mutationKey(keyParams) : void 0,
224
+ scope: useKey ? { id: JSON.stringify(mutationKey(keyParams)) } : void 0,
225
+ async mutationFn(params) {
226
+ const response = await endpoint(params);
227
+ return processResponse ? processResponse(response) : response;
228
+ },
229
+ onSuccess: onSuccess ? (data, variables, onMutateResult, context) => {
230
+ return onSuccess?.(data, variables, {
231
+ ...ownContext,
232
+ ...context,
233
+ onMutateResult
234
+ });
235
+ } : void 0,
236
+ onError: onError ? (err, variables, onMutateResult, context) => {
237
+ return onError?.(err, variables, {
238
+ onMutateResult,
239
+ ...ownContext,
240
+ ...context
241
+ });
242
+ } : void 0,
243
+ onMutate: onMutate ? (variables, context) => {
244
+ return onMutate(variables, {
245
+ ...ownContext,
246
+ ...context
247
+ });
248
+ } : void 0,
249
+ onSettled: onSettled ? (data, error, variables, onMutateResult, context) => {
250
+ return onSettled(data, error, variables, {
251
+ ...ownContext,
252
+ ...context,
253
+ onMutateResult
254
+ });
255
+ } : void 0
256
+ });
257
+ };
258
+ result.useIsMutating = (keyParams) => {
259
+ if (!options.useKey) throw new Error("useIsMutating can only be used when useKey is set to true");
260
+ return (0, _tanstack_react_query.useIsMutating)({ mutationKey: mutationKey({ urlParams: keyParams }) }) > 0;
261
+ };
262
+ result.mutationKey = mutationKey;
263
+ return result;
264
+ }
265
+
266
+ //#endregion
267
+ //#region src/client/declare-client.mts
268
+ /**
269
+ * Creates a client instance for making type-safe queries and mutations.
270
+ *
271
+ * @param options - Client configuration including the API builder and defaults
272
+ * @returns A client instance with query, infiniteQuery, and mutation methods
273
+ *
274
+ * @example
275
+ * ```typescript
276
+ * const api = createBuilder({ baseUrl: '/api' });
277
+ * const client = declareClient({ api });
278
+ *
279
+ * const getUser = client.query({
280
+ * method: 'GET',
281
+ * url: '/users/$id',
282
+ * responseSchema: UserSchema,
283
+ * });
284
+ *
285
+ * // In a component
286
+ * const { data } = useSuspenseQuery(getUser({ urlParams: { id: '123' } }));
287
+ * ```
288
+ */
289
+ function declareClient({ api, defaults = {} }) {
290
+ function query(config) {
291
+ const endpoint = api.declareEndpoint({
292
+ method: config.method,
293
+ url: config.url,
294
+ querySchema: config.querySchema,
295
+ requestSchema: config.requestSchema,
296
+ responseSchema: config.responseSchema
297
+ });
298
+ const queryOptions$1 = makeQueryOptions(endpoint, {
299
+ ...defaults,
300
+ processResponse: config.processResponse ?? ((data) => data)
301
+ });
302
+ queryOptions$1.endpoint = endpoint;
303
+ return queryOptions$1;
304
+ }
305
+ function queryFromEndpoint(endpoint, options) {
306
+ return makeQueryOptions(endpoint, {
307
+ ...defaults,
308
+ processResponse: options?.processResponse ?? ((data) => data)
309
+ });
310
+ }
311
+ function infiniteQuery(config) {
312
+ const endpoint = api.declareEndpoint({
313
+ method: config.method,
314
+ url: config.url,
315
+ querySchema: config.querySchema,
316
+ requestSchema: config.requestSchema,
317
+ responseSchema: config.responseSchema
318
+ });
319
+ const infiniteQueryOptions$1 = makeInfiniteQueryOptions(endpoint, {
320
+ ...defaults,
321
+ processResponse: config.processResponse ?? ((data) => data),
322
+ getNextPageParam: config.getNextPageParam,
323
+ getPreviousPageParam: config.getPreviousPageParam,
324
+ initialPageParam: config.initialPageParam
325
+ });
326
+ infiniteQueryOptions$1.endpoint = endpoint;
327
+ return infiniteQueryOptions$1;
328
+ }
329
+ function infiniteQueryFromEndpoint(endpoint, options) {
330
+ return makeInfiniteQueryOptions(endpoint, {
331
+ ...defaults,
332
+ processResponse: options?.processResponse ?? ((data) => data),
333
+ getNextPageParam: options.getNextPageParam,
334
+ getPreviousPageParam: options?.getPreviousPageParam,
335
+ initialPageParam: options?.initialPageParam
336
+ });
337
+ }
338
+ function mutation(config) {
339
+ const endpoint = api.declareEndpoint({
340
+ method: config.method,
341
+ url: config.url,
342
+ querySchema: config.querySchema,
343
+ requestSchema: config.requestSchema,
344
+ responseSchema: config.responseSchema
345
+ });
346
+ const useMutation$1 = makeMutation(endpoint, {
347
+ processResponse: config.processResponse ?? ((data) => data),
348
+ useContext: config.useContext,
349
+ onSuccess: config.onSuccess,
350
+ onError: config.onError,
351
+ useKey: config.useKey,
352
+ meta: config.meta,
353
+ ...defaults
354
+ });
355
+ useMutation$1.endpoint = endpoint;
356
+ return useMutation$1;
357
+ }
358
+ function mutationFromEndpoint(endpoint, options) {
359
+ return makeMutation(endpoint, {
360
+ processResponse: options?.processResponse,
361
+ useContext: options?.useContext,
362
+ onMutate: options?.onMutate,
363
+ onSuccess: options?.onSuccess,
364
+ onError: options?.onError,
365
+ onSettled: options?.onSettled,
366
+ useKey: options?.useKey,
367
+ meta: options?.meta,
368
+ ...defaults
369
+ });
370
+ }
371
+ function multipartMutation(config) {
372
+ const endpoint = api.declareMultipart({
373
+ method: config.method,
374
+ url: config.url,
375
+ querySchema: config.querySchema,
376
+ requestSchema: config.requestSchema,
377
+ responseSchema: config.responseSchema
378
+ });
379
+ const useMutation$1 = makeMutation(endpoint, {
380
+ processResponse: config.processResponse ?? ((data) => data),
381
+ useContext: config.useContext,
382
+ onSuccess: config.onSuccess,
383
+ onError: config.onError,
384
+ onMutate: config.onMutate,
385
+ onSettled: config.onSettled,
386
+ useKey: config.useKey,
387
+ ...defaults
388
+ });
389
+ useMutation$1.endpoint = endpoint;
390
+ return useMutation$1;
391
+ }
392
+ return {
393
+ query,
394
+ queryFromEndpoint,
395
+ infiniteQuery,
396
+ infiniteQueryFromEndpoint,
397
+ mutation,
398
+ mutationFromEndpoint,
399
+ multipartMutation
400
+ };
401
+ }
402
+
403
+ //#endregion
404
+ exports.createMutationKey = createMutationKey;
405
+ exports.createQueryKey = createQueryKey;
406
+ exports.declareClient = declareClient;
407
+ exports.makeInfiniteQueryOptions = makeInfiniteQueryOptions;
408
+ exports.makeMutation = makeMutation;
409
+ exports.makeQueryOptions = makeQueryOptions;
410
+ exports.mutationKeyCreator = mutationKeyCreator;
411
+ exports.queryKeyCreator = queryKeyCreator;
412
+ //# sourceMappingURL=index.cjs.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"index.cjs","names":["result","queryOptions","infiniteQueryOptions","useMutation"],"sources":["../src/query/key-creator.mts","../src/query/make-options.mts","../src/query/make-infinite-options.mts","../src/mutation/key-creator.mts","../src/mutation/make-hook.mts","../src/client/declare-client.mts"],"sourcesContent":["import type { AnyEndpointConfig, UrlHasParams } from '@navios/builder'\nimport type { DataTag, InfiniteData } from '@tanstack/react-query'\n\nimport { bindUrlParams } from '@navios/builder'\n\nimport type { Split } from '../common/types.mjs'\nimport type { QueryKeyCreatorResult, QueryParams } from './types.mjs'\n\n/**\n * Creates a query key generator for a given endpoint configuration.\n *\n * The returned object provides methods to generate query keys that can be used\n * with TanStack Query for caching, invalidation, and data tagging.\n *\n * @param config - The endpoint configuration\n * @param options - Query parameters including processResponse and key prefix/suffix\n * @param isInfinite - Whether this is for an infinite query\n * @returns An object with methods to generate query keys\n */\nexport function createQueryKey<\n Config extends AnyEndpointConfig,\n Options extends QueryParams<Config>,\n IsInfinite extends boolean,\n Url extends Config['url'] = Config['url'],\n HasParams extends UrlHasParams<Url> = UrlHasParams<Url>,\n>(\n config: Config,\n options: Options,\n _isInfinite: IsInfinite,\n): QueryKeyCreatorResult<\n Config['querySchema'],\n Url,\n Options['processResponse'] extends (...args: any[]) => infer Result\n ? Result\n : never,\n IsInfinite,\n HasParams\n> {\n const url = config.url as Url\n const urlParts = url.split('/').filter(Boolean) as Split<Url, '/'>\n return {\n template: urlParts,\n // @ts-expect-error We have correct types in return type\n dataTag: (params) => {\n const queryParams =\n params && 'querySchema' in config && 'params' in params\n ? config.querySchema?.parse(params.params)\n : []\n return [\n ...(options.keyPrefix ?? []),\n ...urlParts.map((part) =>\n part.startsWith('$')\n ? // @ts-expect-error TS2339 We know that the urlParams are defined only if the url has params\n params.urlParams[part.slice(1)].toString()\n : part,\n ),\n ...(options.keySuffix ?? []),\n queryParams ?? [],\n ] as unknown as DataTag<\n Split<Url, '/'>,\n Options['processResponse'] extends (...args: any[]) => infer Result\n ? IsInfinite extends true\n ? InfiniteData<Result>\n : Result\n : never,\n Error\n >\n },\n // @ts-expect-error We have correct types in return type\n filterKey: (params) => {\n return [\n ...(options.keyPrefix ?? []),\n ...urlParts.map((part) =>\n part.startsWith('$')\n ? // @ts-expect-error TS2339 We know that the urlParams are defined only if the url has params\n params.urlParams[part.slice(1)].toString()\n : part,\n ),\n ...(options.keySuffix ?? []),\n ] as unknown as DataTag<\n Split<Url, '/'>,\n Options['processResponse'] extends (...args: any[]) => infer Result\n ? IsInfinite extends true\n ? InfiniteData<Result>\n : Result\n : never,\n Error\n >\n },\n\n bindToUrl: (params) => {\n return bindUrlParams<Url>(url, params ?? ({} as never))\n },\n }\n}\n\n// Legacy export for backwards compatibility\n/** @deprecated Use createQueryKey instead */\nexport const queryKeyCreator = createQueryKey\n","import type { AbstractEndpoint, AnyEndpointConfig } from '@navios/builder'\nimport type {\n DataTag,\n QueryClient,\n UseQueryOptions,\n UseSuspenseQueryOptions,\n} from '@tanstack/react-query'\n\nimport { queryOptions, useQuery, useSuspenseQuery } from '@tanstack/react-query'\n\nimport type { Split } from '../common/types.mjs'\nimport type { QueryArgs, QueryParams } from './types.mjs'\n\nimport { createQueryKey } from './key-creator.mjs'\n\n/**\n * Creates query options for a given endpoint.\n *\n * Returns a function that generates TanStack Query options when called with params.\n * The returned function also has helper methods attached (use, useSuspense, invalidate, etc.)\n *\n * @param endpoint - The navios endpoint to create query options for\n * @param options - Query configuration including processResponse\n * @param baseQuery - Optional base query options to merge\n * @returns A function that generates query options with attached helpers\n */\nexport function makeQueryOptions<\n Config extends AnyEndpointConfig,\n Options extends QueryParams<Config>,\n BaseQuery extends Omit<\n UseQueryOptions<ReturnType<Options['processResponse']>, Error, any>,\n | 'queryKey'\n | 'queryFn'\n | 'getNextPageParam'\n | 'initialPageParam'\n | 'enabled'\n | 'throwOnError'\n | 'placeholderData'\n >,\n>(\n endpoint: AbstractEndpoint<Config>,\n options: Options,\n baseQuery: BaseQuery = {} as BaseQuery,\n) {\n const config = endpoint.config\n const queryKey = createQueryKey(config, options, false)\n const processResponse = options.processResponse\n\n const result = (\n params: QueryArgs<Config['url'], Config['querySchema']>,\n ): Options['processResponse'] extends (...args: any[]) => infer Result\n ? UseSuspenseQueryOptions<\n Result,\n Error,\n BaseQuery['select'] extends (...args: any[]) => infer T ? T : Result,\n DataTag<Split<Config['url'], '/'>, Result, Error>\n >\n : never => {\n // @ts-expect-error TS2322 We know that the processResponse is defined\n return queryOptions({\n queryKey: queryKey.dataTag(params),\n queryFn: async ({ signal }): Promise<ReturnType<Options['processResponse']>> => {\n let result\n try {\n result = await endpoint({\n signal,\n ...params,\n })\n } catch (err) {\n if (options.onFail) {\n options.onFail(err)\n }\n throw err\n }\n\n return processResponse(result) as ReturnType<Options['processResponse']>\n },\n ...baseQuery,\n })\n }\n result.queryKey = queryKey\n result.use = (params: QueryArgs<Config['url'], Config['querySchema']>) => {\n return useQuery(result(params))\n }\n\n result.useSuspense = (params: QueryArgs<Config['url'], Config['querySchema']>) => {\n return useSuspenseQuery(result(params))\n }\n\n result.invalidate = (\n queryClient: QueryClient,\n params: QueryArgs<Config['url'], Config['querySchema']>,\n ) => {\n return queryClient.invalidateQueries({\n queryKey: result.queryKey.dataTag(params),\n })\n }\n\n result.invalidateAll = (\n queryClient: QueryClient,\n params: QueryArgs<Config['url'], Config['querySchema']>,\n ) => {\n return queryClient.invalidateQueries({\n queryKey: result.queryKey.filterKey(params),\n exact: false,\n })\n }\n\n return result\n}\n","import type {\n AbstractEndpoint,\n AnyEndpointConfig,\n UrlParams,\n} from '@navios/builder'\nimport type {\n InfiniteData,\n QueryClient,\n UseInfiniteQueryOptions,\n UseSuspenseInfiniteQueryOptions,\n} from '@tanstack/react-query'\nimport type { z } from 'zod/v4'\n\nimport {\n infiniteQueryOptions,\n useInfiniteQuery,\n useSuspenseInfiniteQuery,\n} from '@tanstack/react-query'\n\nimport type { InfiniteQueryOptions, QueryArgs } from './types.mjs'\n\nimport { createQueryKey } from './key-creator.mjs'\n\n/**\n * Creates infinite query options for a given endpoint.\n *\n * Returns a function that generates TanStack Query infinite options when called with params.\n * The returned function also has helper methods attached (use, useSuspense, invalidate, etc.)\n *\n * @param endpoint - The navios endpoint to create infinite query options for\n * @param options - Infinite query configuration including processResponse and pagination params\n * @param baseQuery - Optional base query options to merge\n * @returns A function that generates infinite query options with attached helpers\n */\nexport function makeInfiniteQueryOptions<\n Config extends AnyEndpointConfig,\n Options extends InfiniteQueryOptions<Config>,\n BaseQuery extends Omit<\n UseInfiniteQueryOptions<ReturnType<Options['processResponse']>, Error, any>,\n | 'queryKey'\n | 'queryFn'\n | 'getNextPageParam'\n | 'initialPageParam'\n | 'placeholderData'\n | 'throwOnError'\n >,\n>(\n endpoint: AbstractEndpoint<Config>,\n options: Options,\n baseQuery: BaseQuery = {} as BaseQuery,\n) {\n const config = endpoint.config\n const queryKey = createQueryKey(config, options, true)\n\n const processResponse = options.processResponse\n const res = (\n params: QueryArgs<Config['url'], Config['querySchema']>,\n ): Options['processResponse'] extends (...args: any[]) => infer Result\n ? UseSuspenseInfiniteQueryOptions<\n Result,\n Error,\n BaseQuery['select'] extends (...args: any[]) => infer T\n ? T\n : InfiniteData<Result>\n >\n : never => {\n // @ts-expect-error TS2322 We know that the processResponse is defined\n return infiniteQueryOptions({\n queryKey: queryKey.dataTag(params),\n queryFn: async ({ signal, pageParam }): Promise<ReturnType<Options['processResponse']>> => {\n let result\n try {\n result = await endpoint({\n signal,\n // @ts-expect-error TS2345 We bind the url params only if the url has params\n urlParams: params.urlParams as z.infer<UrlParams<Config['url']>>,\n params: {\n ...('params' in params ? params.params : {}),\n ...(pageParam as z.infer<Config['querySchema']>),\n },\n })\n } catch (err) {\n if (options.onFail) {\n options.onFail(err)\n }\n throw err\n }\n\n return processResponse(result) as ReturnType<Options['processResponse']>\n },\n getNextPageParam: options.getNextPageParam,\n getPreviousPageParam: options.getPreviousPageParam,\n initialPageParam:\n options.initialPageParam ??\n config.querySchema.parse('params' in params ? params.params : {}),\n ...baseQuery,\n })\n }\n res.queryKey = queryKey\n\n res.use = (params: QueryArgs<Config['url'], Config['querySchema']>) => {\n return useInfiniteQuery(res(params))\n }\n\n res.useSuspense = (params: QueryArgs<Config['url'], Config['querySchema']>) => {\n return useSuspenseInfiniteQuery(res(params))\n }\n\n res.invalidate = (\n queryClient: QueryClient,\n params: QueryArgs<Config['url'], Config['querySchema']>,\n ) => {\n return queryClient.invalidateQueries({\n queryKey: res.queryKey.dataTag(params),\n })\n }\n\n res.invalidateAll = (\n queryClient: QueryClient,\n params: QueryArgs<Config['url'], Config['querySchema']>,\n ) => {\n return queryClient.invalidateQueries({\n queryKey: res.queryKey.filterKey(params),\n exact: false,\n })\n }\n\n return res\n}\n","import type {\n AnyEndpointConfig,\n UrlHasParams,\n UrlParams,\n} from '@navios/builder'\nimport type { DataTag } from '@tanstack/react-query'\n\nimport type { QueryParams } from '../query/types.mjs'\n\nimport { createQueryKey } from '../query/key-creator.mjs'\n\n/**\n * Creates a mutation key generator for a given endpoint configuration.\n *\n * @param config - The endpoint configuration\n * @param options - Optional query parameters with a default `processResponse` function\n * @returns A function that generates mutation keys\n *\n * @example Basic usage:\n * ```typescript\n * const createMutationKey = createMutationKey(endpoint.config);\n * const mutationKey = createMutationKey({ urlParams: { id: 123 } });\n * ```\n *\n * @example Advanced usage with processResponse:\n * ```ts\n * const createMutationKey = createMutationKey(endpoint.config, {\n * processResponse: (data) => {\n * if (!data.success) {\n * throw new Error(data.message);\n * }\n * return data.data;\n * },\n * });\n * // We create a mutation that will be shared across the project for all passed userId\n * const mutationKey = createMutationKey({ urlParams: { projectId: 123, userId: 'wildcard' } });\n * ```\n */\nexport function createMutationKey<\n Config extends AnyEndpointConfig,\n Options extends QueryParams<Config>,\n Url extends Config['url'] = Config['url'],\n HasParams extends UrlHasParams<Url> = UrlHasParams<Url>,\n>(\n config: Config,\n options: Options = {\n processResponse: (data) => data,\n } as Options,\n): (\n params: HasParams extends true ? { urlParams: UrlParams<Url> } : {},\n) => Options['processResponse'] extends (...args: unknown[]) => infer Result\n ? DataTag<[Config['url']], Result, Error>\n : never {\n const queryKey = createQueryKey(config, options, false)\n\n // @ts-expect-error We have correct types in return type\n return (params) => {\n return queryKey.filterKey(params)\n }\n}\n\n// Legacy export for backwards compatibility\n/** @deprecated Use createMutationKey instead */\nexport const mutationKeyCreator = createMutationKey\n","import type {\n AbstractEndpoint,\n AnyEndpointConfig,\n NaviosZodRequest,\n UrlHasParams,\n UrlParams,\n} from '@navios/builder'\nimport type {\n MutationFunctionContext,\n UseMutationResult,\n} from '@tanstack/react-query'\nimport type { z } from 'zod/v4'\n\nimport { useIsMutating, useMutation } from '@tanstack/react-query'\n\nimport type { MutationParams } from './types.mjs'\n\nimport { createMutationKey } from './key-creator.mjs'\n\n/**\n * Creates a mutation hook for a given endpoint.\n *\n * Returns a function that when called returns a TanStack Query mutation result.\n * The returned function also has helper methods attached (mutationKey, useIsMutating).\n *\n * @param endpoint - The navios endpoint to create a mutation hook for\n * @param options - Mutation configuration including processResponse and callbacks\n * @returns A hook function that returns mutation result with attached helpers\n */\nexport function makeMutation<\n Config extends AnyEndpointConfig,\n TData = unknown,\n TVariables extends NaviosZodRequest<Config> = NaviosZodRequest<Config>,\n TResponse = z.output<Config['responseSchema']>,\n TOnMutateResult = unknown,\n TContext = unknown,\n UseKey extends boolean = false,\n>(\n endpoint: AbstractEndpoint<Config>,\n options: MutationParams<\n Config,\n TData,\n TVariables,\n TResponse,\n TOnMutateResult,\n TContext,\n UseKey\n >,\n) {\n const config = endpoint.config\n\n const mutationKey = createMutationKey(config, {\n ...options,\n processResponse: options.processResponse ?? ((data) => data),\n })\n const result = (\n keyParams: UseKey extends true\n ? UrlHasParams<Config['url']> extends true\n ? { urlParams: UrlParams<Config['url']> }\n : never\n : never,\n ): UseMutationResult<\n TData,\n Error,\n NaviosZodRequest<Config>,\n TOnMutateResult\n > => {\n const {\n useKey,\n useContext,\n onMutate,\n onError,\n onSuccess,\n onSettled,\n keyPrefix: _keyPrefix,\n keySuffix: _keySuffix,\n processResponse,\n ...rest\n } = options\n\n const ownContext = (useContext?.() as TContext) ?? {}\n\n // @ts-expect-error The types match\n return useMutation({\n ...rest,\n mutationKey: useKey ? mutationKey(keyParams) : undefined,\n scope: useKey\n ? {\n id: JSON.stringify(mutationKey(keyParams)),\n }\n : undefined,\n async mutationFn(params: TVariables) {\n const response = await endpoint(params)\n\n return (processResponse ? processResponse(response) : response) as TData\n },\n onSuccess: onSuccess\n ? (\n data: TData,\n variables: TVariables,\n onMutateResult: TOnMutateResult | undefined,\n context: MutationFunctionContext,\n ) => {\n return onSuccess?.(data, variables, {\n ...ownContext,\n ...context,\n onMutateResult,\n } as TContext &\n MutationFunctionContext & {\n onMutateResult: TOnMutateResult | undefined\n })\n }\n : undefined,\n onError: onError\n ? (\n err: Error,\n variables: TVariables,\n onMutateResult: TOnMutateResult | undefined,\n context: MutationFunctionContext,\n ) => {\n return onError?.(err, variables, {\n onMutateResult,\n ...ownContext,\n ...context,\n } as TContext &\n MutationFunctionContext & {\n onMutateResult: TOnMutateResult | undefined\n })\n }\n : undefined,\n onMutate: onMutate\n ? (variables: TVariables, context: MutationFunctionContext) => {\n return onMutate(variables, {\n ...ownContext,\n ...context,\n } as TContext & MutationFunctionContext)\n }\n : undefined,\n onSettled: onSettled\n ? (\n data: TData | undefined,\n error: Error | null,\n variables: TVariables,\n onMutateResult: TOnMutateResult | undefined,\n context: MutationFunctionContext,\n ) => {\n return onSettled(data, error, variables, {\n ...ownContext,\n ...context,\n onMutateResult,\n } as TContext &\n MutationFunctionContext & {\n onMutateResult: TOnMutateResult | undefined\n })\n }\n : undefined,\n })\n }\n result.useIsMutating = (\n keyParams: UseKey extends true\n ? UrlHasParams<Config['url']> extends true\n ? UrlParams<Config['url']>\n : never\n : never,\n ): boolean => {\n if (!options.useKey) {\n throw new Error(\n 'useIsMutating can only be used when useKey is set to true',\n )\n }\n const isMutating = useIsMutating({\n mutationKey: mutationKey({\n urlParams: keyParams,\n }),\n })\n return isMutating > 0\n }\n result.mutationKey = mutationKey\n\n return result\n}\n","import type {\n AbstractEndpoint,\n AbstractStream,\n AnyEndpointConfig,\n AnyStreamConfig,\n HttpMethod,\n} from '@navios/builder'\nimport type {\n InfiniteData,\n MutationFunctionContext,\n} from '@tanstack/react-query'\nimport type { z, ZodObject, ZodType } from 'zod/v4'\n\nimport type {\n ClientOptions,\n ProcessResponseFunction,\n} from '../common/types.mjs'\nimport type { MutationArgs } from '../mutation/types.mjs'\nimport type { ClientInstance } from './types.mjs'\n\nimport { makeMutation } from '../mutation/make-hook.mjs'\nimport { makeInfiniteQueryOptions } from '../query/make-infinite-options.mjs'\nimport { makeQueryOptions } from '../query/make-options.mjs'\n\n/**\n * Configuration for declaring a query endpoint.\n */\nexport interface QueryConfig<\n Method = HttpMethod,\n Url = string,\n QuerySchema = ZodObject,\n Response extends ZodType = ZodType,\n Result = z.output<Response>,\n RequestSchema = unknown,\n> {\n method: Method\n url: Url\n querySchema?: QuerySchema\n responseSchema: Response\n requestSchema?: RequestSchema\n processResponse?: (data: z.output<Response>) => Result\n}\n\n/**\n * Configuration for declaring an infinite query endpoint.\n */\nexport type InfiniteQueryConfig<\n Method = HttpMethod,\n Url = string,\n QuerySchema extends ZodObject = ZodObject,\n Response extends ZodType = ZodType,\n PageResult = z.output<Response>,\n Result = InfiniteData<PageResult>,\n RequestSchema = unknown,\n> = {\n method: Method\n url: Url\n querySchema: QuerySchema\n responseSchema: Response\n requestSchema?: RequestSchema\n processResponse?: (data: z.output<Response>) => PageResult\n select?: (data: InfiniteData<PageResult>) => Result\n getNextPageParam: (\n lastPage: PageResult,\n allPages: PageResult[],\n lastPageParam: z.infer<QuerySchema> | undefined,\n allPageParams: z.infer<QuerySchema>[] | undefined,\n ) => z.input<QuerySchema> | undefined\n getPreviousPageParam?: (\n firstPage: PageResult,\n allPages: PageResult[],\n lastPageParam: z.infer<QuerySchema> | undefined,\n allPageParams: z.infer<QuerySchema>[] | undefined,\n ) => z.input<QuerySchema>\n initialPageParam?: z.input<QuerySchema>\n}\n\n/**\n * Configuration for declaring a mutation endpoint.\n */\nexport interface MutationConfig<\n Method extends 'POST' | 'PUT' | 'PATCH' | 'DELETE' =\n | 'POST'\n | 'PUT'\n | 'PATCH'\n | 'DELETE',\n Url extends string = string,\n RequestSchema = Method extends 'DELETE' ? never : ZodObject,\n QuerySchema = unknown,\n Response extends ZodType = ZodType,\n ReqResult = z.output<Response>,\n Result = unknown,\n TOnMutateResult = unknown,\n Context = unknown,\n UseKey extends boolean = false,\n> {\n method: Method\n url: Url\n querySchema?: QuerySchema\n responseSchema: Response\n requestSchema?: RequestSchema\n processResponse: ProcessResponseFunction<Result, ReqResult>\n useContext?: () => Context\n onSuccess?: (\n data: Result,\n variables: MutationArgs<Url, RequestSchema, QuerySchema>,\n context: Context &\n MutationFunctionContext & { onMutateResult: TOnMutateResult | undefined },\n ) => void | Promise<void>\n onError?: (\n err: unknown,\n variables: MutationArgs<Url, RequestSchema, QuerySchema>,\n context: Context &\n MutationFunctionContext & { onMutateResult: TOnMutateResult | undefined },\n ) => void | Promise<void>\n onMutate?: (\n variables: MutationArgs<Url, RequestSchema, QuerySchema>,\n context: Context & MutationFunctionContext,\n ) => TOnMutateResult | Promise<TOnMutateResult>\n onSettled?: (\n data: Result | undefined,\n error: Error | null,\n variables: MutationArgs<Url, RequestSchema, QuerySchema>,\n context: Context &\n MutationFunctionContext & { onMutateResult: TOnMutateResult | undefined },\n ) => void | Promise<void>\n useKey?: UseKey\n meta?: Record<string, unknown>\n}\n\n/**\n * Creates a client instance for making type-safe queries and mutations.\n *\n * @param options - Client configuration including the API builder and defaults\n * @returns A client instance with query, infiniteQuery, and mutation methods\n *\n * @example\n * ```typescript\n * const api = createBuilder({ baseUrl: '/api' });\n * const client = declareClient({ api });\n *\n * const getUser = client.query({\n * method: 'GET',\n * url: '/users/$id',\n * responseSchema: UserSchema,\n * });\n *\n * // In a component\n * const { data } = useSuspenseQuery(getUser({ urlParams: { id: '123' } }));\n * ```\n */\nexport function declareClient<Options extends ClientOptions>({\n api,\n defaults = {},\n}: Options): ClientInstance {\n function query(config: QueryConfig) {\n const endpoint = api.declareEndpoint({\n // @ts-expect-error we accept only specific methods\n method: config.method,\n url: config.url,\n querySchema: config.querySchema,\n requestSchema: config.requestSchema,\n responseSchema: config.responseSchema,\n })\n\n const queryOptions = makeQueryOptions(endpoint, {\n ...defaults,\n processResponse: config.processResponse ?? ((data) => data),\n })\n // @ts-expect-error We attach the endpoint to the queryOptions\n queryOptions.endpoint = endpoint\n return queryOptions\n }\n\n function queryFromEndpoint(\n endpoint: AbstractEndpoint<AnyEndpointConfig>,\n options?: {\n processResponse?: (\n data: z.output<AnyEndpointConfig['responseSchema']>,\n ) => unknown\n },\n ) {\n return makeQueryOptions(endpoint, {\n ...defaults,\n processResponse: options?.processResponse ?? ((data) => data),\n })\n }\n\n function infiniteQuery(config: InfiniteQueryConfig) {\n const endpoint = api.declareEndpoint({\n // @ts-expect-error we accept only specific methods\n method: config.method,\n url: config.url,\n querySchema: config.querySchema,\n requestSchema: config.requestSchema,\n responseSchema: config.responseSchema,\n })\n const infiniteQueryOptions = makeInfiniteQueryOptions(endpoint, {\n ...defaults,\n processResponse: config.processResponse ?? ((data) => data),\n getNextPageParam: config.getNextPageParam,\n getPreviousPageParam: config.getPreviousPageParam,\n initialPageParam: config.initialPageParam,\n })\n\n // @ts-expect-error We attach the endpoint to the infiniteQueryOptions\n infiniteQueryOptions.endpoint = endpoint\n return infiniteQueryOptions\n }\n\n function infiniteQueryFromEndpoint(\n endpoint: AbstractEndpoint<AnyEndpointConfig>,\n options: {\n processResponse?: (\n data: z.output<AnyEndpointConfig['responseSchema']>,\n ) => unknown\n getNextPageParam: (\n lastPage: z.infer<AnyEndpointConfig['responseSchema']>,\n allPages: z.infer<AnyEndpointConfig['responseSchema']>[],\n lastPageParam: z.infer<AnyEndpointConfig['querySchema']> | undefined,\n allPageParams: z.infer<AnyEndpointConfig['querySchema']>[] | undefined,\n ) => z.input<AnyEndpointConfig['querySchema']> | undefined\n getPreviousPageParam?: (\n firstPage: z.infer<AnyEndpointConfig['responseSchema']>,\n allPages: z.infer<AnyEndpointConfig['responseSchema']>[],\n lastPageParam: z.infer<AnyEndpointConfig['querySchema']> | undefined,\n allPageParams: z.infer<AnyEndpointConfig['querySchema']>[] | undefined,\n ) => z.input<AnyEndpointConfig['querySchema']>\n initialPageParam?: z.input<AnyEndpointConfig['querySchema']>\n },\n ) {\n return makeInfiniteQueryOptions(endpoint, {\n ...defaults,\n processResponse: options?.processResponse ?? ((data) => data),\n getNextPageParam: options.getNextPageParam,\n getPreviousPageParam: options?.getPreviousPageParam,\n initialPageParam: options?.initialPageParam,\n })\n }\n\n function mutation(config: MutationConfig) {\n const endpoint = api.declareEndpoint({\n // @ts-expect-error We forgot about the DELETE method in original makeMutation\n method: config.method,\n url: config.url,\n querySchema: config.querySchema,\n requestSchema: config.requestSchema,\n responseSchema: config.responseSchema,\n })\n\n const useMutation = makeMutation(endpoint, {\n processResponse: config.processResponse ?? ((data) => data),\n useContext: config.useContext,\n // @ts-expect-error We forgot about the DELETE method in original makeMutation\n onSuccess: config.onSuccess,\n // @ts-expect-error We forgot about the DELETE method in original makeMutation\n onError: config.onError,\n useKey: config.useKey,\n meta: config.meta,\n ...defaults,\n })\n\n // @ts-expect-error We attach the endpoint to the useMutation\n useMutation.endpoint = endpoint\n return useMutation\n }\n\n function mutationFromEndpoint(\n endpoint:\n | AbstractEndpoint<AnyEndpointConfig>\n | AbstractStream<AnyStreamConfig>,\n options?: {\n processResponse?: ProcessResponseFunction\n useContext?: () => unknown\n onMutate?: (\n variables: MutationArgs,\n context: MutationFunctionContext & { [key: string]: unknown },\n ) => unknown | Promise<unknown>\n onSuccess?: (\n data: unknown,\n variables: MutationArgs,\n context: MutationFunctionContext & {\n onMutateResult: unknown | undefined\n [key: string]: unknown\n },\n ) => void | Promise<void>\n onError?: (\n err: unknown,\n variables: MutationArgs,\n context: MutationFunctionContext & {\n onMutateResult: unknown | undefined\n [key: string]: unknown\n },\n ) => void | Promise<void>\n onSettled?: (\n data: unknown | undefined,\n error: Error | null,\n variables: MutationArgs,\n context: MutationFunctionContext & {\n onMutateResult: unknown | undefined\n [key: string]: unknown\n },\n ) => void | Promise<void>\n useKey?: boolean\n meta?: Record<string, unknown>\n },\n ) {\n // @ts-expect-error endpoint types are compatible at runtime\n return makeMutation(endpoint, {\n processResponse: options?.processResponse,\n useContext: options?.useContext,\n onMutate: options?.onMutate,\n onSuccess: options?.onSuccess,\n onError: options?.onError,\n onSettled: options?.onSettled,\n useKey: options?.useKey,\n meta: options?.meta,\n ...defaults,\n })\n }\n\n function multipartMutation(config: MutationConfig) {\n const endpoint = api.declareMultipart({\n // @ts-expect-error we accept only specific methods\n method: config.method,\n url: config.url,\n querySchema: config.querySchema,\n requestSchema: config.requestSchema,\n responseSchema: config.responseSchema,\n })\n\n const useMutation = makeMutation(endpoint, {\n processResponse: config.processResponse ?? ((data) => data),\n useContext: config.useContext,\n // @ts-expect-error We forgot about the DELETE method in original makeMutation\n onSuccess: config.onSuccess,\n // @ts-expect-error We forgot about the DELETE method in original makeMutation\n onError: config.onError,\n // @ts-expect-error We forgot about the DELETE method in original makeMutation\n onMutate: config.onMutate,\n // @ts-expect-error We forgot about the DELETE method in original makeMutation\n onSettled: config.onSettled,\n useKey: config.useKey,\n ...defaults,\n })\n\n // @ts-expect-error We attach the endpoint to the useMutation\n useMutation.endpoint = endpoint\n return useMutation\n }\n\n return {\n // @ts-expect-error We simplified types here\n query,\n // @ts-expect-error We simplified types here\n queryFromEndpoint,\n // @ts-expect-error We simplified types here\n infiniteQuery,\n // @ts-expect-error We simplified types here\n infiniteQueryFromEndpoint,\n // @ts-expect-error We simplified types here\n mutation,\n // @ts-expect-error We simplified types here\n mutationFromEndpoint,\n // @ts-expect-error We simplified types here\n multipartMutation,\n }\n}\n"],"mappings":";;;;;;;;;;;;;;;AAmBA,SAAgB,eAOd,QACA,SACA,aASA;CACA,MAAM,MAAM,OAAO;CACnB,MAAM,WAAW,IAAI,MAAM,IAAI,CAAC,OAAO,QAAQ;AAC/C,QAAO;EACL,UAAU;EAEV,UAAU,WAAW;GACnB,MAAM,cACJ,UAAU,iBAAiB,UAAU,YAAY,SAC7C,OAAO,aAAa,MAAM,OAAO,OAAO,GACxC,EAAE;AACR,UAAO;IACL,GAAI,QAAQ,aAAa,EAAE;IAC3B,GAAG,SAAS,KAAK,SACf,KAAK,WAAW,IAAI,GAEhB,OAAO,UAAU,KAAK,MAAM,EAAE,EAAE,UAAU,GAC1C,KACL;IACD,GAAI,QAAQ,aAAa,EAAE;IAC3B,eAAe,EAAE;IAClB;;EAWH,YAAY,WAAW;AACrB,UAAO;IACL,GAAI,QAAQ,aAAa,EAAE;IAC3B,GAAG,SAAS,KAAK,SACf,KAAK,WAAW,IAAI,GAEhB,OAAO,UAAU,KAAK,MAAM,EAAE,EAAE,UAAU,GAC1C,KACL;IACD,GAAI,QAAQ,aAAa,EAAE;IAC5B;;EAWH,YAAY,WAAW;AACrB,6CAA0B,KAAK,UAAW,EAAE,CAAW;;EAE1D;;;AAKH,MAAa,kBAAkB;;;;;;;;;;;;;;;ACxE/B,SAAgB,iBAcd,UACA,SACA,YAAuB,EAAE,EACzB;CACA,MAAM,SAAS,SAAS;CACxB,MAAM,WAAW,eAAe,QAAQ,SAAS,MAAM;CACvD,MAAM,kBAAkB,QAAQ;CAEhC,MAAM,UACJ,WAQW;AAEX,iDAAoB;GAClB,UAAU,SAAS,QAAQ,OAAO;GAClC,SAAS,OAAO,EAAE,aAA8D;IAC9E,IAAIA;AACJ,QAAI;AACF,gBAAS,MAAM,SAAS;MACtB;MACA,GAAG;MACJ,CAAC;aACK,KAAK;AACZ,SAAI,QAAQ,OACV,SAAQ,OAAO,IAAI;AAErB,WAAM;;AAGR,WAAO,gBAAgBA,SAAO;;GAEhC,GAAG;GACJ,CAAC;;AAEJ,QAAO,WAAW;AAClB,QAAO,OAAO,WAA4D;AACxE,6CAAgB,OAAO,OAAO,CAAC;;AAGjC,QAAO,eAAe,WAA4D;AAChF,qDAAwB,OAAO,OAAO,CAAC;;AAGzC,QAAO,cACL,aACA,WACG;AACH,SAAO,YAAY,kBAAkB,EACnC,UAAU,OAAO,SAAS,QAAQ,OAAO,EAC1C,CAAC;;AAGJ,QAAO,iBACL,aACA,WACG;AACH,SAAO,YAAY,kBAAkB;GACnC,UAAU,OAAO,SAAS,UAAU,OAAO;GAC3C,OAAO;GACR,CAAC;;AAGJ,QAAO;;;;;;;;;;;;;;;;AC1ET,SAAgB,yBAad,UACA,SACA,YAAuB,EAAE,EACzB;CACA,MAAM,SAAS,SAAS;CACxB,MAAM,WAAW,eAAe,QAAQ,SAAS,KAAK;CAEtD,MAAM,kBAAkB,QAAQ;CAChC,MAAM,OACJ,WASW;AAEX,yDAA4B;GAC1B,UAAU,SAAS,QAAQ,OAAO;GAClC,SAAS,OAAO,EAAE,QAAQ,gBAAiE;IACzF,IAAI;AACJ,QAAI;AACF,cAAS,MAAM,SAAS;MACtB;MAEA,WAAW,OAAO;MAClB,QAAQ;OACN,GAAI,YAAY,SAAS,OAAO,SAAS,EAAE;OAC3C,GAAI;OACL;MACF,CAAC;aACK,KAAK;AACZ,SAAI,QAAQ,OACV,SAAQ,OAAO,IAAI;AAErB,WAAM;;AAGR,WAAO,gBAAgB,OAAO;;GAEhC,kBAAkB,QAAQ;GAC1B,sBAAsB,QAAQ;GAC9B,kBACE,QAAQ,oBACR,OAAO,YAAY,MAAM,YAAY,SAAS,OAAO,SAAS,EAAE,CAAC;GACnE,GAAG;GACJ,CAAC;;AAEJ,KAAI,WAAW;AAEf,KAAI,OAAO,WAA4D;AACrE,qDAAwB,IAAI,OAAO,CAAC;;AAGtC,KAAI,eAAe,WAA4D;AAC7E,6DAAgC,IAAI,OAAO,CAAC;;AAG9C,KAAI,cACF,aACA,WACG;AACH,SAAO,YAAY,kBAAkB,EACnC,UAAU,IAAI,SAAS,QAAQ,OAAO,EACvC,CAAC;;AAGJ,KAAI,iBACF,aACA,WACG;AACH,SAAO,YAAY,kBAAkB;GACnC,UAAU,IAAI,SAAS,UAAU,OAAO;GACxC,OAAO;GACR,CAAC;;AAGJ,QAAO;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;ACzFT,SAAgB,kBAMd,QACA,UAAmB,EACjB,kBAAkB,SAAS,MAC5B,EAKO;CACR,MAAM,WAAW,eAAe,QAAQ,SAAS,MAAM;AAGvD,SAAQ,WAAW;AACjB,SAAO,SAAS,UAAU,OAAO;;;;AAMrC,MAAa,qBAAqB;;;;;;;;;;;;;;AClClC,SAAgB,aASd,UACA,SASA;CACA,MAAM,SAAS,SAAS;CAExB,MAAM,cAAc,kBAAkB,QAAQ;EAC5C,GAAG;EACH,iBAAiB,QAAQ,qBAAqB,SAAS;EACxD,CAAC;CACF,MAAM,UACJ,cAUG;EACH,MAAM,EACJ,QACA,YACA,UACA,SACA,WACA,WACA,WAAW,YACX,WAAW,YACX,iBACA,GAAG,SACD;EAEJ,MAAM,aAAc,cAAc,IAAiB,EAAE;AAGrD,gDAAmB;GACjB,GAAG;GACH,aAAa,SAAS,YAAY,UAAU,GAAG;GAC/C,OAAO,SACH,EACE,IAAI,KAAK,UAAU,YAAY,UAAU,CAAC,EAC3C,GACD;GACJ,MAAM,WAAW,QAAoB;IACnC,MAAM,WAAW,MAAM,SAAS,OAAO;AAEvC,WAAQ,kBAAkB,gBAAgB,SAAS,GAAG;;GAExD,WAAW,aAEL,MACA,WACA,gBACA,YACG;AACH,WAAO,YAAY,MAAM,WAAW;KAClC,GAAG;KACH,GAAG;KACH;KACD,CAGG;OAEN;GACJ,SAAS,WAEH,KACA,WACA,gBACA,YACG;AACH,WAAO,UAAU,KAAK,WAAW;KAC/B;KACA,GAAG;KACH,GAAG;KACJ,CAGG;OAEN;GACJ,UAAU,YACL,WAAuB,YAAqC;AAC3D,WAAO,SAAS,WAAW;KACzB,GAAG;KACH,GAAG;KACJ,CAAuC;OAE1C;GACJ,WAAW,aAEL,MACA,OACA,WACA,gBACA,YACG;AACH,WAAO,UAAU,MAAM,OAAO,WAAW;KACvC,GAAG;KACH,GAAG;KACH;KACD,CAGG;OAEN;GACL,CAAC;;AAEJ,QAAO,iBACL,cAKY;AACZ,MAAI,CAAC,QAAQ,OACX,OAAM,IAAI,MACR,4DACD;AAOH,kDALiC,EAC/B,aAAa,YAAY,EACvB,WAAW,WACZ,CAAC,EACH,CAAC,GACkB;;AAEtB,QAAO,cAAc;AAErB,QAAO;;;;;;;;;;;;;;;;;;;;;;;;;;AC5BT,SAAgB,cAA6C,EAC3D,KACA,WAAW,EAAE,IACa;CAC1B,SAAS,MAAM,QAAqB;EAClC,MAAM,WAAW,IAAI,gBAAgB;GAEnC,QAAQ,OAAO;GACf,KAAK,OAAO;GACZ,aAAa,OAAO;GACpB,eAAe,OAAO;GACtB,gBAAgB,OAAO;GACxB,CAAC;EAEF,MAAMC,iBAAe,iBAAiB,UAAU;GAC9C,GAAG;GACH,iBAAiB,OAAO,qBAAqB,SAAS;GACvD,CAAC;AAEF,iBAAa,WAAW;AACxB,SAAOA;;CAGT,SAAS,kBACP,UACA,SAKA;AACA,SAAO,iBAAiB,UAAU;GAChC,GAAG;GACH,iBAAiB,SAAS,qBAAqB,SAAS;GACzD,CAAC;;CAGJ,SAAS,cAAc,QAA6B;EAClD,MAAM,WAAW,IAAI,gBAAgB;GAEnC,QAAQ,OAAO;GACf,KAAK,OAAO;GACZ,aAAa,OAAO;GACpB,eAAe,OAAO;GACtB,gBAAgB,OAAO;GACxB,CAAC;EACF,MAAMC,yBAAuB,yBAAyB,UAAU;GAC9D,GAAG;GACH,iBAAiB,OAAO,qBAAqB,SAAS;GACtD,kBAAkB,OAAO;GACzB,sBAAsB,OAAO;GAC7B,kBAAkB,OAAO;GAC1B,CAAC;AAGF,yBAAqB,WAAW;AAChC,SAAOA;;CAGT,SAAS,0BACP,UACA,SAkBA;AACA,SAAO,yBAAyB,UAAU;GACxC,GAAG;GACH,iBAAiB,SAAS,qBAAqB,SAAS;GACxD,kBAAkB,QAAQ;GAC1B,sBAAsB,SAAS;GAC/B,kBAAkB,SAAS;GAC5B,CAAC;;CAGJ,SAAS,SAAS,QAAwB;EACxC,MAAM,WAAW,IAAI,gBAAgB;GAEnC,QAAQ,OAAO;GACf,KAAK,OAAO;GACZ,aAAa,OAAO;GACpB,eAAe,OAAO;GACtB,gBAAgB,OAAO;GACxB,CAAC;EAEF,MAAMC,gBAAc,aAAa,UAAU;GACzC,iBAAiB,OAAO,qBAAqB,SAAS;GACtD,YAAY,OAAO;GAEnB,WAAW,OAAO;GAElB,SAAS,OAAO;GAChB,QAAQ,OAAO;GACf,MAAM,OAAO;GACb,GAAG;GACJ,CAAC;AAGF,gBAAY,WAAW;AACvB,SAAOA;;CAGT,SAAS,qBACP,UAGA,SAmCA;AAEA,SAAO,aAAa,UAAU;GAC5B,iBAAiB,SAAS;GAC1B,YAAY,SAAS;GACrB,UAAU,SAAS;GACnB,WAAW,SAAS;GACpB,SAAS,SAAS;GAClB,WAAW,SAAS;GACpB,QAAQ,SAAS;GACjB,MAAM,SAAS;GACf,GAAG;GACJ,CAAC;;CAGJ,SAAS,kBAAkB,QAAwB;EACjD,MAAM,WAAW,IAAI,iBAAiB;GAEpC,QAAQ,OAAO;GACf,KAAK,OAAO;GACZ,aAAa,OAAO;GACpB,eAAe,OAAO;GACtB,gBAAgB,OAAO;GACxB,CAAC;EAEF,MAAMA,gBAAc,aAAa,UAAU;GACzC,iBAAiB,OAAO,qBAAqB,SAAS;GACtD,YAAY,OAAO;GAEnB,WAAW,OAAO;GAElB,SAAS,OAAO;GAEhB,UAAU,OAAO;GAEjB,WAAW,OAAO;GAClB,QAAQ,OAAO;GACf,GAAG;GACJ,CAAC;AAGF,gBAAY,WAAW;AACvB,SAAOA;;AAGT,QAAO;EAEL;EAEA;EAEA;EAEA;EAEA;EAEA;EAEA;EACD"}