enlace 0.0.0-alpha.4 → 0.0.1-beta.2

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.ts CHANGED
@@ -1,121 +1,97 @@
1
- type HttpMethod = "GET" | "POST" | "PUT" | "PATCH" | "DELETE";
2
- type SchemaMethod = "$get" | "$post" | "$put" | "$patch" | "$delete";
3
- type EnlaceResponse<TData, TError> = {
4
- ok: true;
5
- status: number;
6
- data: TData;
7
- error?: never;
8
- } | {
9
- ok: false;
10
- status: number;
11
- data?: never;
12
- error: TError;
13
- };
14
- type EnlaceOptions = Omit<RequestInit, "method" | "body">;
15
- type FetchExecutor<TOptions = EnlaceOptions, TRequestOptions = RequestOptions<unknown>> = <TData, TError>(baseUrl: string, path: string[], method: HttpMethod, defaultOptions: TOptions, requestOptions?: TRequestOptions) => Promise<EnlaceResponse<TData, TError>>;
16
- type RequestOptions<TBody = never> = {
17
- body?: TBody;
18
- query?: Record<string, string | number | boolean | undefined>;
19
- headers?: HeadersInit;
20
- cache?: RequestCache;
1
+ import { WildcardClient, EnlaceClient, EnlaceResponse, EnlaceOptions } from 'enlace-core';
2
+ export * from 'enlace-core';
3
+
4
+ /** Per-request options for React hooks */
5
+ type ReactRequestOptionsBase = {
6
+ /**
7
+ * Cache tags for caching (GET requests only)
8
+ * This will auto generate tags from the URL path if not provided and autoGenerateTags is enabled.
9
+ * But can be manually specified to override auto-generation.
10
+ * */
11
+ tags?: string[];
12
+ /** Tags to invalidate after mutation (triggers refetch in matching queries) */
13
+ revalidateTags?: string[];
21
14
  };
22
- type MethodDefinition = {
15
+ type ApiClient<TSchema, TOptions = ReactRequestOptionsBase> = unknown extends TSchema ? WildcardClient<TOptions> : EnlaceClient<TSchema, TOptions>;
16
+ type QueryFn<TSchema, TData, TError, TOptions = ReactRequestOptionsBase> = (api: ApiClient<TSchema, TOptions>) => Promise<EnlaceResponse<TData, TError>>;
17
+ type SelectorFn<TSchema, TMethod, TOptions = ReactRequestOptionsBase> = (api: ApiClient<TSchema, TOptions>) => TMethod;
18
+ type HookState = {
19
+ loading: boolean;
20
+ fetching: boolean;
21
+ ok: boolean | undefined;
23
22
  data: unknown;
24
23
  error: unknown;
25
- body?: unknown;
26
24
  };
27
- /**
28
- * Helper to define an endpoint with proper typing.
29
- * Provides cleaner syntax than writing { data, error, body } manually.
30
- *
31
- * @example
32
- * type MyApi = {
33
- * posts: {
34
- * $get: Endpoint<Post[], ApiError>;
35
- * $post: Endpoint<Post, ApiError, CreatePost>; // with body
36
- * _: {
37
- * $get: Endpoint<Post, NotFoundError>;
38
- * };
39
- * };
40
- * };
41
- */
42
- type Endpoint<TData, TError, TBody = never> = [TBody] extends [never] ? {
43
- data: TData;
44
- error: TError;
45
- } : {
25
+ type TrackedCall = {
26
+ path: string[];
27
+ method: string;
28
+ options: unknown;
29
+ };
30
+ declare const HTTP_METHODS: readonly ["get", "post", "put", "patch", "delete"];
31
+ type ExtractData<T> = T extends (...args: any[]) => Promise<EnlaceResponse<infer D, unknown>> ? D : never;
32
+ type ExtractError<T> = T extends (...args: any[]) => Promise<EnlaceResponse<unknown, infer E>> ? E : never;
33
+ /** Discriminated union for hook response state - enables type narrowing on ok check */
34
+ type HookResponseState<TData, TError> = {
35
+ ok: undefined;
36
+ data: undefined;
37
+ error: undefined;
38
+ } | {
39
+ ok: true;
46
40
  data: TData;
41
+ error: undefined;
42
+ } | {
43
+ ok: false;
44
+ data: undefined;
47
45
  error: TError;
48
- body: TBody;
49
- };
50
- type ExtractMethodDef<TSchema, TMethod extends SchemaMethod> = TSchema extends {
51
- [K in TMethod]: infer M;
52
- } ? M extends MethodDefinition ? M : never : never;
53
- type ExtractData<TSchema, TMethod extends SchemaMethod> = ExtractMethodDef<TSchema, TMethod> extends {
54
- data: infer D;
55
- } ? D : never;
56
- type ExtractError<TSchema, TMethod extends SchemaMethod> = ExtractMethodDef<TSchema, TMethod> extends {
57
- error: infer E;
58
- } ? E : never;
59
- type ExtractBody<TSchema, TMethod extends SchemaMethod> = ExtractMethodDef<TSchema, TMethod> extends {
60
- body: infer B;
61
- } ? B : never;
62
- type HasMethod<TSchema, TMethod extends SchemaMethod> = TSchema extends {
63
- [K in TMethod]: MethodDefinition;
64
- } ? true : false;
65
- type MethodFn<TSchema, TMethod extends SchemaMethod, TRequestOptionsBase = object> = HasMethod<TSchema, TMethod> extends true ? ExtractBody<TSchema, TMethod> extends never ? (options?: RequestOptions<never> & TRequestOptionsBase) => Promise<EnlaceResponse<ExtractData<TSchema, TMethod>, ExtractError<TSchema, TMethod>>> : (options: RequestOptions<ExtractBody<TSchema, TMethod>> & TRequestOptionsBase) => Promise<EnlaceResponse<ExtractData<TSchema, TMethod>, ExtractError<TSchema, TMethod>>> : never;
66
- type IsSpecialKey<K> = K extends SchemaMethod | "_" ? true : false;
67
- type StaticPathKeys<TSchema> = {
68
- [K in keyof TSchema as IsSpecialKey<K> extends true ? never : K extends string ? K : never]: TSchema[K];
69
46
  };
70
- type ExtractDynamicSchema<TSchema> = TSchema extends {
71
- _: infer D;
72
- } ? D : never;
73
- type MethodOrPath<TSchema, TMethodName extends string, TSchemaMethod extends SchemaMethod, TRequestOptionsBase = object> = TMethodName extends keyof TSchema ? EnlaceClient<TSchema[TMethodName], TRequestOptionsBase> : MethodFn<TSchema, TSchemaMethod, TRequestOptionsBase>;
74
- type HttpMethods<TSchema, TRequestOptionsBase = object> = {
75
- get: MethodOrPath<TSchema, "get", "$get", TRequestOptionsBase>;
76
- post: MethodOrPath<TSchema, "post", "$post", TRequestOptionsBase>;
77
- put: MethodOrPath<TSchema, "put", "$put", TRequestOptionsBase>;
78
- patch: MethodOrPath<TSchema, "patch", "$patch", TRequestOptionsBase>;
79
- delete: MethodOrPath<TSchema, "delete", "$delete", TRequestOptionsBase>;
80
- };
81
- type DynamicAccess<TSchema, TRequestOptionsBase = object> = ExtractDynamicSchema<TSchema> extends never ? object : {
82
- [key: string]: EnlaceClient<ExtractDynamicSchema<TSchema>, TRequestOptionsBase>;
83
- [key: number]: EnlaceClient<ExtractDynamicSchema<TSchema>, TRequestOptionsBase>;
47
+ /** Result when hook is called with query function (auto-fetch mode) */
48
+ type UseEnlaceQueryResult<TData, TError> = {
49
+ loading: boolean;
50
+ fetching: boolean;
51
+ } & HookResponseState<TData, TError>;
52
+ /** Result when hook is called with method selector (trigger mode) */
53
+ type UseEnlaceSelectorResult<TMethod> = {
54
+ trigger: TMethod;
55
+ loading: boolean;
56
+ fetching: boolean;
57
+ } & HookResponseState<ExtractData<TMethod>, ExtractError<TMethod>>;
58
+
59
+ type EnlaceHookOptions = {
60
+ /**
61
+ * Auto-generate cache tags from URL path for GET requests.
62
+ * e.g., `/posts/1` generates tags `['posts', 'posts/1']`
63
+ * @default true
64
+ */
65
+ autoGenerateTags?: boolean;
66
+ /** Auto-revalidate generated tags after successful mutations. @default true */
67
+ autoRevalidateTags?: boolean;
68
+ /** Time in ms before cached data is considered stale. @default 0 (always stale) */
69
+ staleTime?: number;
84
70
  };
85
- type MethodNameKeys = "get" | "post" | "put" | "patch" | "delete";
86
- type EnlaceClient<TSchema, TRequestOptionsBase = object> = HttpMethods<TSchema, TRequestOptionsBase> & DynamicAccess<TSchema, TRequestOptionsBase> & {
87
- [K in keyof StaticPathKeys<TSchema> as K extends MethodNameKeys ? never : K]: EnlaceClient<TSchema[K], TRequestOptionsBase>;
71
+ type EnlaceHook<TSchema> = {
72
+ <TMethod extends (...args: any[]) => Promise<EnlaceResponse<unknown, unknown>>>(selector: SelectorFn<TSchema, TMethod>): UseEnlaceSelectorResult<TMethod>;
73
+ <TData, TError>(queryFn: QueryFn<TSchema, TData, TError>): UseEnlaceQueryResult<TData, TError>;
88
74
  };
89
- type WildcardMethodFn<TRequestOptionsBase = object> = (options?: RequestOptions<unknown> & TRequestOptionsBase) => Promise<EnlaceResponse<unknown, unknown>>;
90
75
  /**
91
- * Wildcard client type - allows any path access when no schema is provided.
92
- * All methods are available at every level and return unknown types.
93
- */
94
- type WildcardClient<TRequestOptionsBase = object> = {
95
- get: WildcardMethodFn<TRequestOptionsBase>;
96
- post: WildcardMethodFn<TRequestOptionsBase>;
97
- put: WildcardMethodFn<TRequestOptionsBase>;
98
- patch: WildcardMethodFn<TRequestOptionsBase>;
99
- delete: WildcardMethodFn<TRequestOptionsBase>;
100
- } & {
101
- [key: string]: WildcardClient<TRequestOptionsBase>;
102
- [key: number]: WildcardClient<TRequestOptionsBase>;
103
- };
104
-
105
- declare function createProxyHandler<TSchema extends object, TOptions = EnlaceOptions>(baseUrl: string, defaultOptions: TOptions, path?: string[], fetchExecutor?: FetchExecutor<TOptions, RequestOptions<unknown>>): TSchema;
106
-
107
- declare function executeFetch<TData, TError>(baseUrl: string, path: string[], method: HttpMethod, defaultOptions: EnlaceOptions, requestOptions?: RequestOptions<unknown>): Promise<EnlaceResponse<TData, TError>>;
108
-
109
- /**
110
- * Creates an API client.
76
+ * Creates a React hook for making API calls.
77
+ * Called at module level to create a reusable hook.
111
78
  *
112
79
  * @example
113
- * // Typed mode - with schema
114
- * const api = createEnlace<MyApi>('https://api.example.com');
80
+ * const useAPI = createEnlaceHook<ApiSchema>('https://api.com');
115
81
  *
116
- * // Untyped mode - no schema
117
- * const api = createEnlace('https://api.example.com');
82
+ * // Query mode - auto-fetch (auto-tracks changes, no deps array needed)
83
+ * const { loading, data, error } = useAPI((api) => api.posts.get({ query: { userId } }));
84
+ *
85
+ * // Selector mode - typed trigger for lazy calls
86
+ * const { trigger, loading, data, error } = useAPI((api) => api.posts.delete);
87
+ * onClick={() => trigger({ body: { id: 1 } })}
118
88
  */
119
- declare function createEnlace<TSchema = unknown>(baseUrl: string, defaultOptions?: EnlaceOptions): unknown extends TSchema ? WildcardClient : EnlaceClient<TSchema>;
89
+ declare function createEnlaceHook<TSchema = unknown>(baseUrl: string, defaultOptions?: EnlaceOptions, hookOptions?: EnlaceHookOptions): EnlaceHook<TSchema>;
90
+
91
+ type Listener = (tags: string[]) => void;
92
+ declare function invalidateTags(tags: string[]): void;
93
+ declare function onRevalidate(callback: Listener): () => void;
94
+
95
+ declare function clearCache(key?: string): void;
120
96
 
121
- export { type Endpoint, type EnlaceClient, type EnlaceOptions, type EnlaceResponse, type FetchExecutor, type HttpMethod, type MethodDefinition, type RequestOptions, type SchemaMethod, type WildcardClient, createEnlace, createProxyHandler, executeFetch };
97
+ export { type ApiClient, type EnlaceHookOptions, HTTP_METHODS, type HookState, type QueryFn, type ReactRequestOptionsBase, type SelectorFn, type TrackedCall, type UseEnlaceQueryResult, type UseEnlaceSelectorResult, clearCache, createEnlaceHook, invalidateTags, onRevalidate };
package/dist/index.js CHANGED
@@ -1,9 +1,7 @@
1
1
  "use strict";
2
- var __create = Object.create;
3
2
  var __defProp = Object.defineProperty;
4
3
  var __getOwnPropDesc = Object.getOwnPropertyDescriptor;
5
4
  var __getOwnPropNames = Object.getOwnPropertyNames;
6
- var __getProtoOf = Object.getPrototypeOf;
7
5
  var __hasOwnProp = Object.prototype.hasOwnProperty;
8
6
  var __export = (target, all) => {
9
7
  for (var name in all)
@@ -17,121 +15,355 @@ var __copyProps = (to, from, except, desc) => {
17
15
  }
18
16
  return to;
19
17
  };
20
- var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps(
21
- // If the importer is in node compatibility mode or this is not an ESM
22
- // file that has been converted to a CommonJS file using a Babel-
23
- // compatible transform (i.e. "__esModule" has not been set), then set
24
- // "default" to the CommonJS "module.exports" for node compatibility.
25
- isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target,
26
- mod
27
- ));
18
+ var __reExport = (target, mod, secondTarget) => (__copyProps(target, mod, "default"), secondTarget && __copyProps(secondTarget, mod, "default"));
28
19
  var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod);
29
20
 
30
21
  // src/index.ts
31
22
  var src_exports = {};
32
23
  __export(src_exports, {
33
- createEnlace: () => createEnlace,
34
- createProxyHandler: () => createProxyHandler,
35
- executeFetch: () => executeFetch
24
+ HTTP_METHODS: () => HTTP_METHODS,
25
+ clearCache: () => clearCache,
26
+ createEnlaceHook: () => createEnlaceHook,
27
+ invalidateTags: () => invalidateTags,
28
+ onRevalidate: () => onRevalidate
36
29
  });
37
30
  module.exports = __toCommonJS(src_exports);
31
+ __reExport(src_exports, require("enlace-core"), module.exports);
38
32
 
39
- // src/utils/buildUrl.ts
40
- var import_query_string = __toESM(require("query-string"));
41
- function buildUrl(baseUrl, path, query) {
42
- const normalizedBase = baseUrl.endsWith("/") ? baseUrl : `${baseUrl}/`;
43
- const url = new URL(path.join("/"), normalizedBase);
44
- if (query) {
45
- url.search = import_query_string.default.stringify(query, { skipNull: true, skipEmptyString: true });
33
+ // src/react/createEnlaceHook.ts
34
+ var import_enlace_core = require("enlace-core");
35
+
36
+ // src/react/useQueryMode.ts
37
+ var import_react = require("react");
38
+
39
+ // src/react/reducer.ts
40
+ var initialState = {
41
+ loading: false,
42
+ fetching: false,
43
+ ok: void 0,
44
+ data: void 0,
45
+ error: void 0
46
+ };
47
+ function hookReducer(state, action) {
48
+ switch (action.type) {
49
+ case "RESET":
50
+ return action.state;
51
+ case "FETCH_START":
52
+ return {
53
+ ...state,
54
+ loading: state.data === void 0,
55
+ fetching: true
56
+ };
57
+ case "FETCH_SUCCESS":
58
+ return {
59
+ loading: false,
60
+ fetching: false,
61
+ ok: true,
62
+ data: action.data,
63
+ error: void 0
64
+ };
65
+ case "FETCH_ERROR":
66
+ return {
67
+ loading: false,
68
+ fetching: false,
69
+ ok: false,
70
+ data: void 0,
71
+ error: action.error
72
+ };
73
+ case "SYNC_CACHE":
74
+ return action.state;
75
+ default:
76
+ return state;
46
77
  }
47
- return url.toString();
48
78
  }
49
79
 
50
- // src/utils/isJsonBody.ts
51
- function isJsonBody(body) {
52
- if (body === null || body === void 0) return false;
53
- if (body instanceof FormData) return false;
54
- if (body instanceof Blob) return false;
55
- if (body instanceof ArrayBuffer) return false;
56
- if (body instanceof URLSearchParams) return false;
57
- if (body instanceof ReadableStream) return false;
58
- if (typeof body === "string") return false;
59
- return typeof body === "object";
80
+ // src/utils/generateTags.ts
81
+ function generateTags(path) {
82
+ return path.map((_, i) => path.slice(0, i + 1).join("/"));
60
83
  }
61
84
 
62
- // src/utils/mergeHeaders.ts
63
- function mergeHeaders(defaultHeaders, requestHeaders) {
64
- if (!defaultHeaders && !requestHeaders) return void 0;
65
- if (!defaultHeaders) return requestHeaders;
66
- if (!requestHeaders) return defaultHeaders;
67
- return {
68
- ...Object.fromEntries(new Headers(defaultHeaders)),
69
- ...Object.fromEntries(new Headers(requestHeaders))
70
- };
85
+ // src/utils/sortObjectKeys.ts
86
+ function sortObjectKeys(obj) {
87
+ if (obj === null || typeof obj !== "object") return obj;
88
+ if (Array.isArray(obj)) return obj.map(sortObjectKeys);
89
+ return Object.keys(obj).sort().reduce(
90
+ (sorted, key) => {
91
+ sorted[key] = sortObjectKeys(obj[key]);
92
+ return sorted;
93
+ },
94
+ {}
95
+ );
71
96
  }
72
97
 
73
- // src/core/fetch.ts
74
- async function executeFetch(baseUrl, path, method, defaultOptions, requestOptions) {
75
- const url = buildUrl(baseUrl, path, requestOptions?.query);
76
- let headers = mergeHeaders(defaultOptions.headers, requestOptions?.headers);
77
- const fetchOptions = {
78
- ...defaultOptions,
79
- method
98
+ // src/react/cache.ts
99
+ var cache = /* @__PURE__ */ new Map();
100
+ function createQueryKey(tracked) {
101
+ return JSON.stringify(
102
+ sortObjectKeys({
103
+ path: tracked.path,
104
+ method: tracked.method,
105
+ options: tracked.options
106
+ })
107
+ );
108
+ }
109
+ function getCache(key) {
110
+ return cache.get(key);
111
+ }
112
+ function setCache(key, entry) {
113
+ const existing = cache.get(key);
114
+ if (existing) {
115
+ if ("ok" in entry) {
116
+ delete existing.promise;
117
+ }
118
+ Object.assign(existing, entry);
119
+ existing.subscribers.forEach((cb) => cb());
120
+ } else {
121
+ cache.set(key, {
122
+ data: void 0,
123
+ error: void 0,
124
+ ok: void 0,
125
+ timestamp: 0,
126
+ tags: [],
127
+ subscribers: /* @__PURE__ */ new Set(),
128
+ ...entry
129
+ });
130
+ }
131
+ }
132
+ function subscribeCache(key, callback) {
133
+ let entry = cache.get(key);
134
+ if (!entry) {
135
+ cache.set(key, {
136
+ data: void 0,
137
+ error: void 0,
138
+ ok: void 0,
139
+ timestamp: 0,
140
+ tags: [],
141
+ subscribers: /* @__PURE__ */ new Set()
142
+ });
143
+ entry = cache.get(key);
144
+ }
145
+ entry.subscribers.add(callback);
146
+ return () => {
147
+ entry.subscribers.delete(callback);
80
148
  };
81
- if (headers) {
82
- fetchOptions.headers = headers;
149
+ }
150
+ function isStale(key, staleTime) {
151
+ const entry = cache.get(key);
152
+ if (!entry) return true;
153
+ return Date.now() - entry.timestamp > staleTime;
154
+ }
155
+ function clearCache(key) {
156
+ if (key) {
157
+ cache.delete(key);
158
+ } else {
159
+ cache.clear();
83
160
  }
84
- if (requestOptions?.body !== void 0) {
85
- if (isJsonBody(requestOptions.body)) {
86
- fetchOptions.body = JSON.stringify(requestOptions.body);
87
- headers = mergeHeaders(headers, { "Content-Type": "application/json" });
88
- if (headers) {
89
- fetchOptions.headers = headers;
161
+ }
162
+ function clearCacheByTags(tags) {
163
+ cache.forEach((entry) => {
164
+ const hasMatch = entry.tags.some((tag) => tags.includes(tag));
165
+ if (hasMatch) {
166
+ entry.data = void 0;
167
+ entry.error = void 0;
168
+ entry.ok = void 0;
169
+ entry.timestamp = 0;
170
+ delete entry.promise;
171
+ }
172
+ });
173
+ }
174
+
175
+ // src/react/revalidator.ts
176
+ var listeners = /* @__PURE__ */ new Set();
177
+ function invalidateTags(tags) {
178
+ clearCacheByTags(tags);
179
+ listeners.forEach((listener) => listener(tags));
180
+ }
181
+ function onRevalidate(callback) {
182
+ listeners.add(callback);
183
+ return () => listeners.delete(callback);
184
+ }
185
+
186
+ // src/react/useQueryMode.ts
187
+ function useQueryMode(api, trackedCall, options) {
188
+ const { autoGenerateTags, staleTime } = options;
189
+ const queryKey = createQueryKey(trackedCall);
190
+ const requestOptions = trackedCall.options;
191
+ const queryTags = requestOptions?.tags ?? (autoGenerateTags ? generateTags(trackedCall.path) : []);
192
+ const getCacheState = (includeNeedsFetch = false) => {
193
+ const cached = getCache(queryKey);
194
+ const hasCachedData = cached?.data !== void 0;
195
+ const isFetching = !!cached?.promise;
196
+ const needsFetch = includeNeedsFetch && (!hasCachedData || isStale(queryKey, staleTime));
197
+ return {
198
+ loading: !hasCachedData && (isFetching || needsFetch),
199
+ fetching: isFetching || needsFetch,
200
+ ok: cached?.ok,
201
+ data: cached?.data,
202
+ error: cached?.error
203
+ };
204
+ };
205
+ const [state, dispatch] = (0, import_react.useReducer)(hookReducer, null, () => getCacheState(true));
206
+ const mountedRef = (0, import_react.useRef)(true);
207
+ const fetchRef = (0, import_react.useRef)(null);
208
+ (0, import_react.useEffect)(() => {
209
+ mountedRef.current = true;
210
+ dispatch({ type: "RESET", state: getCacheState(true) });
211
+ const unsubscribe = subscribeCache(queryKey, () => {
212
+ if (mountedRef.current) {
213
+ dispatch({ type: "SYNC_CACHE", state: getCacheState() });
214
+ }
215
+ });
216
+ const doFetch = () => {
217
+ const cached2 = getCache(queryKey);
218
+ if (cached2?.promise) {
219
+ return;
90
220
  }
221
+ dispatch({ type: "FETCH_START" });
222
+ let current = api;
223
+ for (const segment of trackedCall.path) {
224
+ current = current[segment];
225
+ }
226
+ const method = current[trackedCall.method];
227
+ const fetchPromise = method(trackedCall.options).then((res) => {
228
+ if (mountedRef.current) {
229
+ setCache(queryKey, {
230
+ data: res.ok ? res.data : void 0,
231
+ error: res.ok ? void 0 : res.error,
232
+ ok: res.ok,
233
+ timestamp: Date.now(),
234
+ tags: queryTags
235
+ });
236
+ }
237
+ });
238
+ setCache(queryKey, {
239
+ promise: fetchPromise,
240
+ tags: queryTags
241
+ });
242
+ };
243
+ fetchRef.current = doFetch;
244
+ const cached = getCache(queryKey);
245
+ if (cached?.data !== void 0 && !isStale(queryKey, staleTime)) {
246
+ dispatch({ type: "SYNC_CACHE", state: getCacheState() });
91
247
  } else {
92
- fetchOptions.body = requestOptions.body;
248
+ doFetch();
93
249
  }
94
- }
95
- const response = await fetch(url, fetchOptions);
96
- const contentType = response.headers.get("content-type");
97
- const isJson = contentType?.includes("application/json");
98
- if (response.ok) {
99
- return {
100
- ok: true,
101
- status: response.status,
102
- data: isJson ? await response.json() : response
250
+ return () => {
251
+ mountedRef.current = false;
252
+ fetchRef.current = null;
253
+ unsubscribe();
103
254
  };
104
- }
105
- return {
106
- ok: false,
107
- status: response.status,
108
- error: isJson ? await response.json() : response
255
+ }, [queryKey]);
256
+ (0, import_react.useEffect)(() => {
257
+ if (queryTags.length === 0) return;
258
+ return onRevalidate((invalidatedTags) => {
259
+ const hasMatch = invalidatedTags.some((tag) => queryTags.includes(tag));
260
+ if (hasMatch && mountedRef.current && fetchRef.current) {
261
+ fetchRef.current();
262
+ }
263
+ });
264
+ }, [JSON.stringify(queryTags)]);
265
+ return state;
266
+ }
267
+
268
+ // src/react/types.ts
269
+ var HTTP_METHODS = ["get", "post", "put", "patch", "delete"];
270
+
271
+ // src/react/trackingProxy.ts
272
+ function createTrackingProxy(onTrack) {
273
+ const createProxy = (path = []) => {
274
+ return new Proxy(() => {
275
+ }, {
276
+ get(_, prop) {
277
+ if (HTTP_METHODS.includes(prop)) {
278
+ const methodFn = (options) => {
279
+ onTrack({
280
+ trackedCall: { path, method: prop, options },
281
+ selectorPath: null,
282
+ selectorMethod: null
283
+ });
284
+ return Promise.resolve({ ok: true, data: void 0 });
285
+ };
286
+ onTrack({
287
+ trackedCall: null,
288
+ selectorPath: path,
289
+ selectorMethod: prop
290
+ });
291
+ return methodFn;
292
+ }
293
+ return createProxy([...path, prop]);
294
+ }
295
+ });
109
296
  };
297
+ return createProxy();
110
298
  }
111
299
 
112
- // src/core/proxy.ts
113
- var HTTP_METHODS = {
114
- get: "GET",
115
- post: "POST",
116
- put: "PUT",
117
- patch: "PATCH",
118
- delete: "DELETE"
119
- };
120
- function createProxyHandler(baseUrl, defaultOptions, path = [], fetchExecutor = executeFetch) {
121
- const handler = {
122
- get(_target, prop) {
123
- if (typeof prop === "symbol") return void 0;
124
- const method = HTTP_METHODS[prop];
125
- if (method) {
126
- return (options) => fetchExecutor(baseUrl, path, method, defaultOptions, options);
300
+ // src/react/useSelectorMode.ts
301
+ var import_react2 = require("react");
302
+ function useSelectorMode(method, path, autoRevalidateTags) {
303
+ const [state, dispatch] = (0, import_react2.useReducer)(hookReducer, initialState);
304
+ const methodRef = (0, import_react2.useRef)(method);
305
+ const triggerRef = (0, import_react2.useRef)(null);
306
+ const pathRef = (0, import_react2.useRef)(path);
307
+ const autoRevalidateRef = (0, import_react2.useRef)(autoRevalidateTags);
308
+ methodRef.current = method;
309
+ pathRef.current = path;
310
+ autoRevalidateRef.current = autoRevalidateTags;
311
+ if (!triggerRef.current) {
312
+ triggerRef.current = (async (...args) => {
313
+ dispatch({ type: "FETCH_START" });
314
+ const res = await methodRef.current(...args);
315
+ if (res.ok) {
316
+ dispatch({ type: "FETCH_SUCCESS", data: res.data });
317
+ const options = args[0];
318
+ const tagsToInvalidate = options?.revalidateTags ?? (autoRevalidateRef.current ? generateTags(pathRef.current) : []);
319
+ if (tagsToInvalidate.length > 0) {
320
+ invalidateTags(tagsToInvalidate);
321
+ }
322
+ } else {
323
+ dispatch({ type: "FETCH_ERROR", error: res.error });
127
324
  }
128
- return createProxyHandler(baseUrl, defaultOptions, [...path, prop], fetchExecutor);
129
- }
325
+ return res;
326
+ });
327
+ }
328
+ return {
329
+ trigger: triggerRef.current,
330
+ ...state
130
331
  };
131
- return new Proxy({}, handler);
132
332
  }
133
333
 
134
- // src/core/index.ts
135
- function createEnlace(baseUrl, defaultOptions = {}) {
136
- return createProxyHandler(baseUrl, defaultOptions);
334
+ // src/react/createEnlaceHook.ts
335
+ function createEnlaceHook(baseUrl, defaultOptions = {}, hookOptions = {}) {
336
+ const api = (0, import_enlace_core.createEnlace)(baseUrl, defaultOptions);
337
+ const {
338
+ autoGenerateTags = true,
339
+ autoRevalidateTags = true,
340
+ staleTime = 0
341
+ } = hookOptions;
342
+ function useEnlaceHook(selectorOrQuery) {
343
+ let trackingResult = {
344
+ trackedCall: null,
345
+ selectorPath: null,
346
+ selectorMethod: null
347
+ };
348
+ const trackingProxy = createTrackingProxy((result2) => {
349
+ trackingResult = result2;
350
+ });
351
+ const result = selectorOrQuery(
352
+ trackingProxy
353
+ );
354
+ if (typeof result === "function") {
355
+ const actualResult = selectorOrQuery(api);
356
+ return useSelectorMode(
357
+ actualResult,
358
+ trackingResult.selectorPath ?? [],
359
+ autoRevalidateTags
360
+ );
361
+ }
362
+ return useQueryMode(
363
+ api,
364
+ trackingResult.trackedCall,
365
+ { autoGenerateTags, staleTime }
366
+ );
367
+ }
368
+ return useEnlaceHook;
137
369
  }