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