@xata.io/client 0.0.0-alpha.vfb4479d → 0.0.0-alpha.vfb70bdd

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.mjs CHANGED
@@ -1,3 +1,26 @@
1
+ const defaultTrace = async (name, fn, _options) => {
2
+ return await fn({
3
+ name,
4
+ setAttributes: () => {
5
+ return;
6
+ }
7
+ });
8
+ };
9
+ const TraceAttributes = {
10
+ KIND: "xata.trace.kind",
11
+ VERSION: "xata.sdk.version",
12
+ TABLE: "xata.table",
13
+ HTTP_REQUEST_ID: "http.request_id",
14
+ HTTP_STATUS_CODE: "http.status_code",
15
+ HTTP_HOST: "http.host",
16
+ HTTP_SCHEME: "http.scheme",
17
+ HTTP_USER_AGENT: "http.user_agent",
18
+ HTTP_METHOD: "http.method",
19
+ HTTP_URL: "http.url",
20
+ HTTP_ROUTE: "http.route",
21
+ HTTP_TARGET: "http.target"
22
+ };
23
+
1
24
  function notEmpty(value) {
2
25
  return value !== null && value !== void 0;
3
26
  }
@@ -13,43 +36,147 @@ function isDefined(value) {
13
36
  function isString(value) {
14
37
  return isDefined(value) && typeof value === "string";
15
38
  }
39
+ function isStringArray(value) {
40
+ return isDefined(value) && Array.isArray(value) && value.every(isString);
41
+ }
42
+ function isNumber(value) {
43
+ return isDefined(value) && typeof value === "number";
44
+ }
45
+ function parseNumber(value) {
46
+ if (isNumber(value)) {
47
+ return value;
48
+ }
49
+ if (isString(value)) {
50
+ const parsed = Number(value);
51
+ if (!Number.isNaN(parsed)) {
52
+ return parsed;
53
+ }
54
+ }
55
+ return void 0;
56
+ }
16
57
  function toBase64(value) {
17
58
  try {
18
59
  return btoa(value);
19
60
  } catch (err) {
20
- return Buffer.from(value).toString("base64");
61
+ const buf = Buffer;
62
+ return buf.from(value).toString("base64");
63
+ }
64
+ }
65
+ function deepMerge(a, b) {
66
+ const result = { ...a };
67
+ for (const [key, value] of Object.entries(b)) {
68
+ if (isObject(value) && isObject(result[key])) {
69
+ result[key] = deepMerge(result[key], value);
70
+ } else {
71
+ result[key] = value;
72
+ }
73
+ }
74
+ return result;
75
+ }
76
+ function chunk(array, chunkSize) {
77
+ const result = [];
78
+ for (let i = 0; i < array.length; i += chunkSize) {
79
+ result.push(array.slice(i, i + chunkSize));
21
80
  }
81
+ return result;
82
+ }
83
+ async function timeout(ms) {
84
+ return new Promise((resolve) => setTimeout(resolve, ms));
22
85
  }
23
86
 
24
- function getEnvVariable(name) {
87
+ function getEnvironment() {
25
88
  try {
26
- if (isObject(process) && isString(process?.env?.[name])) {
27
- return process.env[name];
89
+ if (isDefined(process) && isDefined(process.env)) {
90
+ return {
91
+ apiKey: process.env.XATA_API_KEY ?? getGlobalApiKey(),
92
+ databaseURL: process.env.XATA_DATABASE_URL ?? getGlobalDatabaseURL(),
93
+ branch: process.env.XATA_BRANCH ?? getGlobalBranch(),
94
+ envBranch: process.env.VERCEL_GIT_COMMIT_REF ?? process.env.CF_PAGES_BRANCH ?? process.env.BRANCH,
95
+ fallbackBranch: process.env.XATA_FALLBACK_BRANCH ?? getGlobalFallbackBranch()
96
+ };
28
97
  }
29
98
  } catch (err) {
30
99
  }
31
100
  try {
32
- if (isObject(Deno) && isString(Deno?.env?.get(name))) {
33
- return Deno.env.get(name);
101
+ if (isObject(Deno) && isObject(Deno.env)) {
102
+ return {
103
+ apiKey: Deno.env.get("XATA_API_KEY") ?? getGlobalApiKey(),
104
+ databaseURL: Deno.env.get("XATA_DATABASE_URL") ?? getGlobalDatabaseURL(),
105
+ branch: Deno.env.get("XATA_BRANCH") ?? getGlobalBranch(),
106
+ envBranch: Deno.env.get("VERCEL_GIT_COMMIT_REF") ?? Deno.env.get("CF_PAGES_BRANCH") ?? Deno.env.get("BRANCH"),
107
+ fallbackBranch: Deno.env.get("XATA_FALLBACK_BRANCH") ?? getGlobalFallbackBranch()
108
+ };
34
109
  }
35
110
  } catch (err) {
36
111
  }
112
+ return {
113
+ apiKey: getGlobalApiKey(),
114
+ databaseURL: getGlobalDatabaseURL(),
115
+ branch: getGlobalBranch(),
116
+ envBranch: void 0,
117
+ fallbackBranch: getGlobalFallbackBranch()
118
+ };
37
119
  }
38
- async function getGitBranch() {
120
+ function getEnableBrowserVariable() {
39
121
  try {
40
- if (typeof require === "function") {
41
- const req = require;
42
- return req("child_process").execSync("git branch --show-current", { encoding: "utf-8" }).trim();
122
+ if (isObject(process) && isObject(process.env) && process.env.XATA_ENABLE_BROWSER !== void 0) {
123
+ return process.env.XATA_ENABLE_BROWSER === "true";
43
124
  }
44
125
  } catch (err) {
45
126
  }
127
+ try {
128
+ if (isObject(Deno) && isObject(Deno.env) && Deno.env.get("XATA_ENABLE_BROWSER") !== void 0) {
129
+ return Deno.env.get("XATA_ENABLE_BROWSER") === "true";
130
+ }
131
+ } catch (err) {
132
+ }
133
+ try {
134
+ return XATA_ENABLE_BROWSER === true || XATA_ENABLE_BROWSER === "true";
135
+ } catch (err) {
136
+ return void 0;
137
+ }
138
+ }
139
+ function getGlobalApiKey() {
140
+ try {
141
+ return XATA_API_KEY;
142
+ } catch (err) {
143
+ return void 0;
144
+ }
145
+ }
146
+ function getGlobalDatabaseURL() {
147
+ try {
148
+ return XATA_DATABASE_URL;
149
+ } catch (err) {
150
+ return void 0;
151
+ }
152
+ }
153
+ function getGlobalBranch() {
154
+ try {
155
+ return XATA_BRANCH;
156
+ } catch (err) {
157
+ return void 0;
158
+ }
159
+ }
160
+ function getGlobalFallbackBranch() {
161
+ try {
162
+ return XATA_FALLBACK_BRANCH;
163
+ } catch (err) {
164
+ return void 0;
165
+ }
166
+ }
167
+ async function getGitBranch() {
168
+ const cmd = ["git", "branch", "--show-current"];
169
+ const fullCmd = cmd.join(" ");
170
+ const nodeModule = ["child", "process"].join("_");
171
+ const execOptions = { encoding: "utf-8", stdio: ["ignore", "pipe", "ignore"] };
172
+ try {
173
+ const { execSync } = await import(nodeModule);
174
+ return execSync(fullCmd, execOptions).toString().trim();
175
+ } catch (err) {
176
+ }
46
177
  try {
47
178
  if (isObject(Deno)) {
48
- const process2 = Deno.run({
49
- cmd: ["git", "branch", "--show-current"],
50
- stdout: "piped",
51
- stderr: "piped"
52
- });
179
+ const process2 = Deno.run({ cmd, stdout: "piped", stderr: "null" });
53
180
  return new TextDecoder().decode(await process2.output()).trim();
54
181
  }
55
182
  } catch (err) {
@@ -58,20 +185,121 @@ async function getGitBranch() {
58
185
 
59
186
  function getAPIKey() {
60
187
  try {
61
- return getEnvVariable("XATA_API_KEY") ?? XATA_API_KEY;
188
+ const { apiKey } = getEnvironment();
189
+ return apiKey;
62
190
  } catch (err) {
63
191
  return void 0;
64
192
  }
65
193
  }
66
194
 
195
+ var __accessCheck$8 = (obj, member, msg) => {
196
+ if (!member.has(obj))
197
+ throw TypeError("Cannot " + msg);
198
+ };
199
+ var __privateGet$8 = (obj, member, getter) => {
200
+ __accessCheck$8(obj, member, "read from private field");
201
+ return getter ? getter.call(obj) : member.get(obj);
202
+ };
203
+ var __privateAdd$8 = (obj, member, value) => {
204
+ if (member.has(obj))
205
+ throw TypeError("Cannot add the same private member more than once");
206
+ member instanceof WeakSet ? member.add(obj) : member.set(obj, value);
207
+ };
208
+ var __privateSet$8 = (obj, member, value, setter) => {
209
+ __accessCheck$8(obj, member, "write to private field");
210
+ setter ? setter.call(obj, value) : member.set(obj, value);
211
+ return value;
212
+ };
213
+ var __privateMethod$4 = (obj, member, method) => {
214
+ __accessCheck$8(obj, member, "access private method");
215
+ return method;
216
+ };
217
+ var _fetch, _queue, _concurrency, _enqueue, enqueue_fn;
67
218
  function getFetchImplementation(userFetch) {
68
219
  const globalFetch = typeof fetch !== "undefined" ? fetch : void 0;
69
220
  const fetchImpl = userFetch ?? globalFetch;
70
221
  if (!fetchImpl) {
71
- throw new Error(`The \`fetch\` option passed to the Xata client is resolving to a falsy value and may not be correctly imported.`);
222
+ throw new Error(
223
+ `Couldn't find \`fetch\`. Install a fetch implementation such as \`node-fetch\` and pass it explicitly.`
224
+ );
72
225
  }
73
226
  return fetchImpl;
74
227
  }
228
+ class ApiRequestPool {
229
+ constructor(concurrency = 10) {
230
+ __privateAdd$8(this, _enqueue);
231
+ __privateAdd$8(this, _fetch, void 0);
232
+ __privateAdd$8(this, _queue, void 0);
233
+ __privateAdd$8(this, _concurrency, void 0);
234
+ __privateSet$8(this, _queue, []);
235
+ __privateSet$8(this, _concurrency, concurrency);
236
+ this.running = 0;
237
+ this.started = 0;
238
+ }
239
+ setFetch(fetch2) {
240
+ __privateSet$8(this, _fetch, fetch2);
241
+ }
242
+ getFetch() {
243
+ if (!__privateGet$8(this, _fetch)) {
244
+ throw new Error("Fetch not set");
245
+ }
246
+ return __privateGet$8(this, _fetch);
247
+ }
248
+ request(url, options) {
249
+ const start = new Date();
250
+ const fetch2 = this.getFetch();
251
+ const runRequest = async (stalled = false) => {
252
+ const response = await fetch2(url, options);
253
+ if (response.status === 429) {
254
+ const rateLimitReset = parseNumber(response.headers?.get("x-ratelimit-reset")) ?? 1;
255
+ await timeout(rateLimitReset * 1e3);
256
+ return await runRequest(true);
257
+ }
258
+ if (stalled) {
259
+ const stalledTime = new Date().getTime() - start.getTime();
260
+ console.warn(`A request to Xata hit your workspace limits, was retried and stalled for ${stalledTime}ms`);
261
+ }
262
+ return response;
263
+ };
264
+ return __privateMethod$4(this, _enqueue, enqueue_fn).call(this, async () => {
265
+ return await runRequest();
266
+ });
267
+ }
268
+ }
269
+ _fetch = new WeakMap();
270
+ _queue = new WeakMap();
271
+ _concurrency = new WeakMap();
272
+ _enqueue = new WeakSet();
273
+ enqueue_fn = function(task) {
274
+ const promise = new Promise((resolve) => __privateGet$8(this, _queue).push(resolve)).finally(() => {
275
+ this.started--;
276
+ this.running++;
277
+ }).then(() => task()).finally(() => {
278
+ this.running--;
279
+ const next = __privateGet$8(this, _queue).shift();
280
+ if (next !== void 0) {
281
+ this.started++;
282
+ next();
283
+ }
284
+ });
285
+ if (this.running + this.started < __privateGet$8(this, _concurrency)) {
286
+ const next = __privateGet$8(this, _queue).shift();
287
+ if (next !== void 0) {
288
+ this.started++;
289
+ next();
290
+ }
291
+ }
292
+ return promise;
293
+ };
294
+
295
+ function generateUUID() {
296
+ return "xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx".replace(/[xy]/g, function(c) {
297
+ const r = Math.random() * 16 | 0, v = c == "x" ? r : r & 3 | 8;
298
+ return v.toString(16);
299
+ });
300
+ }
301
+
302
+ const VERSION = "0.0.0-alpha.vfb70bdd";
75
303
 
76
304
  class ErrorWithCause extends Error {
77
305
  constructor(message, options) {
@@ -79,15 +307,20 @@ class ErrorWithCause extends Error {
79
307
  }
80
308
  }
81
309
  class FetcherError extends ErrorWithCause {
82
- constructor(status, data) {
310
+ constructor(status, data, requestId) {
83
311
  super(getMessage(data));
84
312
  this.status = status;
85
- this.errors = isBulkError(data) ? data.errors : void 0;
313
+ this.errors = isBulkError(data) ? data.errors : [{ message: getMessage(data), status }];
314
+ this.requestId = requestId;
86
315
  if (data instanceof Error) {
87
316
  this.stack = data.stack;
88
317
  this.cause = data.cause;
89
318
  }
90
319
  }
320
+ toString() {
321
+ const error = super.toString();
322
+ return `[${this.status}] (${this.requestId ?? "Unknown"}): ${error}`;
323
+ }
91
324
  }
92
325
  function isBulkError(error) {
93
326
  return isObject(error) && Array.isArray(error.errors);
@@ -109,306 +342,275 @@ function getMessage(data) {
109
342
  }
110
343
  }
111
344
 
345
+ const pool = new ApiRequestPool();
112
346
  const resolveUrl = (url, queryParams = {}, pathParams = {}) => {
113
- const query = new URLSearchParams(queryParams).toString();
347
+ const cleanQueryParams = Object.entries(queryParams).reduce((acc, [key, value]) => {
348
+ if (value === void 0 || value === null)
349
+ return acc;
350
+ return { ...acc, [key]: value };
351
+ }, {});
352
+ const query = new URLSearchParams(cleanQueryParams).toString();
114
353
  const queryString = query.length > 0 ? `?${query}` : "";
115
- return url.replace(/\{\w*\}/g, (key) => pathParams[key.slice(1, -1)]) + queryString;
354
+ const cleanPathParams = Object.entries(pathParams).reduce((acc, [key, value]) => {
355
+ return { ...acc, [key]: encodeURIComponent(String(value ?? "")).replace("%3A", ":") };
356
+ }, {});
357
+ return url.replace(/\{\w*\}/g, (key) => cleanPathParams[key.slice(1, -1)]) + queryString;
116
358
  };
117
359
  function buildBaseUrl({
360
+ endpoint,
118
361
  path,
119
362
  workspacesApiUrl,
120
363
  apiUrl,
121
- pathParams
364
+ pathParams = {}
122
365
  }) {
123
- if (!pathParams?.workspace)
124
- return `${apiUrl}${path}`;
125
- const url = typeof workspacesApiUrl === "string" ? `${workspacesApiUrl}${path}` : workspacesApiUrl(path, pathParams);
126
- return url.replace("{workspaceId}", pathParams.workspace);
366
+ if (endpoint === "dataPlane") {
367
+ const url = isString(workspacesApiUrl) ? `${workspacesApiUrl}${path}` : workspacesApiUrl(path, pathParams);
368
+ const urlWithWorkspace = isString(pathParams.workspace) ? url.replace("{workspaceId}", String(pathParams.workspace)) : url;
369
+ return isString(pathParams.region) ? urlWithWorkspace.replace("{region}", String(pathParams.region)) : urlWithWorkspace;
370
+ }
371
+ return `${apiUrl}${path}`;
127
372
  }
128
373
  function hostHeader(url) {
129
374
  const pattern = /.*:\/\/(?<host>[^/]+).*/;
130
375
  const { groups } = pattern.exec(url) ?? {};
131
376
  return groups?.host ? { Host: groups.host } : {};
132
377
  }
378
+ const defaultClientID = generateUUID();
133
379
  async function fetch$1({
134
380
  url: path,
135
381
  method,
136
382
  body,
137
- headers,
383
+ headers: customHeaders,
138
384
  pathParams,
139
385
  queryParams,
140
386
  fetchImpl,
141
387
  apiKey,
388
+ endpoint,
142
389
  apiUrl,
143
- workspacesApiUrl
390
+ workspacesApiUrl,
391
+ trace,
392
+ signal,
393
+ clientID,
394
+ sessionID,
395
+ clientName,
396
+ fetchOptions = {}
144
397
  }) {
145
- const baseUrl = buildBaseUrl({ path, workspacesApiUrl, pathParams, apiUrl });
146
- const fullUrl = resolveUrl(baseUrl, queryParams, pathParams);
147
- const url = fullUrl.includes("localhost") ? fullUrl.replace(/^[^.]+\./, "http://") : fullUrl;
148
- const response = await fetchImpl(url, {
149
- method: method.toUpperCase(),
150
- body: body ? JSON.stringify(body) : void 0,
151
- headers: {
152
- "Content-Type": "application/json",
153
- ...headers,
154
- ...hostHeader(fullUrl),
155
- Authorization: `Bearer ${apiKey}`
156
- }
157
- });
158
- if (response.status === 204) {
159
- return {};
160
- }
398
+ pool.setFetch(fetchImpl);
399
+ return await trace(
400
+ `${method.toUpperCase()} ${path}`,
401
+ async ({ name, setAttributes }) => {
402
+ const baseUrl = buildBaseUrl({ endpoint, path, workspacesApiUrl, pathParams, apiUrl });
403
+ const fullUrl = resolveUrl(baseUrl, queryParams, pathParams);
404
+ const url = fullUrl.includes("localhost") ? fullUrl.replace(/^[^.]+\./, "http://") : fullUrl;
405
+ setAttributes({
406
+ [TraceAttributes.HTTP_URL]: url,
407
+ [TraceAttributes.HTTP_TARGET]: resolveUrl(path, queryParams, pathParams)
408
+ });
409
+ const xataAgent = compact([
410
+ ["client", "TS_SDK"],
411
+ ["version", VERSION],
412
+ isDefined(clientName) ? ["service", clientName] : void 0
413
+ ]).map(([key, value]) => `${key}=${value}`).join("; ");
414
+ const headers = {
415
+ "Accept-Encoding": "identity",
416
+ "Content-Type": "application/json",
417
+ "X-Xata-Client-ID": clientID ?? defaultClientID,
418
+ "X-Xata-Session-ID": sessionID ?? generateUUID(),
419
+ "X-Xata-Agent": xataAgent,
420
+ ...customHeaders,
421
+ ...hostHeader(fullUrl),
422
+ Authorization: `Bearer ${apiKey}`
423
+ };
424
+ const response = await pool.request(url, {
425
+ ...fetchOptions,
426
+ method: method.toUpperCase(),
427
+ body: body ? JSON.stringify(body) : void 0,
428
+ headers,
429
+ signal
430
+ });
431
+ const { host, protocol } = parseUrl(response.url);
432
+ const requestId = response.headers?.get("x-request-id") ?? void 0;
433
+ setAttributes({
434
+ [TraceAttributes.KIND]: "http",
435
+ [TraceAttributes.HTTP_REQUEST_ID]: requestId,
436
+ [TraceAttributes.HTTP_STATUS_CODE]: response.status,
437
+ [TraceAttributes.HTTP_HOST]: host,
438
+ [TraceAttributes.HTTP_SCHEME]: protocol?.replace(":", "")
439
+ });
440
+ if (response.status === 204) {
441
+ return {};
442
+ }
443
+ if (response.status === 429) {
444
+ throw new FetcherError(response.status, "Rate limit exceeded", requestId);
445
+ }
446
+ try {
447
+ const jsonResponse = await response.json();
448
+ if (response.ok) {
449
+ return jsonResponse;
450
+ }
451
+ throw new FetcherError(response.status, jsonResponse, requestId);
452
+ } catch (error) {
453
+ throw new FetcherError(response.status, error, requestId);
454
+ }
455
+ },
456
+ { [TraceAttributes.HTTP_METHOD]: method.toUpperCase(), [TraceAttributes.HTTP_ROUTE]: path }
457
+ );
458
+ }
459
+ function parseUrl(url) {
161
460
  try {
162
- const jsonResponse = await response.json();
163
- if (response.ok) {
164
- return jsonResponse;
165
- }
166
- throw new FetcherError(response.status, jsonResponse);
461
+ const { host, protocol } = new URL(url);
462
+ return { host, protocol };
167
463
  } catch (error) {
168
- throw new FetcherError(response.status, error);
464
+ return {};
169
465
  }
170
466
  }
171
467
 
172
- const getUser = (variables) => fetch$1({ url: "/user", method: "get", ...variables });
173
- const updateUser = (variables) => fetch$1({ url: "/user", method: "put", ...variables });
174
- const deleteUser = (variables) => fetch$1({ url: "/user", method: "delete", ...variables });
175
- const getUserAPIKeys = (variables) => fetch$1({
176
- url: "/user/keys",
177
- method: "get",
178
- ...variables
179
- });
180
- const createUserAPIKey = (variables) => fetch$1({
181
- url: "/user/keys/{keyName}",
182
- method: "post",
183
- ...variables
184
- });
185
- const deleteUserAPIKey = (variables) => fetch$1({
186
- url: "/user/keys/{keyName}",
187
- method: "delete",
188
- ...variables
189
- });
190
- const createWorkspace = (variables) => fetch$1({
191
- url: "/workspaces",
192
- method: "post",
193
- ...variables
194
- });
195
- const getWorkspacesList = (variables) => fetch$1({
196
- url: "/workspaces",
197
- method: "get",
198
- ...variables
199
- });
200
- const getWorkspace = (variables) => fetch$1({
201
- url: "/workspaces/{workspaceId}",
202
- method: "get",
203
- ...variables
204
- });
205
- const updateWorkspace = (variables) => fetch$1({
206
- url: "/workspaces/{workspaceId}",
207
- method: "put",
208
- ...variables
209
- });
210
- const deleteWorkspace = (variables) => fetch$1({
211
- url: "/workspaces/{workspaceId}",
212
- method: "delete",
213
- ...variables
214
- });
215
- const getWorkspaceMembersList = (variables) => fetch$1({
216
- url: "/workspaces/{workspaceId}/members",
217
- method: "get",
218
- ...variables
219
- });
220
- const updateWorkspaceMemberRole = (variables) => fetch$1({ url: "/workspaces/{workspaceId}/members/{userId}", method: "put", ...variables });
221
- const removeWorkspaceMember = (variables) => fetch$1({
222
- url: "/workspaces/{workspaceId}/members/{userId}",
223
- method: "delete",
224
- ...variables
225
- });
226
- const inviteWorkspaceMember = (variables) => fetch$1({ url: "/workspaces/{workspaceId}/invites", method: "post", ...variables });
227
- const cancelWorkspaceMemberInvite = (variables) => fetch$1({
228
- url: "/workspaces/{workspaceId}/invites/{inviteId}",
229
- method: "delete",
230
- ...variables
231
- });
232
- const resendWorkspaceMemberInvite = (variables) => fetch$1({
233
- url: "/workspaces/{workspaceId}/invites/{inviteId}/resend",
234
- method: "post",
235
- ...variables
236
- });
237
- const acceptWorkspaceMemberInvite = (variables) => fetch$1({
238
- url: "/workspaces/{workspaceId}/invites/{inviteKey}/accept",
239
- method: "post",
240
- ...variables
241
- });
242
- const getDatabaseList = (variables) => fetch$1({
243
- url: "/dbs",
244
- method: "get",
245
- ...variables
246
- });
247
- const getBranchList = (variables) => fetch$1({
248
- url: "/dbs/{dbName}",
249
- method: "get",
250
- ...variables
251
- });
252
- const createDatabase = (variables) => fetch$1({
253
- url: "/dbs/{dbName}",
254
- method: "put",
255
- ...variables
256
- });
257
- const deleteDatabase = (variables) => fetch$1({
468
+ const dataPlaneFetch = async (options) => fetch$1({ ...options, endpoint: "dataPlane" });
469
+
470
+ const getBranchList = (variables, signal) => dataPlaneFetch({
258
471
  url: "/dbs/{dbName}",
259
- method: "delete",
260
- ...variables
261
- });
262
- const getGitBranchesMapping = (variables) => fetch$1({ url: "/dbs/{dbName}/gitBranches", method: "get", ...variables });
263
- const addGitBranchesEntry = (variables) => fetch$1({ url: "/dbs/{dbName}/gitBranches", method: "post", ...variables });
264
- const removeGitBranchesEntry = (variables) => fetch$1({ url: "/dbs/{dbName}/gitBranches", method: "delete", ...variables });
265
- const resolveBranch = (variables) => fetch$1({
266
- url: "/dbs/{dbName}/resolveBranch",
267
472
  method: "get",
268
- ...variables
473
+ ...variables,
474
+ signal
269
475
  });
270
- const getBranchDetails = (variables) => fetch$1({
476
+ const getBranchDetails = (variables, signal) => dataPlaneFetch({
271
477
  url: "/db/{dbBranchName}",
272
478
  method: "get",
273
- ...variables
479
+ ...variables,
480
+ signal
274
481
  });
275
- const createBranch = (variables) => fetch$1({
276
- url: "/db/{dbBranchName}",
277
- method: "put",
278
- ...variables
279
- });
280
- const deleteBranch = (variables) => fetch$1({
482
+ const createBranch = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}", method: "put", ...variables, signal });
483
+ const deleteBranch = (variables, signal) => dataPlaneFetch({
281
484
  url: "/db/{dbBranchName}",
282
485
  method: "delete",
283
- ...variables
486
+ ...variables,
487
+ signal
284
488
  });
285
- const updateBranchMetadata = (variables) => fetch$1({
489
+ const updateBranchMetadata = (variables, signal) => dataPlaneFetch({
286
490
  url: "/db/{dbBranchName}/metadata",
287
491
  method: "put",
288
- ...variables
492
+ ...variables,
493
+ signal
289
494
  });
290
- const getBranchMetadata = (variables) => fetch$1({
495
+ const getBranchMetadata = (variables, signal) => dataPlaneFetch({
291
496
  url: "/db/{dbBranchName}/metadata",
292
497
  method: "get",
293
- ...variables
498
+ ...variables,
499
+ signal
294
500
  });
295
- const getBranchMigrationHistory = (variables) => fetch$1({ url: "/db/{dbBranchName}/migrations", method: "get", ...variables });
296
- const executeBranchMigrationPlan = (variables) => fetch$1({ url: "/db/{dbBranchName}/migrations/execute", method: "post", ...variables });
297
- const getBranchMigrationPlan = (variables) => fetch$1({ url: "/db/{dbBranchName}/migrations/plan", method: "post", ...variables });
298
- const getBranchStats = (variables) => fetch$1({
501
+ const getBranchStats = (variables, signal) => dataPlaneFetch({
299
502
  url: "/db/{dbBranchName}/stats",
300
503
  method: "get",
301
- ...variables
504
+ ...variables,
505
+ signal
506
+ });
507
+ const getGitBranchesMapping = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/gitBranches", method: "get", ...variables, signal });
508
+ const addGitBranchesEntry = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/gitBranches", method: "post", ...variables, signal });
509
+ const removeGitBranchesEntry = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/gitBranches", method: "delete", ...variables, signal });
510
+ const resolveBranch = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/resolveBranch", method: "get", ...variables, signal });
511
+ const getBranchMigrationHistory = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/migrations", method: "get", ...variables, signal });
512
+ const getBranchMigrationPlan = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/migrations/plan", method: "post", ...variables, signal });
513
+ const executeBranchMigrationPlan = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/migrations/execute", method: "post", ...variables, signal });
514
+ const branchTransaction = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/transaction", method: "post", ...variables, signal });
515
+ const queryMigrationRequests = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/migrations/query", method: "post", ...variables, signal });
516
+ const createMigrationRequest = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/migrations", method: "post", ...variables, signal });
517
+ const getMigrationRequest = (variables, signal) => dataPlaneFetch({
518
+ url: "/dbs/{dbName}/migrations/{mrNumber}",
519
+ method: "get",
520
+ ...variables,
521
+ signal
522
+ });
523
+ const updateMigrationRequest = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/migrations/{mrNumber}", method: "patch", ...variables, signal });
524
+ const listMigrationRequestsCommits = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/migrations/{mrNumber}/commits", method: "post", ...variables, signal });
525
+ const compareMigrationRequest = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/migrations/{mrNumber}/compare", method: "post", ...variables, signal });
526
+ const getMigrationRequestIsMerged = (variables, signal) => dataPlaneFetch({ url: "/dbs/{dbName}/migrations/{mrNumber}/merge", method: "get", ...variables, signal });
527
+ const mergeMigrationRequest = (variables, signal) => dataPlaneFetch({
528
+ url: "/dbs/{dbName}/migrations/{mrNumber}/merge",
529
+ method: "post",
530
+ ...variables,
531
+ signal
302
532
  });
303
- const createTable = (variables) => fetch$1({
533
+ const getBranchSchemaHistory = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/schema/history", method: "post", ...variables, signal });
534
+ const compareBranchWithUserSchema = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/schema/compare", method: "post", ...variables, signal });
535
+ const compareBranchSchemas = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/schema/compare/{branchName}", method: "post", ...variables, signal });
536
+ const updateBranchSchema = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/schema/update", method: "post", ...variables, signal });
537
+ const previewBranchSchemaEdit = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/schema/preview", method: "post", ...variables, signal });
538
+ const applyBranchSchemaEdit = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/schema/apply", method: "post", ...variables, signal });
539
+ const createTable = (variables, signal) => dataPlaneFetch({
304
540
  url: "/db/{dbBranchName}/tables/{tableName}",
305
541
  method: "put",
306
- ...variables
542
+ ...variables,
543
+ signal
307
544
  });
308
- const deleteTable = (variables) => fetch$1({
545
+ const deleteTable = (variables, signal) => dataPlaneFetch({
309
546
  url: "/db/{dbBranchName}/tables/{tableName}",
310
547
  method: "delete",
311
- ...variables
312
- });
313
- const updateTable = (variables) => fetch$1({
314
- url: "/db/{dbBranchName}/tables/{tableName}",
315
- method: "patch",
316
- ...variables
548
+ ...variables,
549
+ signal
317
550
  });
318
- const getTableSchema = (variables) => fetch$1({
551
+ const updateTable = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}", method: "patch", ...variables, signal });
552
+ const getTableSchema = (variables, signal) => dataPlaneFetch({
319
553
  url: "/db/{dbBranchName}/tables/{tableName}/schema",
320
554
  method: "get",
321
- ...variables
322
- });
323
- const setTableSchema = (variables) => fetch$1({
324
- url: "/db/{dbBranchName}/tables/{tableName}/schema",
325
- method: "put",
326
- ...variables
555
+ ...variables,
556
+ signal
327
557
  });
328
- const getTableColumns = (variables) => fetch$1({
558
+ const setTableSchema = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/schema", method: "put", ...variables, signal });
559
+ const getTableColumns = (variables, signal) => dataPlaneFetch({
329
560
  url: "/db/{dbBranchName}/tables/{tableName}/columns",
330
561
  method: "get",
331
- ...variables
562
+ ...variables,
563
+ signal
332
564
  });
333
- const addTableColumn = (variables) => fetch$1({
334
- url: "/db/{dbBranchName}/tables/{tableName}/columns",
335
- method: "post",
336
- ...variables
337
- });
338
- const getColumn = (variables) => fetch$1({
565
+ const addTableColumn = (variables, signal) => dataPlaneFetch(
566
+ { url: "/db/{dbBranchName}/tables/{tableName}/columns", method: "post", ...variables, signal }
567
+ );
568
+ const getColumn = (variables, signal) => dataPlaneFetch({
339
569
  url: "/db/{dbBranchName}/tables/{tableName}/columns/{columnName}",
340
570
  method: "get",
341
- ...variables
571
+ ...variables,
572
+ signal
342
573
  });
343
- const deleteColumn = (variables) => fetch$1({
574
+ const updateColumn = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/columns/{columnName}", method: "patch", ...variables, signal });
575
+ const deleteColumn = (variables, signal) => dataPlaneFetch({
344
576
  url: "/db/{dbBranchName}/tables/{tableName}/columns/{columnName}",
345
577
  method: "delete",
346
- ...variables
578
+ ...variables,
579
+ signal
347
580
  });
348
- const updateColumn = (variables) => fetch$1({
349
- url: "/db/{dbBranchName}/tables/{tableName}/columns/{columnName}",
350
- method: "patch",
351
- ...variables
352
- });
353
- const insertRecord = (variables) => fetch$1({
354
- url: "/db/{dbBranchName}/tables/{tableName}/data",
355
- method: "post",
356
- ...variables
357
- });
358
- const insertRecordWithID = (variables) => fetch$1({ url: "/db/{dbBranchName}/tables/{tableName}/data/{recordId}", method: "put", ...variables });
359
- const updateRecordWithID = (variables) => fetch$1({ url: "/db/{dbBranchName}/tables/{tableName}/data/{recordId}", method: "patch", ...variables });
360
- const upsertRecordWithID = (variables) => fetch$1({ url: "/db/{dbBranchName}/tables/{tableName}/data/{recordId}", method: "post", ...variables });
361
- const deleteRecord = (variables) => fetch$1({
362
- url: "/db/{dbBranchName}/tables/{tableName}/data/{recordId}",
363
- method: "delete",
364
- ...variables
365
- });
366
- const getRecord = (variables) => fetch$1({
581
+ const insertRecord = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/data", method: "post", ...variables, signal });
582
+ const getRecord = (variables, signal) => dataPlaneFetch({
367
583
  url: "/db/{dbBranchName}/tables/{tableName}/data/{recordId}",
368
584
  method: "get",
369
- ...variables
585
+ ...variables,
586
+ signal
370
587
  });
371
- const bulkInsertTableRecords = (variables) => fetch$1({ url: "/db/{dbBranchName}/tables/{tableName}/bulk", method: "post", ...variables });
372
- const queryTable = (variables) => fetch$1({
588
+ const insertRecordWithID = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/data/{recordId}", method: "put", ...variables, signal });
589
+ const updateRecordWithID = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/data/{recordId}", method: "patch", ...variables, signal });
590
+ const upsertRecordWithID = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/data/{recordId}", method: "post", ...variables, signal });
591
+ const deleteRecord = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/data/{recordId}", method: "delete", ...variables, signal });
592
+ const bulkInsertTableRecords = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/bulk", method: "post", ...variables, signal });
593
+ const queryTable = (variables, signal) => dataPlaneFetch({
373
594
  url: "/db/{dbBranchName}/tables/{tableName}/query",
374
595
  method: "post",
375
- ...variables
596
+ ...variables,
597
+ signal
376
598
  });
377
- const searchTable = (variables) => fetch$1({
378
- url: "/db/{dbBranchName}/tables/{tableName}/search",
599
+ const searchBranch = (variables, signal) => dataPlaneFetch({
600
+ url: "/db/{dbBranchName}/search",
379
601
  method: "post",
380
- ...variables
602
+ ...variables,
603
+ signal
381
604
  });
382
- const searchBranch = (variables) => fetch$1({
383
- url: "/db/{dbBranchName}/search",
605
+ const searchTable = (variables, signal) => dataPlaneFetch({
606
+ url: "/db/{dbBranchName}/tables/{tableName}/search",
384
607
  method: "post",
385
- ...variables
608
+ ...variables,
609
+ signal
386
610
  });
387
- const operationsByTag = {
388
- users: { getUser, updateUser, deleteUser, getUserAPIKeys, createUserAPIKey, deleteUserAPIKey },
389
- workspaces: {
390
- createWorkspace,
391
- getWorkspacesList,
392
- getWorkspace,
393
- updateWorkspace,
394
- deleteWorkspace,
395
- getWorkspaceMembersList,
396
- updateWorkspaceMemberRole,
397
- removeWorkspaceMember,
398
- inviteWorkspaceMember,
399
- cancelWorkspaceMemberInvite,
400
- resendWorkspaceMemberInvite,
401
- acceptWorkspaceMemberInvite
402
- },
403
- database: {
404
- getDatabaseList,
405
- createDatabase,
406
- deleteDatabase,
407
- getGitBranchesMapping,
408
- addGitBranchesEntry,
409
- removeGitBranchesEntry,
410
- resolveBranch
411
- },
611
+ const summarizeTable = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/summarize", method: "post", ...variables, signal });
612
+ const aggregateTable = (variables, signal) => dataPlaneFetch({ url: "/db/{dbBranchName}/tables/{tableName}/aggregate", method: "post", ...variables, signal });
613
+ const operationsByTag$2 = {
412
614
  branch: {
413
615
  getBranchList,
414
616
  getBranchDetails,
@@ -416,10 +618,42 @@ const operationsByTag = {
416
618
  deleteBranch,
417
619
  updateBranchMetadata,
418
620
  getBranchMetadata,
621
+ getBranchStats,
622
+ getGitBranchesMapping,
623
+ addGitBranchesEntry,
624
+ removeGitBranchesEntry,
625
+ resolveBranch
626
+ },
627
+ migrations: {
419
628
  getBranchMigrationHistory,
420
- executeBranchMigrationPlan,
421
629
  getBranchMigrationPlan,
422
- getBranchStats
630
+ executeBranchMigrationPlan,
631
+ getBranchSchemaHistory,
632
+ compareBranchWithUserSchema,
633
+ compareBranchSchemas,
634
+ updateBranchSchema,
635
+ previewBranchSchemaEdit,
636
+ applyBranchSchemaEdit
637
+ },
638
+ records: {
639
+ branchTransaction,
640
+ insertRecord,
641
+ getRecord,
642
+ insertRecordWithID,
643
+ updateRecordWithID,
644
+ upsertRecordWithID,
645
+ deleteRecord,
646
+ bulkInsertTableRecords
647
+ },
648
+ migrationRequests: {
649
+ queryMigrationRequests,
650
+ createMigrationRequest,
651
+ getMigrationRequest,
652
+ updateMigrationRequest,
653
+ listMigrationRequestsCommits,
654
+ compareMigrationRequest,
655
+ getMigrationRequestIsMerged,
656
+ mergeMigrationRequest
423
657
  },
424
658
  table: {
425
659
  createTable,
@@ -430,27 +664,150 @@ const operationsByTag = {
430
664
  getTableColumns,
431
665
  addTableColumn,
432
666
  getColumn,
433
- deleteColumn,
434
- updateColumn
667
+ updateColumn,
668
+ deleteColumn
435
669
  },
436
- records: {
437
- insertRecord,
438
- insertRecordWithID,
439
- updateRecordWithID,
440
- upsertRecordWithID,
441
- deleteRecord,
442
- getRecord,
443
- bulkInsertTableRecords,
444
- queryTable,
445
- searchTable,
446
- searchBranch
670
+ searchAndFilter: { queryTable, searchBranch, searchTable, summarizeTable, aggregateTable }
671
+ };
672
+
673
+ const controlPlaneFetch = async (options) => fetch$1({ ...options, endpoint: "controlPlane" });
674
+
675
+ const getUser = (variables, signal) => controlPlaneFetch({
676
+ url: "/user",
677
+ method: "get",
678
+ ...variables,
679
+ signal
680
+ });
681
+ const updateUser = (variables, signal) => controlPlaneFetch({
682
+ url: "/user",
683
+ method: "put",
684
+ ...variables,
685
+ signal
686
+ });
687
+ const deleteUser = (variables, signal) => controlPlaneFetch({
688
+ url: "/user",
689
+ method: "delete",
690
+ ...variables,
691
+ signal
692
+ });
693
+ const getUserAPIKeys = (variables, signal) => controlPlaneFetch({
694
+ url: "/user/keys",
695
+ method: "get",
696
+ ...variables,
697
+ signal
698
+ });
699
+ const createUserAPIKey = (variables, signal) => controlPlaneFetch({
700
+ url: "/user/keys/{keyName}",
701
+ method: "post",
702
+ ...variables,
703
+ signal
704
+ });
705
+ const deleteUserAPIKey = (variables, signal) => controlPlaneFetch({
706
+ url: "/user/keys/{keyName}",
707
+ method: "delete",
708
+ ...variables,
709
+ signal
710
+ });
711
+ const getWorkspacesList = (variables, signal) => controlPlaneFetch({
712
+ url: "/workspaces",
713
+ method: "get",
714
+ ...variables,
715
+ signal
716
+ });
717
+ const createWorkspace = (variables, signal) => controlPlaneFetch({
718
+ url: "/workspaces",
719
+ method: "post",
720
+ ...variables,
721
+ signal
722
+ });
723
+ const getWorkspace = (variables, signal) => controlPlaneFetch({
724
+ url: "/workspaces/{workspaceId}",
725
+ method: "get",
726
+ ...variables,
727
+ signal
728
+ });
729
+ const updateWorkspace = (variables, signal) => controlPlaneFetch({
730
+ url: "/workspaces/{workspaceId}",
731
+ method: "put",
732
+ ...variables,
733
+ signal
734
+ });
735
+ const deleteWorkspace = (variables, signal) => controlPlaneFetch({
736
+ url: "/workspaces/{workspaceId}",
737
+ method: "delete",
738
+ ...variables,
739
+ signal
740
+ });
741
+ const getWorkspaceMembersList = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/members", method: "get", ...variables, signal });
742
+ const updateWorkspaceMemberRole = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/members/{userId}", method: "put", ...variables, signal });
743
+ const removeWorkspaceMember = (variables, signal) => controlPlaneFetch({
744
+ url: "/workspaces/{workspaceId}/members/{userId}",
745
+ method: "delete",
746
+ ...variables,
747
+ signal
748
+ });
749
+ const inviteWorkspaceMember = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/invites", method: "post", ...variables, signal });
750
+ const updateWorkspaceMemberInvite = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/invites/{inviteId}", method: "patch", ...variables, signal });
751
+ const cancelWorkspaceMemberInvite = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/invites/{inviteId}", method: "delete", ...variables, signal });
752
+ const acceptWorkspaceMemberInvite = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/invites/{inviteKey}/accept", method: "post", ...variables, signal });
753
+ const resendWorkspaceMemberInvite = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/invites/{inviteId}/resend", method: "post", ...variables, signal });
754
+ const getDatabaseList = (variables, signal) => controlPlaneFetch({
755
+ url: "/workspaces/{workspaceId}/dbs",
756
+ method: "get",
757
+ ...variables,
758
+ signal
759
+ });
760
+ const createDatabase = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/dbs/{dbName}", method: "put", ...variables, signal });
761
+ const deleteDatabase = (variables, signal) => controlPlaneFetch({
762
+ url: "/workspaces/{workspaceId}/dbs/{dbName}",
763
+ method: "delete",
764
+ ...variables,
765
+ signal
766
+ });
767
+ const getDatabaseMetadata = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/dbs/{dbName}", method: "get", ...variables, signal });
768
+ const updateDatabaseMetadata = (variables, signal) => controlPlaneFetch({ url: "/workspaces/{workspaceId}/dbs/{dbName}", method: "patch", ...variables, signal });
769
+ const listRegions = (variables, signal) => controlPlaneFetch({
770
+ url: "/workspaces/{workspaceId}/regions",
771
+ method: "get",
772
+ ...variables,
773
+ signal
774
+ });
775
+ const operationsByTag$1 = {
776
+ users: { getUser, updateUser, deleteUser },
777
+ authentication: { getUserAPIKeys, createUserAPIKey, deleteUserAPIKey },
778
+ workspaces: {
779
+ getWorkspacesList,
780
+ createWorkspace,
781
+ getWorkspace,
782
+ updateWorkspace,
783
+ deleteWorkspace,
784
+ getWorkspaceMembersList,
785
+ updateWorkspaceMemberRole,
786
+ removeWorkspaceMember
787
+ },
788
+ invites: {
789
+ inviteWorkspaceMember,
790
+ updateWorkspaceMemberInvite,
791
+ cancelWorkspaceMemberInvite,
792
+ acceptWorkspaceMemberInvite,
793
+ resendWorkspaceMemberInvite
794
+ },
795
+ databases: {
796
+ getDatabaseList,
797
+ createDatabase,
798
+ deleteDatabase,
799
+ getDatabaseMetadata,
800
+ updateDatabaseMetadata,
801
+ listRegions
447
802
  }
448
803
  };
449
804
 
805
+ const operationsByTag = deepMerge(operationsByTag$2, operationsByTag$1);
806
+
450
807
  function getHostUrl(provider, type) {
451
- if (isValidAlias(provider)) {
808
+ if (isHostProviderAlias(provider)) {
452
809
  return providers[provider][type];
453
- } else if (isValidBuilder(provider)) {
810
+ } else if (isHostProviderBuilder(provider)) {
454
811
  return provider[type];
455
812
  }
456
813
  throw new Error("Invalid API provider");
@@ -458,19 +815,38 @@ function getHostUrl(provider, type) {
458
815
  const providers = {
459
816
  production: {
460
817
  main: "https://api.xata.io",
461
- workspaces: "https://{workspaceId}.xata.sh"
818
+ workspaces: "https://{workspaceId}.{region}.xata.sh"
462
819
  },
463
820
  staging: {
464
821
  main: "https://staging.xatabase.co",
465
- workspaces: "https://{workspaceId}.staging.xatabase.co"
822
+ workspaces: "https://{workspaceId}.staging.{region}.xatabase.co"
466
823
  }
467
824
  };
468
- function isValidAlias(alias) {
825
+ function isHostProviderAlias(alias) {
469
826
  return isString(alias) && Object.keys(providers).includes(alias);
470
827
  }
471
- function isValidBuilder(builder) {
828
+ function isHostProviderBuilder(builder) {
472
829
  return isObject(builder) && isString(builder.main) && isString(builder.workspaces);
473
830
  }
831
+ function parseProviderString(provider = "production") {
832
+ if (isHostProviderAlias(provider)) {
833
+ return provider;
834
+ }
835
+ const [main, workspaces] = provider.split(",");
836
+ if (!main || !workspaces)
837
+ return null;
838
+ return { main, workspaces };
839
+ }
840
+ function parseWorkspacesUrlParts(url) {
841
+ if (!isString(url))
842
+ return null;
843
+ const regex = /(?:https:\/\/)?([^.]+)(?:\.([^.]+))\.xata\.sh.*/;
844
+ const regexStaging = /(?:https:\/\/)?([^.]+)\.staging(?:\.([^.]+))\.xatabase\.co.*/;
845
+ const match = url.match(regex) || url.match(regexStaging);
846
+ if (!match)
847
+ return null;
848
+ return { workspace: match[1], region: match[2] };
849
+ }
474
850
 
475
851
  var __accessCheck$7 = (obj, member, msg) => {
476
852
  if (!member.has(obj))
@@ -485,7 +861,7 @@ var __privateAdd$7 = (obj, member, value) => {
485
861
  throw TypeError("Cannot add the same private member more than once");
486
862
  member instanceof WeakSet ? member.add(obj) : member.set(obj, value);
487
863
  };
488
- var __privateSet$6 = (obj, member, value, setter) => {
864
+ var __privateSet$7 = (obj, member, value, setter) => {
489
865
  __accessCheck$7(obj, member, "write to private field");
490
866
  setter ? setter.call(obj, value) : member.set(obj, value);
491
867
  return value;
@@ -496,15 +872,20 @@ class XataApiClient {
496
872
  __privateAdd$7(this, _extraProps, void 0);
497
873
  __privateAdd$7(this, _namespaces, {});
498
874
  const provider = options.host ?? "production";
499
- const apiKey = options?.apiKey ?? getAPIKey();
875
+ const apiKey = options.apiKey ?? getAPIKey();
876
+ const trace = options.trace ?? defaultTrace;
877
+ const clientID = generateUUID();
500
878
  if (!apiKey) {
501
879
  throw new Error("Could not resolve a valid apiKey");
502
880
  }
503
- __privateSet$6(this, _extraProps, {
881
+ __privateSet$7(this, _extraProps, {
504
882
  apiUrl: getHostUrl(provider, "main"),
505
883
  workspacesApiUrl: getHostUrl(provider, "workspaces"),
506
884
  fetchImpl: getFetchImplementation(options.fetch),
507
- apiKey
885
+ apiKey,
886
+ trace,
887
+ clientName: options.clientName,
888
+ clientID
508
889
  });
509
890
  }
510
891
  get user() {
@@ -512,21 +893,41 @@ class XataApiClient {
512
893
  __privateGet$7(this, _namespaces).user = new UserApi(__privateGet$7(this, _extraProps));
513
894
  return __privateGet$7(this, _namespaces).user;
514
895
  }
896
+ get authentication() {
897
+ if (!__privateGet$7(this, _namespaces).authentication)
898
+ __privateGet$7(this, _namespaces).authentication = new AuthenticationApi(__privateGet$7(this, _extraProps));
899
+ return __privateGet$7(this, _namespaces).authentication;
900
+ }
515
901
  get workspaces() {
516
902
  if (!__privateGet$7(this, _namespaces).workspaces)
517
903
  __privateGet$7(this, _namespaces).workspaces = new WorkspaceApi(__privateGet$7(this, _extraProps));
518
904
  return __privateGet$7(this, _namespaces).workspaces;
519
905
  }
520
- get databases() {
521
- if (!__privateGet$7(this, _namespaces).databases)
522
- __privateGet$7(this, _namespaces).databases = new DatabaseApi(__privateGet$7(this, _extraProps));
523
- return __privateGet$7(this, _namespaces).databases;
906
+ get invites() {
907
+ if (!__privateGet$7(this, _namespaces).invites)
908
+ __privateGet$7(this, _namespaces).invites = new InvitesApi(__privateGet$7(this, _extraProps));
909
+ return __privateGet$7(this, _namespaces).invites;
910
+ }
911
+ get database() {
912
+ if (!__privateGet$7(this, _namespaces).database)
913
+ __privateGet$7(this, _namespaces).database = new DatabaseApi(__privateGet$7(this, _extraProps));
914
+ return __privateGet$7(this, _namespaces).database;
524
915
  }
525
916
  get branches() {
526
917
  if (!__privateGet$7(this, _namespaces).branches)
527
918
  __privateGet$7(this, _namespaces).branches = new BranchApi(__privateGet$7(this, _extraProps));
528
919
  return __privateGet$7(this, _namespaces).branches;
529
920
  }
921
+ get migrations() {
922
+ if (!__privateGet$7(this, _namespaces).migrations)
923
+ __privateGet$7(this, _namespaces).migrations = new MigrationsApi(__privateGet$7(this, _extraProps));
924
+ return __privateGet$7(this, _namespaces).migrations;
925
+ }
926
+ get migrationRequests() {
927
+ if (!__privateGet$7(this, _namespaces).migrationRequests)
928
+ __privateGet$7(this, _namespaces).migrationRequests = new MigrationRequestsApi(__privateGet$7(this, _extraProps));
929
+ return __privateGet$7(this, _namespaces).migrationRequests;
930
+ }
530
931
  get tables() {
531
932
  if (!__privateGet$7(this, _namespaces).tables)
532
933
  __privateGet$7(this, _namespaces).tables = new TableApi(__privateGet$7(this, _extraProps));
@@ -537,6 +938,11 @@ class XataApiClient {
537
938
  __privateGet$7(this, _namespaces).records = new RecordsApi(__privateGet$7(this, _extraProps));
538
939
  return __privateGet$7(this, _namespaces).records;
539
940
  }
941
+ get searchAndFilter() {
942
+ if (!__privateGet$7(this, _namespaces).searchAndFilter)
943
+ __privateGet$7(this, _namespaces).searchAndFilter = new SearchAndFilterApi(__privateGet$7(this, _extraProps));
944
+ return __privateGet$7(this, _namespaces).searchAndFilter;
945
+ }
540
946
  }
541
947
  _extraProps = new WeakMap();
542
948
  _namespaces = new WeakMap();
@@ -547,24 +953,29 @@ class UserApi {
547
953
  getUser() {
548
954
  return operationsByTag.users.getUser({ ...this.extraProps });
549
955
  }
550
- updateUser(user) {
956
+ updateUser({ user }) {
551
957
  return operationsByTag.users.updateUser({ body: user, ...this.extraProps });
552
958
  }
553
959
  deleteUser() {
554
960
  return operationsByTag.users.deleteUser({ ...this.extraProps });
555
961
  }
962
+ }
963
+ class AuthenticationApi {
964
+ constructor(extraProps) {
965
+ this.extraProps = extraProps;
966
+ }
556
967
  getUserAPIKeys() {
557
- return operationsByTag.users.getUserAPIKeys({ ...this.extraProps });
968
+ return operationsByTag.authentication.getUserAPIKeys({ ...this.extraProps });
558
969
  }
559
- createUserAPIKey(keyName) {
560
- return operationsByTag.users.createUserAPIKey({
561
- pathParams: { keyName },
970
+ createUserAPIKey({ name }) {
971
+ return operationsByTag.authentication.createUserAPIKey({
972
+ pathParams: { keyName: name },
562
973
  ...this.extraProps
563
974
  });
564
975
  }
565
- deleteUserAPIKey(keyName) {
566
- return operationsByTag.users.deleteUserAPIKey({
567
- pathParams: { keyName },
976
+ deleteUserAPIKey({ name }) {
977
+ return operationsByTag.authentication.deleteUserAPIKey({
978
+ pathParams: { keyName: name },
568
979
  ...this.extraProps
569
980
  });
570
981
  }
@@ -573,126 +984,114 @@ class WorkspaceApi {
573
984
  constructor(extraProps) {
574
985
  this.extraProps = extraProps;
575
986
  }
576
- createWorkspace(workspaceMeta) {
987
+ getWorkspacesList() {
988
+ return operationsByTag.workspaces.getWorkspacesList({ ...this.extraProps });
989
+ }
990
+ createWorkspace({ data }) {
577
991
  return operationsByTag.workspaces.createWorkspace({
578
- body: workspaceMeta,
992
+ body: data,
579
993
  ...this.extraProps
580
994
  });
581
995
  }
582
- getWorkspacesList() {
583
- return operationsByTag.workspaces.getWorkspacesList({ ...this.extraProps });
584
- }
585
- getWorkspace(workspaceId) {
996
+ getWorkspace({ workspace }) {
586
997
  return operationsByTag.workspaces.getWorkspace({
587
- pathParams: { workspaceId },
998
+ pathParams: { workspaceId: workspace },
588
999
  ...this.extraProps
589
1000
  });
590
1001
  }
591
- updateWorkspace(workspaceId, workspaceMeta) {
1002
+ updateWorkspace({
1003
+ workspace,
1004
+ update
1005
+ }) {
592
1006
  return operationsByTag.workspaces.updateWorkspace({
593
- pathParams: { workspaceId },
594
- body: workspaceMeta,
1007
+ pathParams: { workspaceId: workspace },
1008
+ body: update,
595
1009
  ...this.extraProps
596
1010
  });
597
1011
  }
598
- deleteWorkspace(workspaceId) {
1012
+ deleteWorkspace({ workspace }) {
599
1013
  return operationsByTag.workspaces.deleteWorkspace({
600
- pathParams: { workspaceId },
1014
+ pathParams: { workspaceId: workspace },
601
1015
  ...this.extraProps
602
1016
  });
603
1017
  }
604
- getWorkspaceMembersList(workspaceId) {
1018
+ getWorkspaceMembersList({ workspace }) {
605
1019
  return operationsByTag.workspaces.getWorkspaceMembersList({
606
- pathParams: { workspaceId },
1020
+ pathParams: { workspaceId: workspace },
607
1021
  ...this.extraProps
608
1022
  });
609
1023
  }
610
- updateWorkspaceMemberRole(workspaceId, userId, role) {
1024
+ updateWorkspaceMemberRole({
1025
+ workspace,
1026
+ user,
1027
+ role
1028
+ }) {
611
1029
  return operationsByTag.workspaces.updateWorkspaceMemberRole({
612
- pathParams: { workspaceId, userId },
1030
+ pathParams: { workspaceId: workspace, userId: user },
613
1031
  body: { role },
614
1032
  ...this.extraProps
615
1033
  });
616
1034
  }
617
- removeWorkspaceMember(workspaceId, userId) {
1035
+ removeWorkspaceMember({
1036
+ workspace,
1037
+ user
1038
+ }) {
618
1039
  return operationsByTag.workspaces.removeWorkspaceMember({
619
- pathParams: { workspaceId, userId },
620
- ...this.extraProps
621
- });
622
- }
623
- inviteWorkspaceMember(workspaceId, email, role) {
624
- return operationsByTag.workspaces.inviteWorkspaceMember({
625
- pathParams: { workspaceId },
626
- body: { email, role },
627
- ...this.extraProps
628
- });
629
- }
630
- cancelWorkspaceMemberInvite(workspaceId, inviteId) {
631
- return operationsByTag.workspaces.cancelWorkspaceMemberInvite({
632
- pathParams: { workspaceId, inviteId },
633
- ...this.extraProps
634
- });
635
- }
636
- resendWorkspaceMemberInvite(workspaceId, inviteId) {
637
- return operationsByTag.workspaces.resendWorkspaceMemberInvite({
638
- pathParams: { workspaceId, inviteId },
639
- ...this.extraProps
640
- });
641
- }
642
- acceptWorkspaceMemberInvite(workspaceId, inviteKey) {
643
- return operationsByTag.workspaces.acceptWorkspaceMemberInvite({
644
- pathParams: { workspaceId, inviteKey },
1040
+ pathParams: { workspaceId: workspace, userId: user },
645
1041
  ...this.extraProps
646
1042
  });
647
1043
  }
648
1044
  }
649
- class DatabaseApi {
1045
+ class InvitesApi {
650
1046
  constructor(extraProps) {
651
1047
  this.extraProps = extraProps;
652
1048
  }
653
- getDatabaseList(workspace) {
654
- return operationsByTag.database.getDatabaseList({
655
- pathParams: { workspace },
656
- ...this.extraProps
657
- });
658
- }
659
- createDatabase(workspace, dbName, options = {}) {
660
- return operationsByTag.database.createDatabase({
661
- pathParams: { workspace, dbName },
662
- body: options,
663
- ...this.extraProps
664
- });
665
- }
666
- deleteDatabase(workspace, dbName) {
667
- return operationsByTag.database.deleteDatabase({
668
- pathParams: { workspace, dbName },
1049
+ inviteWorkspaceMember({
1050
+ workspace,
1051
+ email,
1052
+ role
1053
+ }) {
1054
+ return operationsByTag.invites.inviteWorkspaceMember({
1055
+ pathParams: { workspaceId: workspace },
1056
+ body: { email, role },
669
1057
  ...this.extraProps
670
1058
  });
671
1059
  }
672
- getGitBranchesMapping(workspace, dbName) {
673
- return operationsByTag.database.getGitBranchesMapping({
674
- pathParams: { workspace, dbName },
1060
+ updateWorkspaceMemberInvite({
1061
+ workspace,
1062
+ invite,
1063
+ role
1064
+ }) {
1065
+ return operationsByTag.invites.updateWorkspaceMemberInvite({
1066
+ pathParams: { workspaceId: workspace, inviteId: invite },
1067
+ body: { role },
675
1068
  ...this.extraProps
676
1069
  });
677
1070
  }
678
- addGitBranchesEntry(workspace, dbName, body) {
679
- return operationsByTag.database.addGitBranchesEntry({
680
- pathParams: { workspace, dbName },
681
- body,
1071
+ cancelWorkspaceMemberInvite({
1072
+ workspace,
1073
+ invite
1074
+ }) {
1075
+ return operationsByTag.invites.cancelWorkspaceMemberInvite({
1076
+ pathParams: { workspaceId: workspace, inviteId: invite },
682
1077
  ...this.extraProps
683
1078
  });
684
1079
  }
685
- removeGitBranchesEntry(workspace, dbName, gitBranch) {
686
- return operationsByTag.database.removeGitBranchesEntry({
687
- pathParams: { workspace, dbName },
688
- queryParams: { gitBranch },
1080
+ acceptWorkspaceMemberInvite({
1081
+ workspace,
1082
+ key
1083
+ }) {
1084
+ return operationsByTag.invites.acceptWorkspaceMemberInvite({
1085
+ pathParams: { workspaceId: workspace, inviteKey: key },
689
1086
  ...this.extraProps
690
1087
  });
691
1088
  }
692
- resolveBranch(workspace, dbName, gitBranch) {
693
- return operationsByTag.database.resolveBranch({
694
- pathParams: { workspace, dbName },
695
- queryParams: { gitBranch },
1089
+ resendWorkspaceMemberInvite({
1090
+ workspace,
1091
+ invite
1092
+ }) {
1093
+ return operationsByTag.invites.resendWorkspaceMemberInvite({
1094
+ pathParams: { workspaceId: workspace, inviteId: invite },
696
1095
  ...this.extraProps
697
1096
  });
698
1097
  }
@@ -701,69 +1100,132 @@ class BranchApi {
701
1100
  constructor(extraProps) {
702
1101
  this.extraProps = extraProps;
703
1102
  }
704
- getBranchList(workspace, dbName) {
1103
+ getBranchList({
1104
+ workspace,
1105
+ region,
1106
+ database
1107
+ }) {
705
1108
  return operationsByTag.branch.getBranchList({
706
- pathParams: { workspace, dbName },
1109
+ pathParams: { workspace, region, dbName: database },
707
1110
  ...this.extraProps
708
1111
  });
709
1112
  }
710
- getBranchDetails(workspace, database, branch) {
1113
+ getBranchDetails({
1114
+ workspace,
1115
+ region,
1116
+ database,
1117
+ branch
1118
+ }) {
711
1119
  return operationsByTag.branch.getBranchDetails({
712
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
1120
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
713
1121
  ...this.extraProps
714
1122
  });
715
1123
  }
716
- createBranch(workspace, database, branch, from, options = {}) {
1124
+ createBranch({
1125
+ workspace,
1126
+ region,
1127
+ database,
1128
+ branch,
1129
+ from,
1130
+ metadata
1131
+ }) {
717
1132
  return operationsByTag.branch.createBranch({
718
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
719
- queryParams: isString(from) ? { from } : void 0,
720
- body: options,
1133
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1134
+ body: { from, metadata },
721
1135
  ...this.extraProps
722
1136
  });
723
1137
  }
724
- deleteBranch(workspace, database, branch) {
1138
+ deleteBranch({
1139
+ workspace,
1140
+ region,
1141
+ database,
1142
+ branch
1143
+ }) {
725
1144
  return operationsByTag.branch.deleteBranch({
726
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
1145
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
727
1146
  ...this.extraProps
728
1147
  });
729
1148
  }
730
- updateBranchMetadata(workspace, database, branch, metadata = {}) {
1149
+ updateBranchMetadata({
1150
+ workspace,
1151
+ region,
1152
+ database,
1153
+ branch,
1154
+ metadata
1155
+ }) {
731
1156
  return operationsByTag.branch.updateBranchMetadata({
732
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
1157
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
733
1158
  body: metadata,
734
1159
  ...this.extraProps
735
1160
  });
736
1161
  }
737
- getBranchMetadata(workspace, database, branch) {
1162
+ getBranchMetadata({
1163
+ workspace,
1164
+ region,
1165
+ database,
1166
+ branch
1167
+ }) {
738
1168
  return operationsByTag.branch.getBranchMetadata({
739
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
1169
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
740
1170
  ...this.extraProps
741
1171
  });
742
1172
  }
743
- getBranchMigrationHistory(workspace, database, branch, options = {}) {
744
- return operationsByTag.branch.getBranchMigrationHistory({
745
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
746
- body: options,
1173
+ getBranchStats({
1174
+ workspace,
1175
+ region,
1176
+ database,
1177
+ branch
1178
+ }) {
1179
+ return operationsByTag.branch.getBranchStats({
1180
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
747
1181
  ...this.extraProps
748
1182
  });
749
1183
  }
750
- executeBranchMigrationPlan(workspace, database, branch, migrationPlan) {
751
- return operationsByTag.branch.executeBranchMigrationPlan({
752
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
753
- body: migrationPlan,
1184
+ getGitBranchesMapping({
1185
+ workspace,
1186
+ region,
1187
+ database
1188
+ }) {
1189
+ return operationsByTag.branch.getGitBranchesMapping({
1190
+ pathParams: { workspace, region, dbName: database },
754
1191
  ...this.extraProps
755
1192
  });
756
1193
  }
757
- getBranchMigrationPlan(workspace, database, branch, schema) {
758
- return operationsByTag.branch.getBranchMigrationPlan({
759
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
760
- body: schema,
1194
+ addGitBranchesEntry({
1195
+ workspace,
1196
+ region,
1197
+ database,
1198
+ gitBranch,
1199
+ xataBranch
1200
+ }) {
1201
+ return operationsByTag.branch.addGitBranchesEntry({
1202
+ pathParams: { workspace, region, dbName: database },
1203
+ body: { gitBranch, xataBranch },
761
1204
  ...this.extraProps
762
1205
  });
763
1206
  }
764
- getBranchStats(workspace, database, branch) {
765
- return operationsByTag.branch.getBranchStats({
766
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
1207
+ removeGitBranchesEntry({
1208
+ workspace,
1209
+ region,
1210
+ database,
1211
+ gitBranch
1212
+ }) {
1213
+ return operationsByTag.branch.removeGitBranchesEntry({
1214
+ pathParams: { workspace, region, dbName: database },
1215
+ queryParams: { gitBranch },
1216
+ ...this.extraProps
1217
+ });
1218
+ }
1219
+ resolveBranch({
1220
+ workspace,
1221
+ region,
1222
+ database,
1223
+ gitBranch,
1224
+ fallbackBranch
1225
+ }) {
1226
+ return operationsByTag.branch.resolveBranch({
1227
+ pathParams: { workspace, region, dbName: database },
1228
+ queryParams: { gitBranch, fallbackBranch },
767
1229
  ...this.extraProps
768
1230
  });
769
1231
  }
@@ -772,67 +1234,134 @@ class TableApi {
772
1234
  constructor(extraProps) {
773
1235
  this.extraProps = extraProps;
774
1236
  }
775
- createTable(workspace, database, branch, tableName) {
1237
+ createTable({
1238
+ workspace,
1239
+ region,
1240
+ database,
1241
+ branch,
1242
+ table
1243
+ }) {
776
1244
  return operationsByTag.table.createTable({
777
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
1245
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
778
1246
  ...this.extraProps
779
1247
  });
780
1248
  }
781
- deleteTable(workspace, database, branch, tableName) {
1249
+ deleteTable({
1250
+ workspace,
1251
+ region,
1252
+ database,
1253
+ branch,
1254
+ table
1255
+ }) {
782
1256
  return operationsByTag.table.deleteTable({
783
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
1257
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
784
1258
  ...this.extraProps
785
1259
  });
786
1260
  }
787
- updateTable(workspace, database, branch, tableName, options) {
1261
+ updateTable({
1262
+ workspace,
1263
+ region,
1264
+ database,
1265
+ branch,
1266
+ table,
1267
+ update
1268
+ }) {
788
1269
  return operationsByTag.table.updateTable({
789
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
790
- body: options,
1270
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
1271
+ body: update,
791
1272
  ...this.extraProps
792
1273
  });
793
1274
  }
794
- getTableSchema(workspace, database, branch, tableName) {
1275
+ getTableSchema({
1276
+ workspace,
1277
+ region,
1278
+ database,
1279
+ branch,
1280
+ table
1281
+ }) {
795
1282
  return operationsByTag.table.getTableSchema({
796
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
1283
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
797
1284
  ...this.extraProps
798
1285
  });
799
1286
  }
800
- setTableSchema(workspace, database, branch, tableName, options) {
1287
+ setTableSchema({
1288
+ workspace,
1289
+ region,
1290
+ database,
1291
+ branch,
1292
+ table,
1293
+ schema
1294
+ }) {
801
1295
  return operationsByTag.table.setTableSchema({
802
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
803
- body: options,
1296
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
1297
+ body: schema,
804
1298
  ...this.extraProps
805
1299
  });
806
1300
  }
807
- getTableColumns(workspace, database, branch, tableName) {
1301
+ getTableColumns({
1302
+ workspace,
1303
+ region,
1304
+ database,
1305
+ branch,
1306
+ table
1307
+ }) {
808
1308
  return operationsByTag.table.getTableColumns({
809
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
1309
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
810
1310
  ...this.extraProps
811
1311
  });
812
1312
  }
813
- addTableColumn(workspace, database, branch, tableName, column) {
1313
+ addTableColumn({
1314
+ workspace,
1315
+ region,
1316
+ database,
1317
+ branch,
1318
+ table,
1319
+ column
1320
+ }) {
814
1321
  return operationsByTag.table.addTableColumn({
815
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
1322
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
816
1323
  body: column,
817
1324
  ...this.extraProps
818
1325
  });
819
1326
  }
820
- getColumn(workspace, database, branch, tableName, columnName) {
1327
+ getColumn({
1328
+ workspace,
1329
+ region,
1330
+ database,
1331
+ branch,
1332
+ table,
1333
+ column
1334
+ }) {
821
1335
  return operationsByTag.table.getColumn({
822
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName, columnName },
1336
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table, columnName: column },
823
1337
  ...this.extraProps
824
1338
  });
825
1339
  }
826
- deleteColumn(workspace, database, branch, tableName, columnName) {
827
- return operationsByTag.table.deleteColumn({
828
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName, columnName },
1340
+ updateColumn({
1341
+ workspace,
1342
+ region,
1343
+ database,
1344
+ branch,
1345
+ table,
1346
+ column,
1347
+ update
1348
+ }) {
1349
+ return operationsByTag.table.updateColumn({
1350
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table, columnName: column },
1351
+ body: update,
829
1352
  ...this.extraProps
830
1353
  });
831
1354
  }
832
- updateColumn(workspace, database, branch, tableName, columnName, options) {
833
- return operationsByTag.table.updateColumn({
834
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName, columnName },
835
- body: options,
1355
+ deleteColumn({
1356
+ workspace,
1357
+ region,
1358
+ database,
1359
+ branch,
1360
+ table,
1361
+ column
1362
+ }) {
1363
+ return operationsByTag.table.deleteColumn({
1364
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table, columnName: column },
836
1365
  ...this.extraProps
837
1366
  });
838
1367
  }
@@ -841,74 +1370,511 @@ class RecordsApi {
841
1370
  constructor(extraProps) {
842
1371
  this.extraProps = extraProps;
843
1372
  }
844
- insertRecord(workspace, database, branch, tableName, record) {
1373
+ insertRecord({
1374
+ workspace,
1375
+ region,
1376
+ database,
1377
+ branch,
1378
+ table,
1379
+ record,
1380
+ columns
1381
+ }) {
845
1382
  return operationsByTag.records.insertRecord({
846
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
1383
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
1384
+ queryParams: { columns },
847
1385
  body: record,
848
1386
  ...this.extraProps
849
1387
  });
850
1388
  }
851
- insertRecordWithID(workspace, database, branch, tableName, recordId, record, options = {}) {
1389
+ getRecord({
1390
+ workspace,
1391
+ region,
1392
+ database,
1393
+ branch,
1394
+ table,
1395
+ id,
1396
+ columns
1397
+ }) {
1398
+ return operationsByTag.records.getRecord({
1399
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table, recordId: id },
1400
+ queryParams: { columns },
1401
+ ...this.extraProps
1402
+ });
1403
+ }
1404
+ insertRecordWithID({
1405
+ workspace,
1406
+ region,
1407
+ database,
1408
+ branch,
1409
+ table,
1410
+ id,
1411
+ record,
1412
+ columns,
1413
+ createOnly,
1414
+ ifVersion
1415
+ }) {
852
1416
  return operationsByTag.records.insertRecordWithID({
853
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName, recordId },
854
- queryParams: options,
1417
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table, recordId: id },
1418
+ queryParams: { columns, createOnly, ifVersion },
1419
+ body: record,
1420
+ ...this.extraProps
1421
+ });
1422
+ }
1423
+ updateRecordWithID({
1424
+ workspace,
1425
+ region,
1426
+ database,
1427
+ branch,
1428
+ table,
1429
+ id,
1430
+ record,
1431
+ columns,
1432
+ ifVersion
1433
+ }) {
1434
+ return operationsByTag.records.updateRecordWithID({
1435
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table, recordId: id },
1436
+ queryParams: { columns, ifVersion },
1437
+ body: record,
1438
+ ...this.extraProps
1439
+ });
1440
+ }
1441
+ upsertRecordWithID({
1442
+ workspace,
1443
+ region,
1444
+ database,
1445
+ branch,
1446
+ table,
1447
+ id,
1448
+ record,
1449
+ columns,
1450
+ ifVersion
1451
+ }) {
1452
+ return operationsByTag.records.upsertRecordWithID({
1453
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table, recordId: id },
1454
+ queryParams: { columns, ifVersion },
855
1455
  body: record,
856
1456
  ...this.extraProps
857
1457
  });
858
1458
  }
859
- updateRecordWithID(workspace, database, branch, tableName, recordId, record, options = {}) {
860
- return operationsByTag.records.updateRecordWithID({
861
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName, recordId },
862
- queryParams: options,
863
- body: record,
1459
+ deleteRecord({
1460
+ workspace,
1461
+ region,
1462
+ database,
1463
+ branch,
1464
+ table,
1465
+ id,
1466
+ columns
1467
+ }) {
1468
+ return operationsByTag.records.deleteRecord({
1469
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table, recordId: id },
1470
+ queryParams: { columns },
1471
+ ...this.extraProps
1472
+ });
1473
+ }
1474
+ bulkInsertTableRecords({
1475
+ workspace,
1476
+ region,
1477
+ database,
1478
+ branch,
1479
+ table,
1480
+ records,
1481
+ columns
1482
+ }) {
1483
+ return operationsByTag.records.bulkInsertTableRecords({
1484
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
1485
+ queryParams: { columns },
1486
+ body: { records },
1487
+ ...this.extraProps
1488
+ });
1489
+ }
1490
+ branchTransaction({
1491
+ workspace,
1492
+ region,
1493
+ database,
1494
+ branch,
1495
+ operations
1496
+ }) {
1497
+ return operationsByTag.records.branchTransaction({
1498
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1499
+ body: { operations },
1500
+ ...this.extraProps
1501
+ });
1502
+ }
1503
+ }
1504
+ class SearchAndFilterApi {
1505
+ constructor(extraProps) {
1506
+ this.extraProps = extraProps;
1507
+ }
1508
+ queryTable({
1509
+ workspace,
1510
+ region,
1511
+ database,
1512
+ branch,
1513
+ table,
1514
+ filter,
1515
+ sort,
1516
+ page,
1517
+ columns,
1518
+ consistency
1519
+ }) {
1520
+ return operationsByTag.searchAndFilter.queryTable({
1521
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
1522
+ body: { filter, sort, page, columns, consistency },
1523
+ ...this.extraProps
1524
+ });
1525
+ }
1526
+ searchTable({
1527
+ workspace,
1528
+ region,
1529
+ database,
1530
+ branch,
1531
+ table,
1532
+ query,
1533
+ fuzziness,
1534
+ target,
1535
+ prefix,
1536
+ filter,
1537
+ highlight,
1538
+ boosters
1539
+ }) {
1540
+ return operationsByTag.searchAndFilter.searchTable({
1541
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
1542
+ body: { query, fuzziness, target, prefix, filter, highlight, boosters },
1543
+ ...this.extraProps
1544
+ });
1545
+ }
1546
+ searchBranch({
1547
+ workspace,
1548
+ region,
1549
+ database,
1550
+ branch,
1551
+ tables,
1552
+ query,
1553
+ fuzziness,
1554
+ prefix,
1555
+ highlight
1556
+ }) {
1557
+ return operationsByTag.searchAndFilter.searchBranch({
1558
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1559
+ body: { tables, query, fuzziness, prefix, highlight },
1560
+ ...this.extraProps
1561
+ });
1562
+ }
1563
+ summarizeTable({
1564
+ workspace,
1565
+ region,
1566
+ database,
1567
+ branch,
1568
+ table,
1569
+ filter,
1570
+ columns,
1571
+ summaries,
1572
+ sort,
1573
+ summariesFilter,
1574
+ page,
1575
+ consistency
1576
+ }) {
1577
+ return operationsByTag.searchAndFilter.summarizeTable({
1578
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
1579
+ body: { filter, columns, summaries, sort, summariesFilter, page, consistency },
1580
+ ...this.extraProps
1581
+ });
1582
+ }
1583
+ aggregateTable({
1584
+ workspace,
1585
+ region,
1586
+ database,
1587
+ branch,
1588
+ table,
1589
+ filter,
1590
+ aggs
1591
+ }) {
1592
+ return operationsByTag.searchAndFilter.aggregateTable({
1593
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, tableName: table },
1594
+ body: { filter, aggs },
1595
+ ...this.extraProps
1596
+ });
1597
+ }
1598
+ }
1599
+ class MigrationRequestsApi {
1600
+ constructor(extraProps) {
1601
+ this.extraProps = extraProps;
1602
+ }
1603
+ queryMigrationRequests({
1604
+ workspace,
1605
+ region,
1606
+ database,
1607
+ filter,
1608
+ sort,
1609
+ page,
1610
+ columns
1611
+ }) {
1612
+ return operationsByTag.migrationRequests.queryMigrationRequests({
1613
+ pathParams: { workspace, region, dbName: database },
1614
+ body: { filter, sort, page, columns },
1615
+ ...this.extraProps
1616
+ });
1617
+ }
1618
+ createMigrationRequest({
1619
+ workspace,
1620
+ region,
1621
+ database,
1622
+ migration
1623
+ }) {
1624
+ return operationsByTag.migrationRequests.createMigrationRequest({
1625
+ pathParams: { workspace, region, dbName: database },
1626
+ body: migration,
1627
+ ...this.extraProps
1628
+ });
1629
+ }
1630
+ getMigrationRequest({
1631
+ workspace,
1632
+ region,
1633
+ database,
1634
+ migrationRequest
1635
+ }) {
1636
+ return operationsByTag.migrationRequests.getMigrationRequest({
1637
+ pathParams: { workspace, region, dbName: database, mrNumber: migrationRequest },
1638
+ ...this.extraProps
1639
+ });
1640
+ }
1641
+ updateMigrationRequest({
1642
+ workspace,
1643
+ region,
1644
+ database,
1645
+ migrationRequest,
1646
+ update
1647
+ }) {
1648
+ return operationsByTag.migrationRequests.updateMigrationRequest({
1649
+ pathParams: { workspace, region, dbName: database, mrNumber: migrationRequest },
1650
+ body: update,
1651
+ ...this.extraProps
1652
+ });
1653
+ }
1654
+ listMigrationRequestsCommits({
1655
+ workspace,
1656
+ region,
1657
+ database,
1658
+ migrationRequest,
1659
+ page
1660
+ }) {
1661
+ return operationsByTag.migrationRequests.listMigrationRequestsCommits({
1662
+ pathParams: { workspace, region, dbName: database, mrNumber: migrationRequest },
1663
+ body: { page },
1664
+ ...this.extraProps
1665
+ });
1666
+ }
1667
+ compareMigrationRequest({
1668
+ workspace,
1669
+ region,
1670
+ database,
1671
+ migrationRequest
1672
+ }) {
1673
+ return operationsByTag.migrationRequests.compareMigrationRequest({
1674
+ pathParams: { workspace, region, dbName: database, mrNumber: migrationRequest },
1675
+ ...this.extraProps
1676
+ });
1677
+ }
1678
+ getMigrationRequestIsMerged({
1679
+ workspace,
1680
+ region,
1681
+ database,
1682
+ migrationRequest
1683
+ }) {
1684
+ return operationsByTag.migrationRequests.getMigrationRequestIsMerged({
1685
+ pathParams: { workspace, region, dbName: database, mrNumber: migrationRequest },
1686
+ ...this.extraProps
1687
+ });
1688
+ }
1689
+ mergeMigrationRequest({
1690
+ workspace,
1691
+ region,
1692
+ database,
1693
+ migrationRequest
1694
+ }) {
1695
+ return operationsByTag.migrationRequests.mergeMigrationRequest({
1696
+ pathParams: { workspace, region, dbName: database, mrNumber: migrationRequest },
1697
+ ...this.extraProps
1698
+ });
1699
+ }
1700
+ }
1701
+ class MigrationsApi {
1702
+ constructor(extraProps) {
1703
+ this.extraProps = extraProps;
1704
+ }
1705
+ getBranchMigrationHistory({
1706
+ workspace,
1707
+ region,
1708
+ database,
1709
+ branch,
1710
+ limit,
1711
+ startFrom
1712
+ }) {
1713
+ return operationsByTag.migrations.getBranchMigrationHistory({
1714
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1715
+ body: { limit, startFrom },
1716
+ ...this.extraProps
1717
+ });
1718
+ }
1719
+ getBranchMigrationPlan({
1720
+ workspace,
1721
+ region,
1722
+ database,
1723
+ branch,
1724
+ schema
1725
+ }) {
1726
+ return operationsByTag.migrations.getBranchMigrationPlan({
1727
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1728
+ body: schema,
1729
+ ...this.extraProps
1730
+ });
1731
+ }
1732
+ executeBranchMigrationPlan({
1733
+ workspace,
1734
+ region,
1735
+ database,
1736
+ branch,
1737
+ plan
1738
+ }) {
1739
+ return operationsByTag.migrations.executeBranchMigrationPlan({
1740
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1741
+ body: plan,
1742
+ ...this.extraProps
1743
+ });
1744
+ }
1745
+ getBranchSchemaHistory({
1746
+ workspace,
1747
+ region,
1748
+ database,
1749
+ branch,
1750
+ page
1751
+ }) {
1752
+ return operationsByTag.migrations.getBranchSchemaHistory({
1753
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1754
+ body: { page },
1755
+ ...this.extraProps
1756
+ });
1757
+ }
1758
+ compareBranchWithUserSchema({
1759
+ workspace,
1760
+ region,
1761
+ database,
1762
+ branch,
1763
+ schema
1764
+ }) {
1765
+ return operationsByTag.migrations.compareBranchWithUserSchema({
1766
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1767
+ body: { schema },
1768
+ ...this.extraProps
1769
+ });
1770
+ }
1771
+ compareBranchSchemas({
1772
+ workspace,
1773
+ region,
1774
+ database,
1775
+ branch,
1776
+ compare,
1777
+ schema
1778
+ }) {
1779
+ return operationsByTag.migrations.compareBranchSchemas({
1780
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}`, branchName: compare },
1781
+ body: { schema },
1782
+ ...this.extraProps
1783
+ });
1784
+ }
1785
+ updateBranchSchema({
1786
+ workspace,
1787
+ region,
1788
+ database,
1789
+ branch,
1790
+ migration
1791
+ }) {
1792
+ return operationsByTag.migrations.updateBranchSchema({
1793
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1794
+ body: migration,
1795
+ ...this.extraProps
1796
+ });
1797
+ }
1798
+ previewBranchSchemaEdit({
1799
+ workspace,
1800
+ region,
1801
+ database,
1802
+ branch,
1803
+ data
1804
+ }) {
1805
+ return operationsByTag.migrations.previewBranchSchemaEdit({
1806
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1807
+ body: data,
864
1808
  ...this.extraProps
865
1809
  });
866
1810
  }
867
- upsertRecordWithID(workspace, database, branch, tableName, recordId, record, options = {}) {
868
- return operationsByTag.records.upsertRecordWithID({
869
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName, recordId },
870
- queryParams: options,
871
- body: record,
1811
+ applyBranchSchemaEdit({
1812
+ workspace,
1813
+ region,
1814
+ database,
1815
+ branch,
1816
+ edits
1817
+ }) {
1818
+ return operationsByTag.migrations.applyBranchSchemaEdit({
1819
+ pathParams: { workspace, region, dbBranchName: `${database}:${branch}` },
1820
+ body: { edits },
872
1821
  ...this.extraProps
873
1822
  });
874
1823
  }
875
- deleteRecord(workspace, database, branch, tableName, recordId) {
876
- return operationsByTag.records.deleteRecord({
877
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName, recordId },
1824
+ }
1825
+ class DatabaseApi {
1826
+ constructor(extraProps) {
1827
+ this.extraProps = extraProps;
1828
+ }
1829
+ getDatabaseList({ workspace }) {
1830
+ return operationsByTag.databases.getDatabaseList({
1831
+ pathParams: { workspaceId: workspace },
878
1832
  ...this.extraProps
879
1833
  });
880
1834
  }
881
- getRecord(workspace, database, branch, tableName, recordId, options = {}) {
882
- return operationsByTag.records.getRecord({
883
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName, recordId },
1835
+ createDatabase({
1836
+ workspace,
1837
+ database,
1838
+ data
1839
+ }) {
1840
+ return operationsByTag.databases.createDatabase({
1841
+ pathParams: { workspaceId: workspace, dbName: database },
1842
+ body: data,
884
1843
  ...this.extraProps
885
1844
  });
886
1845
  }
887
- bulkInsertTableRecords(workspace, database, branch, tableName, records) {
888
- return operationsByTag.records.bulkInsertTableRecords({
889
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
890
- body: { records },
1846
+ deleteDatabase({
1847
+ workspace,
1848
+ database
1849
+ }) {
1850
+ return operationsByTag.databases.deleteDatabase({
1851
+ pathParams: { workspaceId: workspace, dbName: database },
891
1852
  ...this.extraProps
892
1853
  });
893
1854
  }
894
- queryTable(workspace, database, branch, tableName, query) {
895
- return operationsByTag.records.queryTable({
896
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
897
- body: query,
1855
+ getDatabaseMetadata({
1856
+ workspace,
1857
+ database
1858
+ }) {
1859
+ return operationsByTag.databases.getDatabaseMetadata({
1860
+ pathParams: { workspaceId: workspace, dbName: database },
898
1861
  ...this.extraProps
899
1862
  });
900
1863
  }
901
- searchTable(workspace, database, branch, tableName, query) {
902
- return operationsByTag.records.searchTable({
903
- pathParams: { workspace, dbBranchName: `${database}:${branch}`, tableName },
904
- body: query,
1864
+ updateDatabaseMetadata({
1865
+ workspace,
1866
+ database,
1867
+ metadata
1868
+ }) {
1869
+ return operationsByTag.databases.updateDatabaseMetadata({
1870
+ pathParams: { workspaceId: workspace, dbName: database },
1871
+ body: metadata,
905
1872
  ...this.extraProps
906
1873
  });
907
1874
  }
908
- searchBranch(workspace, database, branch, query) {
909
- return operationsByTag.records.searchBranch({
910
- pathParams: { workspace, dbBranchName: `${database}:${branch}` },
911
- body: query,
1875
+ listRegions({ workspace }) {
1876
+ return operationsByTag.databases.listRegions({
1877
+ pathParams: { workspaceId: workspace },
912
1878
  ...this.extraProps
913
1879
  });
914
1880
  }
@@ -924,6 +1890,13 @@ class XataApiPlugin {
924
1890
  class XataPlugin {
925
1891
  }
926
1892
 
1893
+ function cleanFilter(filter) {
1894
+ if (!filter)
1895
+ return void 0;
1896
+ const values = Object.values(filter).filter(Boolean).filter((value) => Array.isArray(value) ? value.length > 0 : true);
1897
+ return values.length > 0 ? filter : void 0;
1898
+ }
1899
+
927
1900
  var __accessCheck$6 = (obj, member, msg) => {
928
1901
  if (!member.has(obj))
929
1902
  throw TypeError("Cannot " + msg);
@@ -937,18 +1910,18 @@ var __privateAdd$6 = (obj, member, value) => {
937
1910
  throw TypeError("Cannot add the same private member more than once");
938
1911
  member instanceof WeakSet ? member.add(obj) : member.set(obj, value);
939
1912
  };
940
- var __privateSet$5 = (obj, member, value, setter) => {
1913
+ var __privateSet$6 = (obj, member, value, setter) => {
941
1914
  __accessCheck$6(obj, member, "write to private field");
942
1915
  setter ? setter.call(obj, value) : member.set(obj, value);
943
1916
  return value;
944
1917
  };
945
- var _query;
1918
+ var _query, _page;
946
1919
  class Page {
947
1920
  constructor(query, meta, records = []) {
948
1921
  __privateAdd$6(this, _query, void 0);
949
- __privateSet$5(this, _query, query);
1922
+ __privateSet$6(this, _query, query);
950
1923
  this.meta = meta;
951
- this.records = records;
1924
+ this.records = new RecordArray(this, records);
952
1925
  }
953
1926
  async nextPage(size, offset) {
954
1927
  return __privateGet$6(this, _query).getPaginated({ pagination: { size, offset, after: this.meta.page.cursor } });
@@ -956,11 +1929,11 @@ class Page {
956
1929
  async previousPage(size, offset) {
957
1930
  return __privateGet$6(this, _query).getPaginated({ pagination: { size, offset, before: this.meta.page.cursor } });
958
1931
  }
959
- async firstPage(size, offset) {
960
- return __privateGet$6(this, _query).getPaginated({ pagination: { size, offset, first: this.meta.page.cursor } });
1932
+ async startPage(size, offset) {
1933
+ return __privateGet$6(this, _query).getPaginated({ pagination: { size, offset, start: this.meta.page.cursor } });
961
1934
  }
962
- async lastPage(size, offset) {
963
- return __privateGet$6(this, _query).getPaginated({ pagination: { size, offset, last: this.meta.page.cursor } });
1935
+ async endPage(size, offset) {
1936
+ return __privateGet$6(this, _query).getPaginated({ pagination: { size, offset, end: this.meta.page.cursor } });
964
1937
  }
965
1938
  hasNextPage() {
966
1939
  return this.meta.page.more;
@@ -968,12 +1941,56 @@ class Page {
968
1941
  }
969
1942
  _query = new WeakMap();
970
1943
  const PAGINATION_MAX_SIZE = 200;
971
- const PAGINATION_DEFAULT_SIZE = 200;
1944
+ const PAGINATION_DEFAULT_SIZE = 20;
972
1945
  const PAGINATION_MAX_OFFSET = 800;
973
1946
  const PAGINATION_DEFAULT_OFFSET = 0;
974
1947
  function isCursorPaginationOptions(options) {
975
- return isDefined(options) && (isDefined(options.first) || isDefined(options.last) || isDefined(options.after) || isDefined(options.before));
1948
+ return isDefined(options) && (isDefined(options.start) || isDefined(options.end) || isDefined(options.after) || isDefined(options.before));
976
1949
  }
1950
+ const _RecordArray = class extends Array {
1951
+ constructor(...args) {
1952
+ super(..._RecordArray.parseConstructorParams(...args));
1953
+ __privateAdd$6(this, _page, void 0);
1954
+ __privateSet$6(this, _page, isObject(args[0]?.meta) ? args[0] : { meta: { page: { cursor: "", more: false } }, records: [] });
1955
+ }
1956
+ static parseConstructorParams(...args) {
1957
+ if (args.length === 1 && typeof args[0] === "number") {
1958
+ return new Array(args[0]);
1959
+ }
1960
+ if (args.length <= 2 && isObject(args[0]?.meta) && Array.isArray(args[1] ?? [])) {
1961
+ const result = args[1] ?? args[0].records ?? [];
1962
+ return new Array(...result);
1963
+ }
1964
+ return new Array(...args);
1965
+ }
1966
+ toArray() {
1967
+ return new Array(...this);
1968
+ }
1969
+ map(callbackfn, thisArg) {
1970
+ return this.toArray().map(callbackfn, thisArg);
1971
+ }
1972
+ async nextPage(size, offset) {
1973
+ const newPage = await __privateGet$6(this, _page).nextPage(size, offset);
1974
+ return new _RecordArray(newPage);
1975
+ }
1976
+ async previousPage(size, offset) {
1977
+ const newPage = await __privateGet$6(this, _page).previousPage(size, offset);
1978
+ return new _RecordArray(newPage);
1979
+ }
1980
+ async startPage(size, offset) {
1981
+ const newPage = await __privateGet$6(this, _page).startPage(size, offset);
1982
+ return new _RecordArray(newPage);
1983
+ }
1984
+ async endPage(size, offset) {
1985
+ const newPage = await __privateGet$6(this, _page).endPage(size, offset);
1986
+ return new _RecordArray(newPage);
1987
+ }
1988
+ hasNextPage() {
1989
+ return __privateGet$6(this, _page).meta.page.more;
1990
+ }
1991
+ };
1992
+ let RecordArray = _RecordArray;
1993
+ _page = new WeakMap();
977
1994
 
978
1995
  var __accessCheck$5 = (obj, member, msg) => {
979
1996
  if (!member.has(obj))
@@ -988,24 +2005,29 @@ var __privateAdd$5 = (obj, member, value) => {
988
2005
  throw TypeError("Cannot add the same private member more than once");
989
2006
  member instanceof WeakSet ? member.add(obj) : member.set(obj, value);
990
2007
  };
991
- var __privateSet$4 = (obj, member, value, setter) => {
2008
+ var __privateSet$5 = (obj, member, value, setter) => {
992
2009
  __accessCheck$5(obj, member, "write to private field");
993
2010
  setter ? setter.call(obj, value) : member.set(obj, value);
994
2011
  return value;
995
2012
  };
996
- var _table$1, _repository, _data;
2013
+ var __privateMethod$3 = (obj, member, method) => {
2014
+ __accessCheck$5(obj, member, "access private method");
2015
+ return method;
2016
+ };
2017
+ var _table$1, _repository, _data, _cleanFilterConstraint, cleanFilterConstraint_fn;
997
2018
  const _Query = class {
998
2019
  constructor(repository, table, data, rawParent) {
2020
+ __privateAdd$5(this, _cleanFilterConstraint);
999
2021
  __privateAdd$5(this, _table$1, void 0);
1000
2022
  __privateAdd$5(this, _repository, void 0);
1001
2023
  __privateAdd$5(this, _data, { filter: {} });
1002
2024
  this.meta = { page: { cursor: "start", more: true } };
1003
- this.records = [];
1004
- __privateSet$4(this, _table$1, table);
2025
+ this.records = new RecordArray(this, []);
2026
+ __privateSet$5(this, _table$1, table);
1005
2027
  if (repository) {
1006
- __privateSet$4(this, _repository, repository);
2028
+ __privateSet$5(this, _repository, repository);
1007
2029
  } else {
1008
- __privateSet$4(this, _repository, this);
2030
+ __privateSet$5(this, _repository, this);
1009
2031
  }
1010
2032
  const parent = cleanParent(data, rawParent);
1011
2033
  __privateGet$5(this, _data).filter = data.filter ?? parent?.filter ?? {};
@@ -1014,9 +2036,11 @@ const _Query = class {
1014
2036
  __privateGet$5(this, _data).filter.$not = data.filter?.$not ?? parent?.filter?.$not;
1015
2037
  __privateGet$5(this, _data).filter.$none = data.filter?.$none ?? parent?.filter?.$none;
1016
2038
  __privateGet$5(this, _data).sort = data.sort ?? parent?.sort;
1017
- __privateGet$5(this, _data).columns = data.columns ?? parent?.columns ?? ["*"];
2039
+ __privateGet$5(this, _data).columns = data.columns ?? parent?.columns;
2040
+ __privateGet$5(this, _data).consistency = data.consistency ?? parent?.consistency;
1018
2041
  __privateGet$5(this, _data).pagination = data.pagination ?? parent?.pagination;
1019
2042
  __privateGet$5(this, _data).cache = data.cache ?? parent?.cache;
2043
+ __privateGet$5(this, _data).fetchOptions = data.fetchOptions ?? parent?.fetchOptions;
1020
2044
  this.any = this.any.bind(this);
1021
2045
  this.all = this.all.bind(this);
1022
2046
  this.not = this.not.bind(this);
@@ -1052,21 +2076,29 @@ const _Query = class {
1052
2076
  }
1053
2077
  filter(a, b) {
1054
2078
  if (arguments.length === 1) {
1055
- const constraints = Object.entries(a).map(([column, constraint]) => ({ [column]: constraint }));
2079
+ const constraints = Object.entries(a ?? {}).map(([column, constraint]) => ({
2080
+ [column]: __privateMethod$3(this, _cleanFilterConstraint, cleanFilterConstraint_fn).call(this, column, constraint)
2081
+ }));
1056
2082
  const $all = compact([__privateGet$5(this, _data).filter?.$all].flat().concat(constraints));
1057
2083
  return new _Query(__privateGet$5(this, _repository), __privateGet$5(this, _table$1), { filter: { $all } }, __privateGet$5(this, _data));
1058
2084
  } else {
1059
- const $all = compact([__privateGet$5(this, _data).filter?.$all].flat().concat([{ [a]: b }]));
2085
+ const constraints = isDefined(a) && isDefined(b) ? [{ [a]: __privateMethod$3(this, _cleanFilterConstraint, cleanFilterConstraint_fn).call(this, a, b) }] : void 0;
2086
+ const $all = compact([__privateGet$5(this, _data).filter?.$all].flat().concat(constraints));
1060
2087
  return new _Query(__privateGet$5(this, _repository), __privateGet$5(this, _table$1), { filter: { $all } }, __privateGet$5(this, _data));
1061
2088
  }
1062
2089
  }
1063
- sort(column, direction) {
2090
+ sort(column, direction = "asc") {
1064
2091
  const originalSort = [__privateGet$5(this, _data).sort ?? []].flat();
1065
2092
  const sort = [...originalSort, { column, direction }];
1066
2093
  return new _Query(__privateGet$5(this, _repository), __privateGet$5(this, _table$1), { sort }, __privateGet$5(this, _data));
1067
2094
  }
1068
2095
  select(columns) {
1069
- return new _Query(__privateGet$5(this, _repository), __privateGet$5(this, _table$1), { columns }, __privateGet$5(this, _data));
2096
+ return new _Query(
2097
+ __privateGet$5(this, _repository),
2098
+ __privateGet$5(this, _table$1),
2099
+ { columns },
2100
+ __privateGet$5(this, _data)
2101
+ );
1070
2102
  }
1071
2103
  getPaginated(options = {}) {
1072
2104
  const query = new _Query(__privateGet$5(this, _repository), __privateGet$5(this, _table$1), options, __privateGet$5(this, _data));
@@ -1089,8 +2121,20 @@ const _Query = class {
1089
2121
  }
1090
2122
  }
1091
2123
  async getMany(options = {}) {
1092
- const { records } = await this.getPaginated(options);
1093
- return records;
2124
+ const { pagination = {}, ...rest } = options;
2125
+ const { size = PAGINATION_DEFAULT_SIZE, offset } = pagination;
2126
+ const batchSize = size <= PAGINATION_MAX_SIZE ? size : PAGINATION_MAX_SIZE;
2127
+ let page = await this.getPaginated({ ...rest, pagination: { size: batchSize, offset } });
2128
+ const results = [...page.records];
2129
+ while (page.hasNextPage() && results.length < size) {
2130
+ page = await page.nextPage();
2131
+ results.push(...page.records);
2132
+ }
2133
+ if (page.hasNextPage() && options.pagination?.size === void 0) {
2134
+ console.trace("Calling getMany does not return all results. Paginate to get all results or call getAll.");
2135
+ }
2136
+ const array = new RecordArray(page, results.slice(0, size));
2137
+ return array;
1094
2138
  }
1095
2139
  async getAll(options = {}) {
1096
2140
  const { batchSize = PAGINATION_MAX_SIZE, ...rest } = options;
@@ -1104,19 +2148,35 @@ const _Query = class {
1104
2148
  const records = await this.getMany({ ...options, pagination: { size: 1 } });
1105
2149
  return records[0] ?? null;
1106
2150
  }
2151
+ async getFirstOrThrow(options = {}) {
2152
+ const records = await this.getMany({ ...options, pagination: { size: 1 } });
2153
+ if (records[0] === void 0)
2154
+ throw new Error("No results found.");
2155
+ return records[0];
2156
+ }
2157
+ async summarize(params = {}) {
2158
+ const { summaries, summariesFilter, ...options } = params;
2159
+ const query = new _Query(
2160
+ __privateGet$5(this, _repository),
2161
+ __privateGet$5(this, _table$1),
2162
+ options,
2163
+ __privateGet$5(this, _data)
2164
+ );
2165
+ return __privateGet$5(this, _repository).summarizeTable(query, summaries, summariesFilter);
2166
+ }
1107
2167
  cache(ttl) {
1108
2168
  return new _Query(__privateGet$5(this, _repository), __privateGet$5(this, _table$1), { cache: ttl }, __privateGet$5(this, _data));
1109
2169
  }
1110
2170
  nextPage(size, offset) {
1111
- return this.firstPage(size, offset);
2171
+ return this.startPage(size, offset);
1112
2172
  }
1113
2173
  previousPage(size, offset) {
1114
- return this.firstPage(size, offset);
2174
+ return this.startPage(size, offset);
1115
2175
  }
1116
- firstPage(size, offset) {
2176
+ startPage(size, offset) {
1117
2177
  return this.getPaginated({ pagination: { size, offset } });
1118
2178
  }
1119
- lastPage(size, offset) {
2179
+ endPage(size, offset) {
1120
2180
  return this.getPaginated({ pagination: { size, offset, before: "end" } });
1121
2181
  }
1122
2182
  hasNextPage() {
@@ -1127,9 +2187,20 @@ let Query = _Query;
1127
2187
  _table$1 = new WeakMap();
1128
2188
  _repository = new WeakMap();
1129
2189
  _data = new WeakMap();
2190
+ _cleanFilterConstraint = new WeakSet();
2191
+ cleanFilterConstraint_fn = function(column, value) {
2192
+ const columnType = __privateGet$5(this, _table$1).schema?.columns.find(({ name }) => name === column)?.type;
2193
+ if (columnType === "multiple" && (isString(value) || isStringArray(value))) {
2194
+ return { $includes: value };
2195
+ }
2196
+ if (columnType === "link" && isObject(value) && isString(value.id)) {
2197
+ return value.id;
2198
+ }
2199
+ return value;
2200
+ };
1130
2201
  function cleanParent(data, parent) {
1131
2202
  if (isCursorPaginationOptions(data.pagination)) {
1132
- return { ...parent, sorting: void 0, filter: void 0 };
2203
+ return { ...parent, sort: void 0, filter: void 0 };
1133
2204
  }
1134
2205
  return parent;
1135
2206
  }
@@ -1138,7 +2209,9 @@ function isIdentifiable(x) {
1138
2209
  return isObject(x) && isString(x?.id);
1139
2210
  }
1140
2211
  function isXataRecord(x) {
1141
- return isIdentifiable(x) && typeof x?.xata === "object" && typeof x?.xata?.version === "number";
2212
+ const record = x;
2213
+ const metadata = record?.getMetadata();
2214
+ return isIdentifiable(x) && isObject(metadata) && typeof metadata.version === "number";
1142
2215
  }
1143
2216
 
1144
2217
  function isSortFilterString(value) {
@@ -1177,7 +2250,7 @@ var __privateAdd$4 = (obj, member, value) => {
1177
2250
  throw TypeError("Cannot add the same private member more than once");
1178
2251
  member instanceof WeakSet ? member.add(obj) : member.set(obj, value);
1179
2252
  };
1180
- var __privateSet$3 = (obj, member, value, setter) => {
2253
+ var __privateSet$4 = (obj, member, value, setter) => {
1181
2254
  __accessCheck$4(obj, member, "write to private field");
1182
2255
  setter ? setter.call(obj, value) : member.set(obj, value);
1183
2256
  return value;
@@ -1186,310 +2259,574 @@ var __privateMethod$2 = (obj, member, method) => {
1186
2259
  __accessCheck$4(obj, member, "access private method");
1187
2260
  return method;
1188
2261
  };
1189
- var _table, _getFetchProps, _cache, _schema$1, _insertRecordWithoutId, insertRecordWithoutId_fn, _insertRecordWithId, insertRecordWithId_fn, _bulkInsertTableRecords, bulkInsertTableRecords_fn, _updateRecordWithID, updateRecordWithID_fn, _upsertRecordWithID, upsertRecordWithID_fn, _deleteRecord, deleteRecord_fn, _invalidateCache, invalidateCache_fn, _setCacheRecord, setCacheRecord_fn, _getCacheRecord, getCacheRecord_fn, _setCacheQuery, setCacheQuery_fn, _getCacheQuery, getCacheQuery_fn, _getSchema$1, getSchema_fn$1;
2262
+ var _table, _getFetchProps, _db, _cache, _schemaTables$2, _trace, _insertRecordWithoutId, insertRecordWithoutId_fn, _insertRecordWithId, insertRecordWithId_fn, _insertRecords, insertRecords_fn, _updateRecordWithID, updateRecordWithID_fn, _updateRecords, updateRecords_fn, _upsertRecordWithID, upsertRecordWithID_fn, _deleteRecord, deleteRecord_fn, _deleteRecords, deleteRecords_fn, _setCacheQuery, setCacheQuery_fn, _getCacheQuery, getCacheQuery_fn, _getSchemaTables$1, getSchemaTables_fn$1;
2263
+ const BULK_OPERATION_MAX_SIZE = 1e3;
1190
2264
  class Repository extends Query {
1191
2265
  }
1192
2266
  class RestRepository extends Query {
1193
2267
  constructor(options) {
1194
- super(null, options.table, {});
2268
+ super(
2269
+ null,
2270
+ { name: options.table, schema: options.schemaTables?.find((table) => table.name === options.table) },
2271
+ {}
2272
+ );
1195
2273
  __privateAdd$4(this, _insertRecordWithoutId);
1196
2274
  __privateAdd$4(this, _insertRecordWithId);
1197
- __privateAdd$4(this, _bulkInsertTableRecords);
2275
+ __privateAdd$4(this, _insertRecords);
1198
2276
  __privateAdd$4(this, _updateRecordWithID);
2277
+ __privateAdd$4(this, _updateRecords);
1199
2278
  __privateAdd$4(this, _upsertRecordWithID);
1200
2279
  __privateAdd$4(this, _deleteRecord);
1201
- __privateAdd$4(this, _invalidateCache);
1202
- __privateAdd$4(this, _setCacheRecord);
1203
- __privateAdd$4(this, _getCacheRecord);
2280
+ __privateAdd$4(this, _deleteRecords);
1204
2281
  __privateAdd$4(this, _setCacheQuery);
1205
2282
  __privateAdd$4(this, _getCacheQuery);
1206
- __privateAdd$4(this, _getSchema$1);
2283
+ __privateAdd$4(this, _getSchemaTables$1);
1207
2284
  __privateAdd$4(this, _table, void 0);
1208
2285
  __privateAdd$4(this, _getFetchProps, void 0);
2286
+ __privateAdd$4(this, _db, void 0);
1209
2287
  __privateAdd$4(this, _cache, void 0);
1210
- __privateAdd$4(this, _schema$1, void 0);
1211
- __privateSet$3(this, _table, options.table);
1212
- __privateSet$3(this, _getFetchProps, options.pluginOptions.getFetchProps);
1213
- this.db = options.db;
1214
- __privateSet$3(this, _cache, options.pluginOptions.cache);
1215
- }
1216
- async create(a, b) {
1217
- if (Array.isArray(a)) {
1218
- if (a.length === 0)
1219
- return [];
1220
- const records = await __privateMethod$2(this, _bulkInsertTableRecords, bulkInsertTableRecords_fn).call(this, a);
1221
- await Promise.all(records.map((record) => __privateMethod$2(this, _setCacheRecord, setCacheRecord_fn).call(this, record)));
1222
- return records;
1223
- }
1224
- if (isString(a) && isObject(b)) {
1225
- if (a === "")
1226
- throw new Error("The id can't be empty");
1227
- const record = await __privateMethod$2(this, _insertRecordWithId, insertRecordWithId_fn).call(this, a, b);
1228
- await __privateMethod$2(this, _setCacheRecord, setCacheRecord_fn).call(this, record);
1229
- return record;
1230
- }
1231
- if (isObject(a) && isString(a.id)) {
1232
- if (a.id === "")
1233
- throw new Error("The id can't be empty");
1234
- const record = await __privateMethod$2(this, _insertRecordWithId, insertRecordWithId_fn).call(this, a.id, { ...a, id: void 0 });
1235
- await __privateMethod$2(this, _setCacheRecord, setCacheRecord_fn).call(this, record);
1236
- return record;
1237
- }
1238
- if (isObject(a)) {
1239
- const record = await __privateMethod$2(this, _insertRecordWithoutId, insertRecordWithoutId_fn).call(this, a);
1240
- await __privateMethod$2(this, _setCacheRecord, setCacheRecord_fn).call(this, record);
1241
- return record;
1242
- }
1243
- throw new Error("Invalid arguments for create method");
2288
+ __privateAdd$4(this, _schemaTables$2, void 0);
2289
+ __privateAdd$4(this, _trace, void 0);
2290
+ __privateSet$4(this, _table, options.table);
2291
+ __privateSet$4(this, _db, options.db);
2292
+ __privateSet$4(this, _cache, options.pluginOptions.cache);
2293
+ __privateSet$4(this, _schemaTables$2, options.schemaTables);
2294
+ __privateSet$4(this, _getFetchProps, async () => {
2295
+ const props = await options.pluginOptions.getFetchProps();
2296
+ return { ...props, sessionID: generateUUID() };
2297
+ });
2298
+ const trace = options.pluginOptions.trace ?? defaultTrace;
2299
+ __privateSet$4(this, _trace, async (name, fn, options2 = {}) => {
2300
+ return trace(name, fn, {
2301
+ ...options2,
2302
+ [TraceAttributes.TABLE]: __privateGet$4(this, _table),
2303
+ [TraceAttributes.KIND]: "sdk-operation",
2304
+ [TraceAttributes.VERSION]: VERSION
2305
+ });
2306
+ });
1244
2307
  }
1245
- async read(a) {
1246
- if (Array.isArray(a)) {
1247
- if (a.length === 0)
1248
- return [];
1249
- return this.getAll({ filter: { id: { $any: a } } });
1250
- }
1251
- if (isString(a)) {
1252
- const cacheRecord = await __privateMethod$2(this, _getCacheRecord, getCacheRecord_fn).call(this, a);
1253
- if (cacheRecord)
1254
- return cacheRecord;
1255
- const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1256
- try {
1257
- const response = await getRecord({
1258
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", tableName: __privateGet$4(this, _table), recordId: a },
1259
- ...fetchProps
2308
+ async create(a, b, c, d) {
2309
+ return __privateGet$4(this, _trace).call(this, "create", async () => {
2310
+ const ifVersion = parseIfVersion(b, c, d);
2311
+ if (Array.isArray(a)) {
2312
+ if (a.length === 0)
2313
+ return [];
2314
+ const ids = await __privateMethod$2(this, _insertRecords, insertRecords_fn).call(this, a, { ifVersion, createOnly: true });
2315
+ const columns = isStringArray(b) ? b : ["*"];
2316
+ const result = await this.read(ids, columns);
2317
+ return result;
2318
+ }
2319
+ if (isString(a) && isObject(b)) {
2320
+ if (a === "")
2321
+ throw new Error("The id can't be empty");
2322
+ const columns = isStringArray(c) ? c : void 0;
2323
+ return await __privateMethod$2(this, _insertRecordWithId, insertRecordWithId_fn).call(this, a, b, columns, { createOnly: true, ifVersion });
2324
+ }
2325
+ if (isObject(a) && isString(a.id)) {
2326
+ if (a.id === "")
2327
+ throw new Error("The id can't be empty");
2328
+ const columns = isStringArray(b) ? b : void 0;
2329
+ return await __privateMethod$2(this, _insertRecordWithId, insertRecordWithId_fn).call(this, a.id, { ...a, id: void 0 }, columns, { createOnly: true, ifVersion });
2330
+ }
2331
+ if (isObject(a)) {
2332
+ const columns = isStringArray(b) ? b : void 0;
2333
+ return __privateMethod$2(this, _insertRecordWithoutId, insertRecordWithoutId_fn).call(this, a, columns);
2334
+ }
2335
+ throw new Error("Invalid arguments for create method");
2336
+ });
2337
+ }
2338
+ async read(a, b) {
2339
+ return __privateGet$4(this, _trace).call(this, "read", async () => {
2340
+ const columns = isStringArray(b) ? b : ["*"];
2341
+ if (Array.isArray(a)) {
2342
+ if (a.length === 0)
2343
+ return [];
2344
+ const ids = a.map((item) => extractId(item));
2345
+ const finalObjects = await this.getAll({ filter: { id: { $any: compact(ids) } }, columns });
2346
+ const dictionary = finalObjects.reduce((acc, object) => {
2347
+ acc[object.id] = object;
2348
+ return acc;
2349
+ }, {});
2350
+ return ids.map((id2) => dictionary[id2 ?? ""] ?? null);
2351
+ }
2352
+ const id = extractId(a);
2353
+ if (id) {
2354
+ const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
2355
+ try {
2356
+ const response = await getRecord({
2357
+ pathParams: {
2358
+ workspace: "{workspaceId}",
2359
+ dbBranchName: "{dbBranch}",
2360
+ region: "{region}",
2361
+ tableName: __privateGet$4(this, _table),
2362
+ recordId: id
2363
+ },
2364
+ queryParams: { columns },
2365
+ ...fetchProps
2366
+ });
2367
+ const schemaTables = await __privateMethod$2(this, _getSchemaTables$1, getSchemaTables_fn$1).call(this);
2368
+ return initObject(__privateGet$4(this, _db), schemaTables, __privateGet$4(this, _table), response, columns);
2369
+ } catch (e) {
2370
+ if (isObject(e) && e.status === 404) {
2371
+ return null;
2372
+ }
2373
+ throw e;
2374
+ }
2375
+ }
2376
+ return null;
2377
+ });
2378
+ }
2379
+ async readOrThrow(a, b) {
2380
+ return __privateGet$4(this, _trace).call(this, "readOrThrow", async () => {
2381
+ const result = await this.read(a, b);
2382
+ if (Array.isArray(result)) {
2383
+ const missingIds = compact(
2384
+ a.filter((_item, index) => result[index] === null).map((item) => extractId(item))
2385
+ );
2386
+ if (missingIds.length > 0) {
2387
+ throw new Error(`Could not find records with ids: ${missingIds.join(", ")}`);
2388
+ }
2389
+ return result;
2390
+ }
2391
+ if (result === null) {
2392
+ const id = extractId(a) ?? "unknown";
2393
+ throw new Error(`Record with id ${id} not found`);
2394
+ }
2395
+ return result;
2396
+ });
2397
+ }
2398
+ async update(a, b, c, d) {
2399
+ return __privateGet$4(this, _trace).call(this, "update", async () => {
2400
+ const ifVersion = parseIfVersion(b, c, d);
2401
+ if (Array.isArray(a)) {
2402
+ if (a.length === 0)
2403
+ return [];
2404
+ const existing = await this.read(a, ["id"]);
2405
+ const updates = a.filter((_item, index) => existing[index] !== null);
2406
+ await __privateMethod$2(this, _updateRecords, updateRecords_fn).call(this, updates, {
2407
+ ifVersion,
2408
+ upsert: false
1260
2409
  });
1261
- const schema = await __privateMethod$2(this, _getSchema$1, getSchema_fn$1).call(this);
1262
- return initObject(this.db, schema, __privateGet$4(this, _table), response);
1263
- } catch (e) {
1264
- if (isObject(e) && e.status === 404) {
2410
+ const columns = isStringArray(b) ? b : ["*"];
2411
+ const result = await this.read(a, columns);
2412
+ return result;
2413
+ }
2414
+ try {
2415
+ if (isString(a) && isObject(b)) {
2416
+ const columns = isStringArray(c) ? c : void 0;
2417
+ return await __privateMethod$2(this, _updateRecordWithID, updateRecordWithID_fn).call(this, a, b, columns, { ifVersion });
2418
+ }
2419
+ if (isObject(a) && isString(a.id)) {
2420
+ const columns = isStringArray(b) ? b : void 0;
2421
+ return await __privateMethod$2(this, _updateRecordWithID, updateRecordWithID_fn).call(this, a.id, { ...a, id: void 0 }, columns, { ifVersion });
2422
+ }
2423
+ } catch (error) {
2424
+ if (error.status === 422)
1265
2425
  return null;
2426
+ throw error;
2427
+ }
2428
+ throw new Error("Invalid arguments for update method");
2429
+ });
2430
+ }
2431
+ async updateOrThrow(a, b, c, d) {
2432
+ return __privateGet$4(this, _trace).call(this, "updateOrThrow", async () => {
2433
+ const result = await this.update(a, b, c, d);
2434
+ if (Array.isArray(result)) {
2435
+ const missingIds = compact(
2436
+ a.filter((_item, index) => result[index] === null).map((item) => extractId(item))
2437
+ );
2438
+ if (missingIds.length > 0) {
2439
+ throw new Error(`Could not find records with ids: ${missingIds.join(", ")}`);
1266
2440
  }
1267
- throw e;
2441
+ return result;
1268
2442
  }
1269
- }
2443
+ if (result === null) {
2444
+ const id = extractId(a) ?? "unknown";
2445
+ throw new Error(`Record with id ${id} not found`);
2446
+ }
2447
+ return result;
2448
+ });
1270
2449
  }
1271
- async update(a, b) {
1272
- if (Array.isArray(a)) {
1273
- if (a.length === 0)
1274
- return [];
1275
- if (a.length > 100) {
1276
- console.warn("Bulk update operation is not optimized in the Xata API yet, this request might be slow");
2450
+ async createOrUpdate(a, b, c, d) {
2451
+ return __privateGet$4(this, _trace).call(this, "createOrUpdate", async () => {
2452
+ const ifVersion = parseIfVersion(b, c, d);
2453
+ if (Array.isArray(a)) {
2454
+ if (a.length === 0)
2455
+ return [];
2456
+ await __privateMethod$2(this, _updateRecords, updateRecords_fn).call(this, a, {
2457
+ ifVersion,
2458
+ upsert: true
2459
+ });
2460
+ const columns = isStringArray(b) ? b : ["*"];
2461
+ const result = await this.read(a, columns);
2462
+ return result;
1277
2463
  }
1278
- return Promise.all(a.map((object) => this.update(object)));
1279
- }
1280
- if (isString(a) && isObject(b)) {
1281
- await __privateMethod$2(this, _invalidateCache, invalidateCache_fn).call(this, a);
1282
- const record = await __privateMethod$2(this, _updateRecordWithID, updateRecordWithID_fn).call(this, a, b);
1283
- await __privateMethod$2(this, _setCacheRecord, setCacheRecord_fn).call(this, record);
1284
- return record;
1285
- }
1286
- if (isObject(a) && isString(a.id)) {
1287
- await __privateMethod$2(this, _invalidateCache, invalidateCache_fn).call(this, a.id);
1288
- const record = await __privateMethod$2(this, _updateRecordWithID, updateRecordWithID_fn).call(this, a.id, { ...a, id: void 0 });
1289
- await __privateMethod$2(this, _setCacheRecord, setCacheRecord_fn).call(this, record);
1290
- return record;
1291
- }
1292
- throw new Error("Invalid arguments for update method");
1293
- }
1294
- async createOrUpdate(a, b) {
1295
- if (Array.isArray(a)) {
1296
- if (a.length === 0)
1297
- return [];
1298
- if (a.length > 100) {
1299
- console.warn("Bulk update operation is not optimized in the Xata API yet, this request might be slow");
2464
+ if (isString(a) && isObject(b)) {
2465
+ const columns = isStringArray(c) ? c : void 0;
2466
+ return __privateMethod$2(this, _upsertRecordWithID, upsertRecordWithID_fn).call(this, a, b, columns, { ifVersion });
1300
2467
  }
1301
- return Promise.all(a.map((object) => this.createOrUpdate(object)));
1302
- }
1303
- if (isString(a) && isObject(b)) {
1304
- await __privateMethod$2(this, _invalidateCache, invalidateCache_fn).call(this, a);
1305
- const record = await __privateMethod$2(this, _upsertRecordWithID, upsertRecordWithID_fn).call(this, a, b);
1306
- await __privateMethod$2(this, _setCacheRecord, setCacheRecord_fn).call(this, record);
1307
- return record;
1308
- }
1309
- if (isObject(a) && isString(a.id)) {
1310
- await __privateMethod$2(this, _invalidateCache, invalidateCache_fn).call(this, a.id);
1311
- const record = await __privateMethod$2(this, _upsertRecordWithID, upsertRecordWithID_fn).call(this, a.id, { ...a, id: void 0 });
1312
- await __privateMethod$2(this, _setCacheRecord, setCacheRecord_fn).call(this, record);
1313
- return record;
1314
- }
1315
- throw new Error("Invalid arguments for createOrUpdate method");
1316
- }
1317
- async delete(a) {
1318
- if (Array.isArray(a)) {
1319
- if (a.length === 0)
1320
- return;
1321
- if (a.length > 100) {
1322
- console.warn("Bulk delete operation is not optimized in the Xata API yet, this request might be slow");
2468
+ if (isObject(a) && isString(a.id)) {
2469
+ const columns = isStringArray(c) ? c : void 0;
2470
+ return __privateMethod$2(this, _upsertRecordWithID, upsertRecordWithID_fn).call(this, a.id, { ...a, id: void 0 }, columns, { ifVersion });
1323
2471
  }
1324
- await Promise.all(a.map((id) => this.delete(id)));
1325
- return;
1326
- }
1327
- if (isString(a)) {
1328
- await __privateMethod$2(this, _deleteRecord, deleteRecord_fn).call(this, a);
1329
- await __privateMethod$2(this, _invalidateCache, invalidateCache_fn).call(this, a);
1330
- return;
1331
- }
1332
- if (isObject(a) && isString(a.id)) {
1333
- await __privateMethod$2(this, _deleteRecord, deleteRecord_fn).call(this, a.id);
1334
- await __privateMethod$2(this, _invalidateCache, invalidateCache_fn).call(this, a.id);
1335
- return;
1336
- }
1337
- throw new Error("Invalid arguments for delete method");
2472
+ throw new Error("Invalid arguments for createOrUpdate method");
2473
+ });
2474
+ }
2475
+ async createOrReplace(a, b, c, d) {
2476
+ return __privateGet$4(this, _trace).call(this, "createOrReplace", async () => {
2477
+ const ifVersion = parseIfVersion(b, c, d);
2478
+ if (Array.isArray(a)) {
2479
+ if (a.length === 0)
2480
+ return [];
2481
+ const ids = await __privateMethod$2(this, _insertRecords, insertRecords_fn).call(this, a, { ifVersion, createOnly: false });
2482
+ const columns = isStringArray(b) ? b : ["*"];
2483
+ const result = await this.read(ids, columns);
2484
+ return result;
2485
+ }
2486
+ if (isString(a) && isObject(b)) {
2487
+ const columns = isStringArray(c) ? c : void 0;
2488
+ return __privateMethod$2(this, _insertRecordWithId, insertRecordWithId_fn).call(this, a, b, columns, { createOnly: false, ifVersion });
2489
+ }
2490
+ if (isObject(a) && isString(a.id)) {
2491
+ const columns = isStringArray(c) ? c : void 0;
2492
+ return __privateMethod$2(this, _insertRecordWithId, insertRecordWithId_fn).call(this, a.id, { ...a, id: void 0 }, columns, { createOnly: false, ifVersion });
2493
+ }
2494
+ throw new Error("Invalid arguments for createOrReplace method");
2495
+ });
2496
+ }
2497
+ async delete(a, b) {
2498
+ return __privateGet$4(this, _trace).call(this, "delete", async () => {
2499
+ if (Array.isArray(a)) {
2500
+ if (a.length === 0)
2501
+ return [];
2502
+ const ids = a.map((o) => {
2503
+ if (isString(o))
2504
+ return o;
2505
+ if (isString(o.id))
2506
+ return o.id;
2507
+ throw new Error("Invalid arguments for delete method");
2508
+ });
2509
+ const columns = isStringArray(b) ? b : ["*"];
2510
+ const result = await this.read(a, columns);
2511
+ await __privateMethod$2(this, _deleteRecords, deleteRecords_fn).call(this, ids);
2512
+ return result;
2513
+ }
2514
+ if (isString(a)) {
2515
+ return __privateMethod$2(this, _deleteRecord, deleteRecord_fn).call(this, a, b);
2516
+ }
2517
+ if (isObject(a) && isString(a.id)) {
2518
+ return __privateMethod$2(this, _deleteRecord, deleteRecord_fn).call(this, a.id, b);
2519
+ }
2520
+ throw new Error("Invalid arguments for delete method");
2521
+ });
2522
+ }
2523
+ async deleteOrThrow(a, b) {
2524
+ return __privateGet$4(this, _trace).call(this, "deleteOrThrow", async () => {
2525
+ const result = await this.delete(a, b);
2526
+ if (Array.isArray(result)) {
2527
+ const missingIds = compact(
2528
+ a.filter((_item, index) => result[index] === null).map((item) => extractId(item))
2529
+ );
2530
+ if (missingIds.length > 0) {
2531
+ throw new Error(`Could not find records with ids: ${missingIds.join(", ")}`);
2532
+ }
2533
+ return result;
2534
+ } else if (result === null) {
2535
+ const id = extractId(a) ?? "unknown";
2536
+ throw new Error(`Record with id ${id} not found`);
2537
+ }
2538
+ return result;
2539
+ });
1338
2540
  }
1339
2541
  async search(query, options = {}) {
1340
- const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1341
- const { records } = await searchTable({
1342
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", tableName: __privateGet$4(this, _table) },
1343
- body: {
1344
- query,
1345
- fuzziness: options.fuzziness,
1346
- highlight: options.highlight,
1347
- filter: options.filter
1348
- },
1349
- ...fetchProps
2542
+ return __privateGet$4(this, _trace).call(this, "search", async () => {
2543
+ const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
2544
+ const { records } = await searchTable({
2545
+ pathParams: {
2546
+ workspace: "{workspaceId}",
2547
+ dbBranchName: "{dbBranch}",
2548
+ region: "{region}",
2549
+ tableName: __privateGet$4(this, _table)
2550
+ },
2551
+ body: {
2552
+ query,
2553
+ fuzziness: options.fuzziness,
2554
+ prefix: options.prefix,
2555
+ highlight: options.highlight,
2556
+ filter: options.filter,
2557
+ boosters: options.boosters,
2558
+ page: options.page,
2559
+ target: options.target
2560
+ },
2561
+ ...fetchProps
2562
+ });
2563
+ const schemaTables = await __privateMethod$2(this, _getSchemaTables$1, getSchemaTables_fn$1).call(this);
2564
+ return records.map((item) => initObject(__privateGet$4(this, _db), schemaTables, __privateGet$4(this, _table), item, ["*"]));
2565
+ });
2566
+ }
2567
+ async aggregate(aggs, filter) {
2568
+ return __privateGet$4(this, _trace).call(this, "aggregate", async () => {
2569
+ const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
2570
+ const result = await aggregateTable({
2571
+ pathParams: {
2572
+ workspace: "{workspaceId}",
2573
+ dbBranchName: "{dbBranch}",
2574
+ region: "{region}",
2575
+ tableName: __privateGet$4(this, _table)
2576
+ },
2577
+ body: { aggs, filter },
2578
+ ...fetchProps
2579
+ });
2580
+ return result;
1350
2581
  });
1351
- const schema = await __privateMethod$2(this, _getSchema$1, getSchema_fn$1).call(this);
1352
- return records.map((item) => initObject(this.db, schema, __privateGet$4(this, _table), item));
1353
2582
  }
1354
2583
  async query(query) {
1355
- const cacheQuery = await __privateMethod$2(this, _getCacheQuery, getCacheQuery_fn).call(this, query);
1356
- if (cacheQuery)
1357
- return new Page(query, cacheQuery.meta, cacheQuery.records);
1358
- const data = query.getQueryOptions();
1359
- const body = {
1360
- filter: Object.values(data.filter ?? {}).some(Boolean) ? data.filter : void 0,
1361
- sort: data.sort !== void 0 ? buildSortFilter(data.sort) : void 0,
1362
- page: data.pagination,
1363
- columns: data.columns
1364
- };
1365
- const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1366
- const { meta, records: objects } = await queryTable({
1367
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", tableName: __privateGet$4(this, _table) },
1368
- body,
1369
- ...fetchProps
2584
+ return __privateGet$4(this, _trace).call(this, "query", async () => {
2585
+ const cacheQuery = await __privateMethod$2(this, _getCacheQuery, getCacheQuery_fn).call(this, query);
2586
+ if (cacheQuery)
2587
+ return new Page(query, cacheQuery.meta, cacheQuery.records);
2588
+ const data = query.getQueryOptions();
2589
+ const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
2590
+ const { meta, records: objects } = await queryTable({
2591
+ pathParams: {
2592
+ workspace: "{workspaceId}",
2593
+ dbBranchName: "{dbBranch}",
2594
+ region: "{region}",
2595
+ tableName: __privateGet$4(this, _table)
2596
+ },
2597
+ body: {
2598
+ filter: cleanFilter(data.filter),
2599
+ sort: data.sort !== void 0 ? buildSortFilter(data.sort) : void 0,
2600
+ page: data.pagination,
2601
+ columns: data.columns ?? ["*"],
2602
+ consistency: data.consistency
2603
+ },
2604
+ fetchOptions: data.fetchOptions,
2605
+ ...fetchProps
2606
+ });
2607
+ const schemaTables = await __privateMethod$2(this, _getSchemaTables$1, getSchemaTables_fn$1).call(this);
2608
+ const records = objects.map(
2609
+ (record) => initObject(__privateGet$4(this, _db), schemaTables, __privateGet$4(this, _table), record, data.columns ?? ["*"])
2610
+ );
2611
+ await __privateMethod$2(this, _setCacheQuery, setCacheQuery_fn).call(this, query, meta, records);
2612
+ return new Page(query, meta, records);
2613
+ });
2614
+ }
2615
+ async summarizeTable(query, summaries, summariesFilter) {
2616
+ return __privateGet$4(this, _trace).call(this, "summarize", async () => {
2617
+ const data = query.getQueryOptions();
2618
+ const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
2619
+ const result = await summarizeTable({
2620
+ pathParams: {
2621
+ workspace: "{workspaceId}",
2622
+ dbBranchName: "{dbBranch}",
2623
+ region: "{region}",
2624
+ tableName: __privateGet$4(this, _table)
2625
+ },
2626
+ body: {
2627
+ filter: cleanFilter(data.filter),
2628
+ sort: data.sort !== void 0 ? buildSortFilter(data.sort) : void 0,
2629
+ columns: data.columns,
2630
+ consistency: data.consistency,
2631
+ page: data.pagination?.size !== void 0 ? { size: data.pagination?.size } : void 0,
2632
+ summaries,
2633
+ summariesFilter
2634
+ },
2635
+ ...fetchProps
2636
+ });
2637
+ return result;
1370
2638
  });
1371
- const schema = await __privateMethod$2(this, _getSchema$1, getSchema_fn$1).call(this);
1372
- const records = objects.map((record) => initObject(this.db, schema, __privateGet$4(this, _table), record));
1373
- await __privateMethod$2(this, _setCacheQuery, setCacheQuery_fn).call(this, query, meta, records);
1374
- return new Page(query, meta, records);
1375
2639
  }
1376
2640
  }
1377
2641
  _table = new WeakMap();
1378
2642
  _getFetchProps = new WeakMap();
2643
+ _db = new WeakMap();
1379
2644
  _cache = new WeakMap();
1380
- _schema$1 = new WeakMap();
2645
+ _schemaTables$2 = new WeakMap();
2646
+ _trace = new WeakMap();
1381
2647
  _insertRecordWithoutId = new WeakSet();
1382
- insertRecordWithoutId_fn = async function(object) {
2648
+ insertRecordWithoutId_fn = async function(object, columns = ["*"]) {
1383
2649
  const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1384
2650
  const record = transformObjectLinks(object);
1385
2651
  const response = await insertRecord({
1386
2652
  pathParams: {
1387
2653
  workspace: "{workspaceId}",
1388
2654
  dbBranchName: "{dbBranch}",
2655
+ region: "{region}",
1389
2656
  tableName: __privateGet$4(this, _table)
1390
2657
  },
2658
+ queryParams: { columns },
1391
2659
  body: record,
1392
2660
  ...fetchProps
1393
2661
  });
1394
- const finalObject = await this.read(response.id);
1395
- if (!finalObject) {
1396
- throw new Error("The server failed to save the record");
1397
- }
1398
- return finalObject;
2662
+ const schemaTables = await __privateMethod$2(this, _getSchemaTables$1, getSchemaTables_fn$1).call(this);
2663
+ return initObject(__privateGet$4(this, _db), schemaTables, __privateGet$4(this, _table), response, columns);
1399
2664
  };
1400
2665
  _insertRecordWithId = new WeakSet();
1401
- insertRecordWithId_fn = async function(recordId, object) {
2666
+ insertRecordWithId_fn = async function(recordId, object, columns = ["*"], { createOnly, ifVersion }) {
1402
2667
  const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1403
2668
  const record = transformObjectLinks(object);
1404
2669
  const response = await insertRecordWithID({
1405
2670
  pathParams: {
1406
2671
  workspace: "{workspaceId}",
1407
2672
  dbBranchName: "{dbBranch}",
2673
+ region: "{region}",
1408
2674
  tableName: __privateGet$4(this, _table),
1409
2675
  recordId
1410
2676
  },
1411
2677
  body: record,
1412
- queryParams: { createOnly: true },
2678
+ queryParams: { createOnly, columns, ifVersion },
1413
2679
  ...fetchProps
1414
2680
  });
1415
- const finalObject = await this.read(response.id);
1416
- if (!finalObject) {
1417
- throw new Error("The server failed to save the record");
1418
- }
1419
- return finalObject;
2681
+ const schemaTables = await __privateMethod$2(this, _getSchemaTables$1, getSchemaTables_fn$1).call(this);
2682
+ return initObject(__privateGet$4(this, _db), schemaTables, __privateGet$4(this, _table), response, columns);
1420
2683
  };
1421
- _bulkInsertTableRecords = new WeakSet();
1422
- bulkInsertTableRecords_fn = async function(objects) {
2684
+ _insertRecords = new WeakSet();
2685
+ insertRecords_fn = async function(objects, { createOnly, ifVersion }) {
1423
2686
  const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1424
- const records = objects.map((object) => transformObjectLinks(object));
1425
- const response = await bulkInsertTableRecords({
1426
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", tableName: __privateGet$4(this, _table) },
1427
- body: { records },
1428
- ...fetchProps
1429
- });
1430
- const finalObjects = await this.any(...response.recordIDs.map((id) => this.filter("id", id))).getAll();
1431
- if (finalObjects.length !== objects.length) {
1432
- throw new Error("The server failed to save some records");
2687
+ const chunkedOperations = chunk(
2688
+ objects.map((object) => ({
2689
+ insert: { table: __privateGet$4(this, _table), record: transformObjectLinks(object), createOnly, ifVersion }
2690
+ })),
2691
+ BULK_OPERATION_MAX_SIZE
2692
+ );
2693
+ const ids = [];
2694
+ for (const operations of chunkedOperations) {
2695
+ const { results } = await branchTransaction({
2696
+ pathParams: {
2697
+ workspace: "{workspaceId}",
2698
+ dbBranchName: "{dbBranch}",
2699
+ region: "{region}"
2700
+ },
2701
+ body: { operations },
2702
+ ...fetchProps
2703
+ });
2704
+ for (const result of results) {
2705
+ if (result.operation === "insert") {
2706
+ ids.push(result.id);
2707
+ } else {
2708
+ ids.push(null);
2709
+ }
2710
+ }
1433
2711
  }
1434
- return finalObjects;
2712
+ return ids;
1435
2713
  };
1436
2714
  _updateRecordWithID = new WeakSet();
1437
- updateRecordWithID_fn = async function(recordId, object) {
2715
+ updateRecordWithID_fn = async function(recordId, object, columns = ["*"], { ifVersion }) {
1438
2716
  const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1439
- const record = transformObjectLinks(object);
1440
- const response = await updateRecordWithID({
1441
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", tableName: __privateGet$4(this, _table), recordId },
1442
- body: record,
1443
- ...fetchProps
1444
- });
1445
- const item = await this.read(response.id);
1446
- if (!item)
1447
- throw new Error("The server failed to save the record");
1448
- return item;
2717
+ const { id: _id, ...record } = transformObjectLinks(object);
2718
+ try {
2719
+ const response = await updateRecordWithID({
2720
+ pathParams: {
2721
+ workspace: "{workspaceId}",
2722
+ dbBranchName: "{dbBranch}",
2723
+ region: "{region}",
2724
+ tableName: __privateGet$4(this, _table),
2725
+ recordId
2726
+ },
2727
+ queryParams: { columns, ifVersion },
2728
+ body: record,
2729
+ ...fetchProps
2730
+ });
2731
+ const schemaTables = await __privateMethod$2(this, _getSchemaTables$1, getSchemaTables_fn$1).call(this);
2732
+ return initObject(__privateGet$4(this, _db), schemaTables, __privateGet$4(this, _table), response, columns);
2733
+ } catch (e) {
2734
+ if (isObject(e) && e.status === 404) {
2735
+ return null;
2736
+ }
2737
+ throw e;
2738
+ }
2739
+ };
2740
+ _updateRecords = new WeakSet();
2741
+ updateRecords_fn = async function(objects, { ifVersion, upsert }) {
2742
+ const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
2743
+ const chunkedOperations = chunk(
2744
+ objects.map(({ id, ...object }) => ({
2745
+ update: { table: __privateGet$4(this, _table), id, ifVersion, upsert, fields: transformObjectLinks(object) }
2746
+ })),
2747
+ BULK_OPERATION_MAX_SIZE
2748
+ );
2749
+ const ids = [];
2750
+ for (const operations of chunkedOperations) {
2751
+ const { results } = await branchTransaction({
2752
+ pathParams: {
2753
+ workspace: "{workspaceId}",
2754
+ dbBranchName: "{dbBranch}",
2755
+ region: "{region}"
2756
+ },
2757
+ body: { operations },
2758
+ ...fetchProps
2759
+ });
2760
+ for (const result of results) {
2761
+ if (result.operation === "update") {
2762
+ ids.push(result.id);
2763
+ } else {
2764
+ ids.push(null);
2765
+ }
2766
+ }
2767
+ }
2768
+ return ids;
1449
2769
  };
1450
2770
  _upsertRecordWithID = new WeakSet();
1451
- upsertRecordWithID_fn = async function(recordId, object) {
2771
+ upsertRecordWithID_fn = async function(recordId, object, columns = ["*"], { ifVersion }) {
1452
2772
  const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1453
2773
  const response = await upsertRecordWithID({
1454
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", tableName: __privateGet$4(this, _table), recordId },
2774
+ pathParams: {
2775
+ workspace: "{workspaceId}",
2776
+ dbBranchName: "{dbBranch}",
2777
+ region: "{region}",
2778
+ tableName: __privateGet$4(this, _table),
2779
+ recordId
2780
+ },
2781
+ queryParams: { columns, ifVersion },
1455
2782
  body: object,
1456
2783
  ...fetchProps
1457
2784
  });
1458
- const item = await this.read(response.id);
1459
- if (!item)
1460
- throw new Error("The server failed to save the record");
1461
- return item;
2785
+ const schemaTables = await __privateMethod$2(this, _getSchemaTables$1, getSchemaTables_fn$1).call(this);
2786
+ return initObject(__privateGet$4(this, _db), schemaTables, __privateGet$4(this, _table), response, columns);
1462
2787
  };
1463
2788
  _deleteRecord = new WeakSet();
1464
- deleteRecord_fn = async function(recordId) {
2789
+ deleteRecord_fn = async function(recordId, columns = ["*"]) {
1465
2790
  const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1466
- await deleteRecord({
1467
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", tableName: __privateGet$4(this, _table), recordId },
1468
- ...fetchProps
1469
- });
2791
+ try {
2792
+ const response = await deleteRecord({
2793
+ pathParams: {
2794
+ workspace: "{workspaceId}",
2795
+ dbBranchName: "{dbBranch}",
2796
+ region: "{region}",
2797
+ tableName: __privateGet$4(this, _table),
2798
+ recordId
2799
+ },
2800
+ queryParams: { columns },
2801
+ ...fetchProps
2802
+ });
2803
+ const schemaTables = await __privateMethod$2(this, _getSchemaTables$1, getSchemaTables_fn$1).call(this);
2804
+ return initObject(__privateGet$4(this, _db), schemaTables, __privateGet$4(this, _table), response, columns);
2805
+ } catch (e) {
2806
+ if (isObject(e) && e.status === 404) {
2807
+ return null;
2808
+ }
2809
+ throw e;
2810
+ }
1470
2811
  };
1471
- _invalidateCache = new WeakSet();
1472
- invalidateCache_fn = async function(recordId) {
1473
- await __privateGet$4(this, _cache).delete(`rec_${__privateGet$4(this, _table)}:${recordId}`);
1474
- const cacheItems = await __privateGet$4(this, _cache).getAll();
1475
- const queries = Object.entries(cacheItems).filter(([key]) => key.startsWith("query_"));
1476
- for (const [key, value] of queries) {
1477
- const ids = getIds(value);
1478
- if (ids.includes(recordId))
1479
- await __privateGet$4(this, _cache).delete(key);
1480
- }
1481
- };
1482
- _setCacheRecord = new WeakSet();
1483
- setCacheRecord_fn = async function(record) {
1484
- if (!__privateGet$4(this, _cache).cacheRecords)
1485
- return;
1486
- await __privateGet$4(this, _cache).set(`rec_${__privateGet$4(this, _table)}:${record.id}`, record);
1487
- };
1488
- _getCacheRecord = new WeakSet();
1489
- getCacheRecord_fn = async function(recordId) {
1490
- if (!__privateGet$4(this, _cache).cacheRecords)
1491
- return null;
1492
- return __privateGet$4(this, _cache).get(`rec_${__privateGet$4(this, _table)}:${recordId}`);
2812
+ _deleteRecords = new WeakSet();
2813
+ deleteRecords_fn = async function(recordIds) {
2814
+ const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
2815
+ const chunkedOperations = chunk(
2816
+ recordIds.map((id) => ({ delete: { table: __privateGet$4(this, _table), id } })),
2817
+ BULK_OPERATION_MAX_SIZE
2818
+ );
2819
+ for (const operations of chunkedOperations) {
2820
+ await branchTransaction({
2821
+ pathParams: {
2822
+ workspace: "{workspaceId}",
2823
+ dbBranchName: "{dbBranch}",
2824
+ region: "{region}"
2825
+ },
2826
+ body: { operations },
2827
+ ...fetchProps
2828
+ });
2829
+ }
1493
2830
  };
1494
2831
  _setCacheQuery = new WeakSet();
1495
2832
  setCacheQuery_fn = async function(query, meta, records) {
@@ -1507,17 +2844,17 @@ getCacheQuery_fn = async function(query) {
1507
2844
  const hasExpired = result.date.getTime() + ttl < Date.now();
1508
2845
  return hasExpired ? null : result;
1509
2846
  };
1510
- _getSchema$1 = new WeakSet();
1511
- getSchema_fn$1 = async function() {
1512
- if (__privateGet$4(this, _schema$1))
1513
- return __privateGet$4(this, _schema$1);
2847
+ _getSchemaTables$1 = new WeakSet();
2848
+ getSchemaTables_fn$1 = async function() {
2849
+ if (__privateGet$4(this, _schemaTables$2))
2850
+ return __privateGet$4(this, _schemaTables$2);
1514
2851
  const fetchProps = await __privateGet$4(this, _getFetchProps).call(this);
1515
2852
  const { schema } = await getBranchDetails({
1516
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}" },
2853
+ pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", region: "{region}" },
1517
2854
  ...fetchProps
1518
2855
  });
1519
- __privateSet$3(this, _schema$1, schema);
1520
- return schema;
2856
+ __privateSet$4(this, _schemaTables$2, schema.tables);
2857
+ return schema.tables;
1521
2858
  };
1522
2859
  const transformObjectLinks = (object) => {
1523
2860
  return Object.entries(object).reduce((acc, [key, value]) => {
@@ -1526,21 +2863,24 @@ const transformObjectLinks = (object) => {
1526
2863
  return { ...acc, [key]: isIdentifiable(value) ? value.id : value };
1527
2864
  }, {});
1528
2865
  };
1529
- const initObject = (db, schema, table, object) => {
1530
- const result = {};
1531
- Object.assign(result, object);
1532
- const { columns } = schema.tables.find(({ name }) => name === table) ?? {};
2866
+ const initObject = (db, schemaTables, table, object, selectedColumns) => {
2867
+ const data = {};
2868
+ const { xata, ...rest } = object ?? {};
2869
+ Object.assign(data, rest);
2870
+ const { columns } = schemaTables.find(({ name }) => name === table) ?? {};
1533
2871
  if (!columns)
1534
2872
  console.error(`Table ${table} not found in schema`);
1535
2873
  for (const column of columns ?? []) {
1536
- const value = result[column.name];
2874
+ if (!isValidColumn(selectedColumns, column))
2875
+ continue;
2876
+ const value = data[column.name];
1537
2877
  switch (column.type) {
1538
2878
  case "datetime": {
1539
- const date = new Date(value);
1540
- if (isNaN(date.getTime())) {
2879
+ const date = value !== void 0 ? new Date(value) : null;
2880
+ if (date !== null && isNaN(date.getTime())) {
1541
2881
  console.error(`Failed to parse date ${value} for field ${column.name}`);
1542
2882
  } else {
1543
- result[column.name] = date;
2883
+ data[column.name] = date;
1544
2884
  }
1545
2885
  break;
1546
2886
  }
@@ -1549,35 +2889,79 @@ const initObject = (db, schema, table, object) => {
1549
2889
  if (!linkTable) {
1550
2890
  console.error(`Failed to parse link for field ${column.name}`);
1551
2891
  } else if (isObject(value)) {
1552
- result[column.name] = initObject(db, schema, linkTable, value);
2892
+ const selectedLinkColumns = selectedColumns.reduce((acc, item) => {
2893
+ if (item === column.name) {
2894
+ return [...acc, "*"];
2895
+ }
2896
+ if (item.startsWith(`${column.name}.`)) {
2897
+ const [, ...path] = item.split(".");
2898
+ return [...acc, path.join(".")];
2899
+ }
2900
+ return acc;
2901
+ }, []);
2902
+ data[column.name] = initObject(db, schemaTables, linkTable, value, selectedLinkColumns);
2903
+ } else {
2904
+ data[column.name] = null;
1553
2905
  }
1554
2906
  break;
1555
2907
  }
2908
+ default:
2909
+ data[column.name] = value ?? null;
2910
+ if (column.notNull === true && value === null) {
2911
+ console.error(`Parse error, column ${column.name} is non nullable and value resolves null`);
2912
+ }
2913
+ break;
1556
2914
  }
1557
2915
  }
1558
- result.read = function() {
1559
- return db[table].read(result["id"]);
2916
+ const record = { ...data };
2917
+ record.read = function(columns2) {
2918
+ return db[table].read(record["id"], columns2);
2919
+ };
2920
+ record.update = function(data2, b, c) {
2921
+ const columns2 = isStringArray(b) ? b : ["*"];
2922
+ const ifVersion = parseIfVersion(b, c);
2923
+ return db[table].update(record["id"], data2, columns2, { ifVersion });
1560
2924
  };
1561
- result.update = function(data) {
1562
- return db[table].update(result["id"], data);
2925
+ record.replace = function(data2, b, c) {
2926
+ const columns2 = isStringArray(b) ? b : ["*"];
2927
+ const ifVersion = parseIfVersion(b, c);
2928
+ return db[table].createOrReplace(record["id"], data2, columns2, { ifVersion });
1563
2929
  };
1564
- result.delete = function() {
1565
- return db[table].delete(result["id"]);
2930
+ record.delete = function() {
2931
+ return db[table].delete(record["id"]);
1566
2932
  };
1567
- for (const prop of ["read", "update", "delete"]) {
1568
- Object.defineProperty(result, prop, { enumerable: false });
2933
+ record.getMetadata = function() {
2934
+ return xata;
2935
+ };
2936
+ for (const prop of ["read", "update", "replace", "delete", "getMetadata"]) {
2937
+ Object.defineProperty(record, prop, { enumerable: false });
1569
2938
  }
1570
- Object.freeze(result);
1571
- return result;
2939
+ Object.freeze(record);
2940
+ return record;
1572
2941
  };
1573
- function getIds(value) {
1574
- if (Array.isArray(value)) {
1575
- return value.map((item) => getIds(item)).flat();
2942
+ function extractId(value) {
2943
+ if (isString(value))
2944
+ return value;
2945
+ if (isObject(value) && isString(value.id))
2946
+ return value.id;
2947
+ return void 0;
2948
+ }
2949
+ function isValidColumn(columns, column) {
2950
+ if (columns.includes("*"))
2951
+ return true;
2952
+ if (column.type === "link") {
2953
+ const linkColumns = columns.filter((item) => item.startsWith(column.name));
2954
+ return linkColumns.length > 0;
2955
+ }
2956
+ return columns.includes(column.name);
2957
+ }
2958
+ function parseIfVersion(...args) {
2959
+ for (const arg of args) {
2960
+ if (isObject(arg) && isNumber(arg.ifVersion)) {
2961
+ return arg.ifVersion;
2962
+ }
1576
2963
  }
1577
- if (!isObject(value))
1578
- return [];
1579
- const nestedIds = Object.values(value).map((item) => getIds(item)).flat();
1580
- return isString(value.id) ? [value.id, ...nestedIds] : nestedIds;
2964
+ return void 0;
1581
2965
  }
1582
2966
 
1583
2967
  var __accessCheck$3 = (obj, member, msg) => {
@@ -1593,7 +2977,7 @@ var __privateAdd$3 = (obj, member, value) => {
1593
2977
  throw TypeError("Cannot add the same private member more than once");
1594
2978
  member instanceof WeakSet ? member.add(obj) : member.set(obj, value);
1595
2979
  };
1596
- var __privateSet$2 = (obj, member, value, setter) => {
2980
+ var __privateSet$3 = (obj, member, value, setter) => {
1597
2981
  __accessCheck$3(obj, member, "write to private field");
1598
2982
  setter ? setter.call(obj, value) : member.set(obj, value);
1599
2983
  return value;
@@ -1602,9 +2986,8 @@ var _map;
1602
2986
  class SimpleCache {
1603
2987
  constructor(options = {}) {
1604
2988
  __privateAdd$3(this, _map, void 0);
1605
- __privateSet$2(this, _map, /* @__PURE__ */ new Map());
2989
+ __privateSet$3(this, _map, /* @__PURE__ */ new Map());
1606
2990
  this.capacity = options.max ?? 500;
1607
- this.cacheRecords = options.cacheRecords ?? true;
1608
2991
  this.defaultQueryTTL = options.defaultQueryTTL ?? 60 * 1e3;
1609
2992
  }
1610
2993
  async getAll() {
@@ -1630,18 +3013,25 @@ class SimpleCache {
1630
3013
  }
1631
3014
  _map = new WeakMap();
1632
3015
 
1633
- const gt = (value) => ({ $gt: value });
1634
- const ge = (value) => ({ $ge: value });
1635
- const gte = (value) => ({ $ge: value });
1636
- const lt = (value) => ({ $lt: value });
1637
- const lte = (value) => ({ $le: value });
1638
- const le = (value) => ({ $le: value });
3016
+ const greaterThan = (value) => ({ $gt: value });
3017
+ const gt = greaterThan;
3018
+ const greaterThanEquals = (value) => ({ $ge: value });
3019
+ const greaterEquals = greaterThanEquals;
3020
+ const gte = greaterThanEquals;
3021
+ const ge = greaterThanEquals;
3022
+ const lessThan = (value) => ({ $lt: value });
3023
+ const lt = lessThan;
3024
+ const lessThanEquals = (value) => ({ $le: value });
3025
+ const lessEquals = lessThanEquals;
3026
+ const lte = lessThanEquals;
3027
+ const le = lessThanEquals;
1639
3028
  const exists = (column) => ({ $exists: column });
1640
3029
  const notExists = (column) => ({ $notExists: column });
1641
3030
  const startsWith = (value) => ({ $startsWith: value });
1642
3031
  const endsWith = (value) => ({ $endsWith: value });
1643
3032
  const pattern = (value) => ({ $pattern: value });
1644
3033
  const is = (value) => ({ $is: value });
3034
+ const equals = is;
1645
3035
  const isNot = (value) => ({ $isNot: value });
1646
3036
  const contains = (value) => ({ $contains: value });
1647
3037
  const includes = (value) => ({ $includes: value });
@@ -1662,31 +3052,42 @@ var __privateAdd$2 = (obj, member, value) => {
1662
3052
  throw TypeError("Cannot add the same private member more than once");
1663
3053
  member instanceof WeakSet ? member.add(obj) : member.set(obj, value);
1664
3054
  };
1665
- var _tables;
3055
+ var __privateSet$2 = (obj, member, value, setter) => {
3056
+ __accessCheck$2(obj, member, "write to private field");
3057
+ setter ? setter.call(obj, value) : member.set(obj, value);
3058
+ return value;
3059
+ };
3060
+ var _tables, _schemaTables$1;
1666
3061
  class SchemaPlugin extends XataPlugin {
1667
- constructor(tableNames) {
3062
+ constructor(schemaTables) {
1668
3063
  super();
1669
- this.tableNames = tableNames;
1670
3064
  __privateAdd$2(this, _tables, {});
3065
+ __privateAdd$2(this, _schemaTables$1, void 0);
3066
+ __privateSet$2(this, _schemaTables$1, schemaTables);
1671
3067
  }
1672
3068
  build(pluginOptions) {
1673
- const db = new Proxy({}, {
1674
- get: (_target, table) => {
1675
- if (!isString(table))
1676
- throw new Error("Invalid table name");
1677
- if (__privateGet$2(this, _tables)[table] === void 0) {
1678
- __privateGet$2(this, _tables)[table] = new RestRepository({ db, pluginOptions, table });
3069
+ const db = new Proxy(
3070
+ {},
3071
+ {
3072
+ get: (_target, table) => {
3073
+ if (!isString(table))
3074
+ throw new Error("Invalid table name");
3075
+ if (__privateGet$2(this, _tables)[table] === void 0) {
3076
+ __privateGet$2(this, _tables)[table] = new RestRepository({ db, pluginOptions, table, schemaTables: __privateGet$2(this, _schemaTables$1) });
3077
+ }
3078
+ return __privateGet$2(this, _tables)[table];
1679
3079
  }
1680
- return __privateGet$2(this, _tables)[table];
1681
3080
  }
1682
- });
1683
- for (const table of this.tableNames ?? []) {
1684
- db[table] = new RestRepository({ db, pluginOptions, table });
3081
+ );
3082
+ const tableNames = __privateGet$2(this, _schemaTables$1)?.map(({ name }) => name) ?? [];
3083
+ for (const table of tableNames) {
3084
+ db[table] = new RestRepository({ db, pluginOptions, table, schemaTables: __privateGet$2(this, _schemaTables$1) });
1685
3085
  }
1686
3086
  return db;
1687
3087
  }
1688
3088
  }
1689
3089
  _tables = new WeakMap();
3090
+ _schemaTables$1 = new WeakMap();
1690
3091
 
1691
3092
  var __accessCheck$1 = (obj, member, msg) => {
1692
3093
  if (!member.has(obj))
@@ -1710,82 +3111,89 @@ var __privateMethod$1 = (obj, member, method) => {
1710
3111
  __accessCheck$1(obj, member, "access private method");
1711
3112
  return method;
1712
3113
  };
1713
- var _schema, _search, search_fn, _getSchema, getSchema_fn;
3114
+ var _schemaTables, _search, search_fn, _getSchemaTables, getSchemaTables_fn;
1714
3115
  class SearchPlugin extends XataPlugin {
1715
- constructor(db) {
3116
+ constructor(db, schemaTables) {
1716
3117
  super();
1717
3118
  this.db = db;
1718
3119
  __privateAdd$1(this, _search);
1719
- __privateAdd$1(this, _getSchema);
1720
- __privateAdd$1(this, _schema, void 0);
3120
+ __privateAdd$1(this, _getSchemaTables);
3121
+ __privateAdd$1(this, _schemaTables, void 0);
3122
+ __privateSet$1(this, _schemaTables, schemaTables);
1721
3123
  }
1722
3124
  build({ getFetchProps }) {
1723
3125
  return {
1724
3126
  all: async (query, options = {}) => {
1725
3127
  const records = await __privateMethod$1(this, _search, search_fn).call(this, query, options, getFetchProps);
1726
- const schema = await __privateMethod$1(this, _getSchema, getSchema_fn).call(this, getFetchProps);
3128
+ const schemaTables = await __privateMethod$1(this, _getSchemaTables, getSchemaTables_fn).call(this, getFetchProps);
1727
3129
  return records.map((record) => {
1728
3130
  const { table = "orphan" } = record.xata;
1729
- return { table, record: initObject(this.db, schema, table, record) };
3131
+ return { table, record: initObject(this.db, schemaTables, table, record, ["*"]) };
1730
3132
  });
1731
3133
  },
1732
3134
  byTable: async (query, options = {}) => {
1733
3135
  const records = await __privateMethod$1(this, _search, search_fn).call(this, query, options, getFetchProps);
1734
- const schema = await __privateMethod$1(this, _getSchema, getSchema_fn).call(this, getFetchProps);
3136
+ const schemaTables = await __privateMethod$1(this, _getSchemaTables, getSchemaTables_fn).call(this, getFetchProps);
1735
3137
  return records.reduce((acc, record) => {
1736
3138
  const { table = "orphan" } = record.xata;
1737
3139
  const items = acc[table] ?? [];
1738
- const item = initObject(this.db, schema, table, record);
3140
+ const item = initObject(this.db, schemaTables, table, record, ["*"]);
1739
3141
  return { ...acc, [table]: [...items, item] };
1740
3142
  }, {});
1741
3143
  }
1742
3144
  };
1743
3145
  }
1744
3146
  }
1745
- _schema = new WeakMap();
3147
+ _schemaTables = new WeakMap();
1746
3148
  _search = new WeakSet();
1747
3149
  search_fn = async function(query, options, getFetchProps) {
1748
3150
  const fetchProps = await getFetchProps();
1749
- const { tables, fuzziness, highlight } = options ?? {};
3151
+ const { tables, fuzziness, highlight, prefix, page } = options ?? {};
1750
3152
  const { records } = await searchBranch({
1751
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}" },
1752
- body: { tables, query, fuzziness, highlight },
3153
+ pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", region: "{region}" },
3154
+ body: { tables, query, fuzziness, prefix, highlight, page },
1753
3155
  ...fetchProps
1754
3156
  });
1755
3157
  return records;
1756
3158
  };
1757
- _getSchema = new WeakSet();
1758
- getSchema_fn = async function(getFetchProps) {
1759
- if (__privateGet$1(this, _schema))
1760
- return __privateGet$1(this, _schema);
3159
+ _getSchemaTables = new WeakSet();
3160
+ getSchemaTables_fn = async function(getFetchProps) {
3161
+ if (__privateGet$1(this, _schemaTables))
3162
+ return __privateGet$1(this, _schemaTables);
1761
3163
  const fetchProps = await getFetchProps();
1762
3164
  const { schema } = await getBranchDetails({
1763
- pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}" },
3165
+ pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", region: "{region}" },
1764
3166
  ...fetchProps
1765
3167
  });
1766
- __privateSet$1(this, _schema, schema);
1767
- return schema;
3168
+ __privateSet$1(this, _schemaTables, schema.tables);
3169
+ return schema.tables;
1768
3170
  };
1769
3171
 
3172
+ class TransactionPlugin extends XataPlugin {
3173
+ build({ getFetchProps }) {
3174
+ return {
3175
+ run: async (operations) => {
3176
+ const fetchProps = await getFetchProps();
3177
+ const response = await branchTransaction({
3178
+ pathParams: { workspace: "{workspaceId}", dbBranchName: "{dbBranch}", region: "{region}" },
3179
+ body: { operations },
3180
+ ...fetchProps
3181
+ });
3182
+ return response;
3183
+ }
3184
+ };
3185
+ }
3186
+ }
3187
+
1770
3188
  const isBranchStrategyBuilder = (strategy) => {
1771
3189
  return typeof strategy === "function";
1772
3190
  };
1773
3191
 
1774
- const envBranchNames = [
1775
- "XATA_BRANCH",
1776
- "VERCEL_GIT_COMMIT_REF",
1777
- "CF_PAGES_BRANCH",
1778
- "BRANCH"
1779
- ];
1780
3192
  async function getCurrentBranchName(options) {
1781
- const env = getBranchByEnvVariable();
1782
- if (env) {
1783
- const details = await getDatabaseBranch(env, options);
1784
- if (details)
1785
- return env;
1786
- console.warn(`Branch ${env} not found in Xata. Ignoring...`);
1787
- }
1788
- const gitBranch = await getGitBranch();
3193
+ const { branch, envBranch } = getEnvironment();
3194
+ if (branch)
3195
+ return branch;
3196
+ const gitBranch = envBranch || await getGitBranch();
1789
3197
  return resolveXataBranch(gitBranch, options);
1790
3198
  }
1791
3199
  async function getCurrentBranchDetails(options) {
@@ -1796,18 +3204,28 @@ async function resolveXataBranch(gitBranch, options) {
1796
3204
  const databaseURL = options?.databaseURL || getDatabaseURL();
1797
3205
  const apiKey = options?.apiKey || getAPIKey();
1798
3206
  if (!databaseURL)
1799
- throw new Error("A databaseURL was not defined. Either set the XATA_DATABASE_URL env variable or pass the argument explicitely");
3207
+ throw new Error(
3208
+ "A databaseURL was not defined. Either set the XATA_DATABASE_URL env variable or pass the argument explicitely"
3209
+ );
1800
3210
  if (!apiKey)
1801
- throw new Error("An API key was not defined. Either set the XATA_API_KEY env variable or pass the argument explicitely");
3211
+ throw new Error(
3212
+ "An API key was not defined. Either set the XATA_API_KEY env variable or pass the argument explicitely"
3213
+ );
1802
3214
  const [protocol, , host, , dbName] = databaseURL.split("/");
1803
- const [workspace] = host.split(".");
3215
+ const urlParts = parseWorkspacesUrlParts(host);
3216
+ if (!urlParts)
3217
+ throw new Error(`Unable to parse workspace and region: ${databaseURL}`);
3218
+ const { workspace, region } = urlParts;
3219
+ const { fallbackBranch } = getEnvironment();
1804
3220
  const { branch } = await resolveBranch({
1805
3221
  apiKey,
1806
3222
  apiUrl: databaseURL,
1807
3223
  fetchImpl: getFetchImplementation(options?.fetchImpl),
1808
3224
  workspacesApiUrl: `${protocol}//${host}`,
1809
- pathParams: { dbName, workspace },
1810
- queryParams: { gitBranch, fallbackBranch: getEnvVariable("XATA_FALLBACK_BRANCH") }
3225
+ pathParams: { dbName, workspace, region },
3226
+ queryParams: { gitBranch, fallbackBranch },
3227
+ trace: defaultTrace,
3228
+ clientName: options?.clientName
1811
3229
  });
1812
3230
  return branch;
1813
3231
  }
@@ -1815,22 +3233,26 @@ async function getDatabaseBranch(branch, options) {
1815
3233
  const databaseURL = options?.databaseURL || getDatabaseURL();
1816
3234
  const apiKey = options?.apiKey || getAPIKey();
1817
3235
  if (!databaseURL)
1818
- throw new Error("A databaseURL was not defined. Either set the XATA_DATABASE_URL env variable or pass the argument explicitely");
3236
+ throw new Error(
3237
+ "A databaseURL was not defined. Either set the XATA_DATABASE_URL env variable or pass the argument explicitely"
3238
+ );
1819
3239
  if (!apiKey)
1820
- throw new Error("An API key was not defined. Either set the XATA_API_KEY env variable or pass the argument explicitely");
3240
+ throw new Error(
3241
+ "An API key was not defined. Either set the XATA_API_KEY env variable or pass the argument explicitely"
3242
+ );
1821
3243
  const [protocol, , host, , database] = databaseURL.split("/");
1822
- const [workspace] = host.split(".");
1823
- const dbBranchName = `${database}:${branch}`;
3244
+ const urlParts = parseWorkspacesUrlParts(host);
3245
+ if (!urlParts)
3246
+ throw new Error(`Unable to parse workspace and region: ${databaseURL}`);
3247
+ const { workspace, region } = urlParts;
1824
3248
  try {
1825
3249
  return await getBranchDetails({
1826
3250
  apiKey,
1827
3251
  apiUrl: databaseURL,
1828
3252
  fetchImpl: getFetchImplementation(options?.fetchImpl),
1829
3253
  workspacesApiUrl: `${protocol}//${host}`,
1830
- pathParams: {
1831
- dbBranchName,
1832
- workspace
1833
- }
3254
+ pathParams: { dbBranchName: `${database}:${branch}`, workspace, region },
3255
+ trace: defaultTrace
1834
3256
  });
1835
3257
  } catch (err) {
1836
3258
  if (isObject(err) && err.status === 404)
@@ -1838,21 +3260,10 @@ async function getDatabaseBranch(branch, options) {
1838
3260
  throw err;
1839
3261
  }
1840
3262
  }
1841
- function getBranchByEnvVariable() {
1842
- for (const name of envBranchNames) {
1843
- const value = getEnvVariable(name);
1844
- if (value) {
1845
- return value;
1846
- }
1847
- }
1848
- try {
1849
- return XATA_BRANCH;
1850
- } catch (err) {
1851
- }
1852
- }
1853
3263
  function getDatabaseURL() {
1854
3264
  try {
1855
- return getEnvVariable("XATA_DATABASE_URL") ?? XATA_DATABASE_URL;
3265
+ const { databaseURL } = getEnvironment();
3266
+ return databaseURL;
1856
3267
  } catch (err) {
1857
3268
  return void 0;
1858
3269
  }
@@ -1881,22 +3292,27 @@ var __privateMethod = (obj, member, method) => {
1881
3292
  return method;
1882
3293
  };
1883
3294
  const buildClient = (plugins) => {
1884
- var _branch, _parseOptions, parseOptions_fn, _getFetchProps, getFetchProps_fn, _evaluateBranch, evaluateBranch_fn, _a;
3295
+ var _branch, _options, _parseOptions, parseOptions_fn, _getFetchProps, getFetchProps_fn, _evaluateBranch, evaluateBranch_fn, _a;
1885
3296
  return _a = class {
1886
- constructor(options = {}, tables) {
3297
+ constructor(options = {}, schemaTables) {
1887
3298
  __privateAdd(this, _parseOptions);
1888
3299
  __privateAdd(this, _getFetchProps);
1889
3300
  __privateAdd(this, _evaluateBranch);
1890
3301
  __privateAdd(this, _branch, void 0);
3302
+ __privateAdd(this, _options, void 0);
1891
3303
  const safeOptions = __privateMethod(this, _parseOptions, parseOptions_fn).call(this, options);
3304
+ __privateSet(this, _options, safeOptions);
1892
3305
  const pluginOptions = {
1893
3306
  getFetchProps: () => __privateMethod(this, _getFetchProps, getFetchProps_fn).call(this, safeOptions),
1894
- cache: safeOptions.cache
3307
+ cache: safeOptions.cache,
3308
+ trace: safeOptions.trace
1895
3309
  };
1896
- const db = new SchemaPlugin(tables).build(pluginOptions);
1897
- const search = new SearchPlugin(db).build(pluginOptions);
3310
+ const db = new SchemaPlugin(schemaTables).build(pluginOptions);
3311
+ const search = new SearchPlugin(db, schemaTables).build(pluginOptions);
3312
+ const transactions = new TransactionPlugin().build(pluginOptions);
1898
3313
  this.db = db;
1899
3314
  this.search = search;
3315
+ this.transactions = transactions;
1900
3316
  for (const [key, namespace] of Object.entries(plugins ?? {})) {
1901
3317
  if (namespace === void 0)
1902
3318
  continue;
@@ -1910,21 +3326,46 @@ const buildClient = (plugins) => {
1910
3326
  }
1911
3327
  }
1912
3328
  }
1913
- }, _branch = new WeakMap(), _parseOptions = new WeakSet(), parseOptions_fn = function(options) {
3329
+ async getConfig() {
3330
+ const databaseURL = __privateGet(this, _options).databaseURL;
3331
+ const branch = await __privateGet(this, _options).branch();
3332
+ return { databaseURL, branch };
3333
+ }
3334
+ }, _branch = new WeakMap(), _options = new WeakMap(), _parseOptions = new WeakSet(), parseOptions_fn = function(options) {
3335
+ const enableBrowser = options?.enableBrowser ?? getEnableBrowserVariable() ?? false;
3336
+ const isBrowser = typeof window !== "undefined" && typeof Deno === "undefined";
3337
+ if (isBrowser && !enableBrowser) {
3338
+ throw new Error(
3339
+ "You are trying to use Xata from the browser, which is potentially a non-secure environment. If you understand the security concerns, such as leaking your credentials, pass `enableBrowser: true` to the client options to remove this error."
3340
+ );
3341
+ }
1914
3342
  const fetch = getFetchImplementation(options?.fetch);
1915
3343
  const databaseURL = options?.databaseURL || getDatabaseURL();
1916
3344
  const apiKey = options?.apiKey || getAPIKey();
1917
- const cache = options?.cache ?? new SimpleCache({ cacheRecords: false, defaultQueryTTL: 0 });
1918
- const branch = async () => options?.branch !== void 0 ? await __privateMethod(this, _evaluateBranch, evaluateBranch_fn).call(this, options.branch) : await getCurrentBranchName({ apiKey, databaseURL, fetchImpl: options?.fetch });
1919
- if (!databaseURL || !apiKey) {
1920
- throw new Error("Options databaseURL and apiKey are required");
3345
+ const cache = options?.cache ?? new SimpleCache({ defaultQueryTTL: 0 });
3346
+ const trace = options?.trace ?? defaultTrace;
3347
+ const clientName = options?.clientName;
3348
+ const branch = async () => options?.branch !== void 0 ? await __privateMethod(this, _evaluateBranch, evaluateBranch_fn).call(this, options.branch) : await getCurrentBranchName({
3349
+ apiKey,
3350
+ databaseURL,
3351
+ fetchImpl: options?.fetch,
3352
+ clientName: options?.clientName
3353
+ });
3354
+ if (!apiKey) {
3355
+ throw new Error("Option apiKey is required");
1921
3356
  }
1922
- return { fetch, databaseURL, apiKey, branch, cache };
3357
+ if (!databaseURL) {
3358
+ throw new Error("Option databaseURL is required");
3359
+ }
3360
+ return { fetch, databaseURL, apiKey, branch, cache, trace, clientID: generateUUID(), enableBrowser, clientName };
1923
3361
  }, _getFetchProps = new WeakSet(), getFetchProps_fn = async function({
1924
3362
  fetch,
1925
3363
  apiKey,
1926
3364
  databaseURL,
1927
- branch
3365
+ branch,
3366
+ trace,
3367
+ clientID,
3368
+ clientName
1928
3369
  }) {
1929
3370
  const branchValue = await __privateMethod(this, _evaluateBranch, evaluateBranch_fn).call(this, branch);
1930
3371
  if (!branchValue)
@@ -1935,9 +3376,12 @@ const buildClient = (plugins) => {
1935
3376
  apiUrl: "",
1936
3377
  workspacesApiUrl: (path, params) => {
1937
3378
  const hasBranch = params.dbBranchName ?? params.branch;
1938
- const newPath = path.replace(/^\/db\/[^/]+/, hasBranch ? `:${branchValue}` : "");
3379
+ const newPath = path.replace(/^\/db\/[^/]+/, hasBranch !== void 0 ? `:${branchValue}` : "");
1939
3380
  return databaseURL + newPath;
1940
- }
3381
+ },
3382
+ trace,
3383
+ clientID,
3384
+ clientName
1941
3385
  };
1942
3386
  }, _evaluateBranch = new WeakSet(), evaluateBranch_fn = async function(param) {
1943
3387
  if (__privateGet(this, _branch))
@@ -1960,6 +3404,88 @@ const buildClient = (plugins) => {
1960
3404
  class BaseClient extends buildClient() {
1961
3405
  }
1962
3406
 
3407
+ const META = "__";
3408
+ const VALUE = "___";
3409
+ class Serializer {
3410
+ constructor() {
3411
+ this.classes = {};
3412
+ }
3413
+ add(clazz) {
3414
+ this.classes[clazz.name] = clazz;
3415
+ }
3416
+ toJSON(data) {
3417
+ function visit(obj) {
3418
+ if (Array.isArray(obj))
3419
+ return obj.map(visit);
3420
+ const type = typeof obj;
3421
+ if (type === "undefined")
3422
+ return { [META]: "undefined" };
3423
+ if (type === "bigint")
3424
+ return { [META]: "bigint", [VALUE]: obj.toString() };
3425
+ if (obj === null || type !== "object")
3426
+ return obj;
3427
+ const constructor = obj.constructor;
3428
+ const o = { [META]: constructor.name };
3429
+ for (const [key, value] of Object.entries(obj)) {
3430
+ o[key] = visit(value);
3431
+ }
3432
+ if (constructor === Date)
3433
+ o[VALUE] = obj.toISOString();
3434
+ if (constructor === Map)
3435
+ o[VALUE] = Object.fromEntries(obj);
3436
+ if (constructor === Set)
3437
+ o[VALUE] = [...obj];
3438
+ return o;
3439
+ }
3440
+ return JSON.stringify(visit(data));
3441
+ }
3442
+ fromJSON(json) {
3443
+ return JSON.parse(json, (key, value) => {
3444
+ if (value && typeof value === "object" && !Array.isArray(value)) {
3445
+ const { [META]: clazz, [VALUE]: val, ...rest } = value;
3446
+ const constructor = this.classes[clazz];
3447
+ if (constructor) {
3448
+ return Object.assign(Object.create(constructor.prototype), rest);
3449
+ }
3450
+ if (clazz === "Date")
3451
+ return new Date(val);
3452
+ if (clazz === "Set")
3453
+ return new Set(val);
3454
+ if (clazz === "Map")
3455
+ return new Map(Object.entries(val));
3456
+ if (clazz === "bigint")
3457
+ return BigInt(val);
3458
+ if (clazz === "undefined")
3459
+ return void 0;
3460
+ return rest;
3461
+ }
3462
+ return value;
3463
+ });
3464
+ }
3465
+ }
3466
+ const defaultSerializer = new Serializer();
3467
+ const serialize = (data) => {
3468
+ return defaultSerializer.toJSON(data);
3469
+ };
3470
+ const deserialize = (json) => {
3471
+ return defaultSerializer.fromJSON(json);
3472
+ };
3473
+
3474
+ function buildWorkerRunner(config) {
3475
+ return function xataWorker(name, worker) {
3476
+ return async (...args) => {
3477
+ const url = process.env.NODE_ENV === "development" ? `http://localhost:64749/${name}` : `https://dispatcher.xata.workers.dev/${config.workspace}/${config.worker}/${name}`;
3478
+ const result = await fetch(url, {
3479
+ method: "POST",
3480
+ headers: { "Content-Type": "application/json" },
3481
+ body: serialize({ args })
3482
+ });
3483
+ const text = await result.text();
3484
+ return deserialize(text);
3485
+ };
3486
+ };
3487
+ }
3488
+
1963
3489
  class XataError extends Error {
1964
3490
  constructor(message, status) {
1965
3491
  super(message);
@@ -1967,5 +3493,5 @@ class XataError extends Error {
1967
3493
  }
1968
3494
  }
1969
3495
 
1970
- export { BaseClient, operationsByTag as Operations, PAGINATION_DEFAULT_OFFSET, PAGINATION_DEFAULT_SIZE, PAGINATION_MAX_OFFSET, PAGINATION_MAX_SIZE, Page, Query, Repository, RestRepository, SchemaPlugin, SearchPlugin, SimpleCache, XataApiClient, XataApiPlugin, XataError, XataPlugin, acceptWorkspaceMemberInvite, addGitBranchesEntry, addTableColumn, buildClient, bulkInsertTableRecords, cancelWorkspaceMemberInvite, contains, createBranch, createDatabase, createTable, createUserAPIKey, createWorkspace, deleteBranch, deleteColumn, deleteDatabase, deleteRecord, deleteTable, deleteUser, deleteUserAPIKey, deleteWorkspace, endsWith, executeBranchMigrationPlan, exists, ge, getAPIKey, getBranchDetails, getBranchList, getBranchMetadata, getBranchMigrationHistory, getBranchMigrationPlan, getBranchStats, getColumn, getCurrentBranchDetails, getCurrentBranchName, getDatabaseList, getDatabaseURL, getGitBranchesMapping, getRecord, getTableColumns, getTableSchema, getUser, getUserAPIKeys, getWorkspace, getWorkspaceMembersList, getWorkspacesList, gt, gte, includes, includesAll, includesAny, includesNone, insertRecord, insertRecordWithID, inviteWorkspaceMember, is, isCursorPaginationOptions, isIdentifiable, isNot, isXataRecord, le, lt, lte, notExists, operationsByTag, pattern, queryTable, removeGitBranchesEntry, removeWorkspaceMember, resendWorkspaceMemberInvite, resolveBranch, searchBranch, searchTable, setTableSchema, startsWith, updateBranchMetadata, updateColumn, updateRecordWithID, updateTable, updateUser, updateWorkspace, updateWorkspaceMemberRole, upsertRecordWithID };
3496
+ export { BaseClient, FetcherError, operationsByTag as Operations, PAGINATION_DEFAULT_OFFSET, PAGINATION_DEFAULT_SIZE, PAGINATION_MAX_OFFSET, PAGINATION_MAX_SIZE, Page, Query, RecordArray, Repository, RestRepository, SchemaPlugin, SearchPlugin, Serializer, SimpleCache, XataApiClient, XataApiPlugin, XataError, XataPlugin, acceptWorkspaceMemberInvite, addGitBranchesEntry, addTableColumn, aggregateTable, applyBranchSchemaEdit, branchTransaction, buildClient, buildWorkerRunner, bulkInsertTableRecords, cancelWorkspaceMemberInvite, compareBranchSchemas, compareBranchWithUserSchema, compareMigrationRequest, contains, createBranch, createDatabase, createMigrationRequest, createTable, createUserAPIKey, createWorkspace, deleteBranch, deleteColumn, deleteDatabase, deleteRecord, deleteTable, deleteUser, deleteUserAPIKey, deleteWorkspace, deserialize, endsWith, equals, executeBranchMigrationPlan, exists, ge, getAPIKey, getBranchDetails, getBranchList, getBranchMetadata, getBranchMigrationHistory, getBranchMigrationPlan, getBranchSchemaHistory, getBranchStats, getColumn, getCurrentBranchDetails, getCurrentBranchName, getDatabaseList, getDatabaseMetadata, getDatabaseURL, getGitBranchesMapping, getHostUrl, getMigrationRequest, getMigrationRequestIsMerged, getRecord, getTableColumns, getTableSchema, getUser, getUserAPIKeys, getWorkspace, getWorkspaceMembersList, getWorkspacesList, greaterEquals, greaterThan, greaterThanEquals, gt, gte, includes, includesAll, includesAny, includesNone, insertRecord, insertRecordWithID, inviteWorkspaceMember, is, isCursorPaginationOptions, isHostProviderAlias, isHostProviderBuilder, isIdentifiable, isNot, isXataRecord, le, lessEquals, lessThan, lessThanEquals, listMigrationRequestsCommits, listRegions, lt, lte, mergeMigrationRequest, notExists, operationsByTag, parseProviderString, parseWorkspacesUrlParts, pattern, previewBranchSchemaEdit, queryMigrationRequests, queryTable, removeGitBranchesEntry, removeWorkspaceMember, resendWorkspaceMemberInvite, resolveBranch, searchBranch, searchTable, serialize, setTableSchema, startsWith, summarizeTable, updateBranchMetadata, updateBranchSchema, updateColumn, updateDatabaseMetadata, updateMigrationRequest, updateRecordWithID, updateTable, updateUser, updateWorkspace, updateWorkspaceMemberInvite, updateWorkspaceMemberRole, upsertRecordWithID };
1971
3497
  //# sourceMappingURL=index.mjs.map