Complete Email Sortierer implementation with Appwrite and Stripe integration

This commit is contained in:
2026-01-14 20:02:16 +01:00
commit 95349af50b
3355 changed files with 644802 additions and 0 deletions

12
server/node_modules/node-appwrite/LICENSE generated vendored Normal file
View File

@@ -0,0 +1,12 @@
Copyright (c) 2025 Appwrite (https://appwrite.io) and individual contributors.
All rights reserved.
Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:
1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.
2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.
3. Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.

175
server/node_modules/node-appwrite/README.md generated vendored Normal file
View File

@@ -0,0 +1,175 @@
# Appwrite Node.js SDK
![License](https://img.shields.io/github/license/appwrite/sdk-for-node.svg?style=flat-square)
![Version](https://img.shields.io/badge/api%20version-1.8.0-blue.svg?style=flat-square)
[![Build Status](https://img.shields.io/travis/com/appwrite/sdk-generator?style=flat-square)](https://travis-ci.com/appwrite/sdk-generator)
[![Twitter Account](https://img.shields.io/twitter/follow/appwrite?color=00acee&label=twitter&style=flat-square)](https://twitter.com/appwrite)
[![Discord](https://img.shields.io/discord/564160730845151244?label=discord&style=flat-square)](https://appwrite.io/discord)
**This SDK is compatible with Appwrite server version 1.8.x. For older versions, please check [previous releases](https://github.com/appwrite/sdk-for-node/releases).**
> This is the Node.js SDK for integrating with Appwrite from your Node.js server-side code.
If you're looking to integrate from the browser, you should check [appwrite/sdk-for-web](https://github.com/appwrite/sdk-for-web)
Appwrite is an open-source backend as a service server that abstract and simplify complex and repetitive development tasks behind a very simple to use REST API. Appwrite aims to help you develop your apps faster and in a more secure way. Use the Node.js SDK to integrate your app with the Appwrite server to easily start interacting with all of Appwrite backend APIs and tools. For full API documentation and tutorials go to [https://appwrite.io/docs](https://appwrite.io/docs)
![Appwrite](https://github.com/appwrite/appwrite/raw/main/public/images/github.png)
## Installation
To install via [NPM](https://www.npmjs.com/):
```bash
npm install node-appwrite --save
```
## Getting Started
### Init your SDK
Initialize your SDK with your Appwrite server API endpoint and project ID which can be found in your project settings page and your new API secret Key project API keys section.
```js
const sdk = require('node-appwrite');
let client = new sdk.Client();
client
.setEndpoint('https://[HOSTNAME_OR_IP]/v1') // Your API Endpoint
.setProject('5df5acd0d48c2') // Your project ID
.setKey('919c2d18fb5d4...a2ae413da83346ad2') // Your secret API key
.setSelfSigned() // Use only on dev mode with a self-signed SSL cert
;
```
### Make Your First Request
Once your SDK object is set, create any of the Appwrite service objects and choose any request to send. Full documentation for any service method you would like to use can be found in your SDK documentation or in the [API References](https://appwrite.io/docs) section.
```js
let users = new sdk.Users(client);
let promise = users.create(sdk.ID.unique(), "email@example.com", "+123456789", "password", "Walter O'Brien");
promise.then(function (response) {
console.log(response);
}, function (error) {
console.log(error);
});
```
### Full Example
```js
const sdk = require('node-appwrite');
let client = new sdk.Client();
client
.setEndpoint('https://[HOSTNAME_OR_IP]/v1') // Your API Endpoint
.setProject('5df5acd0d48c2') // Your project ID
.setKey('919c2d18fb5d4...a2ae413da83346ad2') // Your secret API key
.setSelfSigned() // Use only on dev mode with a self-signed SSL cert
;
let users = new sdk.Users(client);
let promise = users.create(sdk.ID.unique(), "email@example.com", "+123456789", "password", "Walter O'Brien");
promise.then(function (response) {
console.log(response);
}, function (error) {
console.log(error);
});
```
### Type Safety with Models
The Appwrite Node SDK provides type safety when working with database documents through generic methods. Methods like `listDocuments`, `getDocument`, and others accept a generic type parameter that allows you to specify your custom model type for full type safety.
**TypeScript:**
```typescript
interface Book {
name: string;
author: string;
releaseYear?: string;
category?: string;
genre?: string[];
isCheckedOut: boolean;
}
const databases = new Databases(client);
try {
const documents = await databases.listDocuments<Book>(
'your-database-id',
'your-collection-id'
);
documents.documents.forEach(book => {
console.log(`Book: ${book.name} by ${book.author}`); // Now you have full type safety
});
} catch (error) {
console.error('Appwrite error:', error);
}
```
**JavaScript (with JSDoc for type hints):**
```javascript
/**
* @typedef {Object} Book
* @property {string} name
* @property {string} author
* @property {string} [releaseYear]
* @property {string} [category]
* @property {string[]} [genre]
* @property {boolean} isCheckedOut
*/
const databases = new Databases(client);
try {
/** @type {Models.DocumentList<Book>} */
const documents = await databases.listDocuments(
'your-database-id',
'your-collection-id'
);
documents.documents.forEach(book => {
console.log(`Book: ${book.name} by ${book.author}`); // Type hints available in IDE
});
} catch (error) {
console.error('Appwrite error:', error);
}
```
**Tip**: You can use the `appwrite types` command to automatically generate TypeScript interfaces based on your Appwrite database schema. Learn more about [type generation](https://appwrite.io/docs/products/databases/type-generation).
### Error Handling
The Appwrite Node SDK raises `AppwriteException` object with `message`, `code` and `response` properties. You can handle any errors by catching `AppwriteException` and present the `message` to the user or handle it yourself based on the provided error information. Below is an example.
```js
let users = new sdk.Users(client);
try {
let res = await users.create(sdk.ID.unique(), "email@example.com", "+123456789", "password", "Walter O'Brien");
} catch(e) {
console.log(e.message);
}
```
### Learn more
You can use the following resources to learn more and get help
- 🚀 [Getting Started Tutorial](https://appwrite.io/docs/getting-started-for-server)
- 📜 [Appwrite Docs](https://appwrite.io/docs)
- 💬 [Discord Community](https://appwrite.io/discord)
- 🚂 [Appwrite Node Playground](https://github.com/appwrite/playground-for-node)
## Contribution
This library is auto-generated by Appwrite custom [SDK Generator](https://github.com/appwrite/sdk-generator). To learn more about how you can help us improve this SDK, please check the [contribution guide](https://github.com/appwrite/sdk-generator/blob/master/CONTRIBUTING.md) before sending a pull-request.
## License
Please see the [BSD-3-Clause license](https://raw.githubusercontent.com/appwrite/appwrite/master/LICENSE) file for more information.

142
server/node_modules/node-appwrite/dist/client.d.mts generated vendored Normal file
View File

@@ -0,0 +1,142 @@
export { Models } from './models.mjs';
export { Query, QueryTypes, QueryTypesList } from './query.mjs';
import './enums/database-type.mjs';
import './enums/attribute-status.mjs';
import './enums/column-status.mjs';
import './enums/index-status.mjs';
import './enums/deployment-status.mjs';
import './enums/execution-trigger.mjs';
import './enums/execution-status.mjs';
import './enums/health-antivirus-status.mjs';
import './enums/health-check-status.mjs';
import './enums/message-status.mjs';
type Payload = {
[key: string]: any;
};
type UploadProgress = {
$id: string;
progress: number;
sizeUploaded: number;
chunksTotal: number;
chunksUploaded: number;
};
type Headers = {
[key: string]: string;
};
declare class AppwriteException extends Error {
code: number;
response: string;
type: string;
constructor(message: string, code?: number, type?: string, response?: string);
}
declare class Client {
static CHUNK_SIZE: number;
config: {
endpoint: string;
selfSigned: boolean;
project: string;
key: string;
jwt: string;
locale: string;
session: string;
forwardeduseragent: string;
};
headers: Headers;
/**
* Set Endpoint
*
* Your project endpoint
*
* @param {string} endpoint
*
* @returns {this}
*/
setEndpoint(endpoint: string): this;
/**
* Set self-signed
*
* @param {boolean} selfSigned
*
* @returns {this}
*/
setSelfSigned(selfSigned: boolean): this;
/**
* Add header
*
* @param {string} header
* @param {string} value
*
* @returns {this}
*/
addHeader(header: string, value: string): this;
/**
* Set Project
*
* Your project ID
*
* @param value string
*
* @return {this}
*/
setProject(value: string): this;
/**
* Set Key
*
* Your secret API key
*
* @param value string
*
* @return {this}
*/
setKey(value: string): this;
/**
* Set JWT
*
* Your secret JSON Web Token
*
* @param value string
*
* @return {this}
*/
setJWT(value: string): this;
/**
* Set Locale
*
* @param value string
*
* @return {this}
*/
setLocale(value: string): this;
/**
* Set Session
*
* The user session to authenticate with
*
* @param value string
*
* @return {this}
*/
setSession(value: string): this;
/**
* Set ForwardedUserAgent
*
* The user agent string of the client that made the request
*
* @param value string
*
* @return {this}
*/
setForwardedUserAgent(value: string): this;
prepareRequest(method: string, url: URL, headers?: Headers, params?: Payload): {
uri: string;
options: RequestInit;
};
chunkedUpload(method: string, url: URL, headers: Headers | undefined, originalPayload: Payload | undefined, onProgress: (progress: UploadProgress) => void): Promise<any>;
ping(): Promise<string>;
redirect(method: string, url: URL, headers?: Headers, params?: Payload): Promise<string>;
call(method: string, url: URL, headers?: Headers, params?: Payload, responseType?: string): Promise<any>;
static flatten(data: Payload, prefix?: string): Payload;
}
export { AppwriteException, Client, Payload, UploadProgress };

142
server/node_modules/node-appwrite/dist/client.d.ts generated vendored Normal file
View File

@@ -0,0 +1,142 @@
export { Models } from './models.js';
export { Query, QueryTypes, QueryTypesList } from './query.js';
import './enums/database-type.js';
import './enums/attribute-status.js';
import './enums/column-status.js';
import './enums/index-status.js';
import './enums/deployment-status.js';
import './enums/execution-trigger.js';
import './enums/execution-status.js';
import './enums/health-antivirus-status.js';
import './enums/health-check-status.js';
import './enums/message-status.js';
type Payload = {
[key: string]: any;
};
type UploadProgress = {
$id: string;
progress: number;
sizeUploaded: number;
chunksTotal: number;
chunksUploaded: number;
};
type Headers = {
[key: string]: string;
};
declare class AppwriteException extends Error {
code: number;
response: string;
type: string;
constructor(message: string, code?: number, type?: string, response?: string);
}
declare class Client {
static CHUNK_SIZE: number;
config: {
endpoint: string;
selfSigned: boolean;
project: string;
key: string;
jwt: string;
locale: string;
session: string;
forwardeduseragent: string;
};
headers: Headers;
/**
* Set Endpoint
*
* Your project endpoint
*
* @param {string} endpoint
*
* @returns {this}
*/
setEndpoint(endpoint: string): this;
/**
* Set self-signed
*
* @param {boolean} selfSigned
*
* @returns {this}
*/
setSelfSigned(selfSigned: boolean): this;
/**
* Add header
*
* @param {string} header
* @param {string} value
*
* @returns {this}
*/
addHeader(header: string, value: string): this;
/**
* Set Project
*
* Your project ID
*
* @param value string
*
* @return {this}
*/
setProject(value: string): this;
/**
* Set Key
*
* Your secret API key
*
* @param value string
*
* @return {this}
*/
setKey(value: string): this;
/**
* Set JWT
*
* Your secret JSON Web Token
*
* @param value string
*
* @return {this}
*/
setJWT(value: string): this;
/**
* Set Locale
*
* @param value string
*
* @return {this}
*/
setLocale(value: string): this;
/**
* Set Session
*
* The user session to authenticate with
*
* @param value string
*
* @return {this}
*/
setSession(value: string): this;
/**
* Set ForwardedUserAgent
*
* The user agent string of the client that made the request
*
* @param value string
*
* @return {this}
*/
setForwardedUserAgent(value: string): this;
prepareRequest(method: string, url: URL, headers?: Headers, params?: Payload): {
uri: string;
options: RequestInit;
};
chunkedUpload(method: string, url: URL, headers: Headers | undefined, originalPayload: Payload | undefined, onProgress: (progress: UploadProgress) => void): Promise<any>;
ping(): Promise<string>;
redirect(method: string, url: URL, headers?: Headers, params?: Payload): Promise<string>;
call(method: string, url: URL, headers?: Headers, params?: Payload, responseType?: string): Promise<any>;
static flatten(data: Payload, prefix?: string): Payload;
}
export { AppwriteException, Client, Payload, UploadProgress };

322
server/node_modules/node-appwrite/dist/client.js generated vendored Normal file
View File

@@ -0,0 +1,322 @@
'use strict';
var nodeFetchNativeWithAgent = require('node-fetch-native-with-agent');
var agent = require('node-fetch-native-with-agent/agent');
var query = require('./query');
class AppwriteException extends Error {
constructor(message, code = 0, type = "", response = "") {
super(message);
this.name = "AppwriteException";
this.message = message;
this.code = code;
this.type = type;
this.response = response;
}
}
function getUserAgent() {
let ua = "AppwriteNodeJSSDK/21.1.0";
const platform = [];
if (typeof process !== "undefined") {
if (typeof process.platform === "string")
platform.push(process.platform);
if (typeof process.arch === "string")
platform.push(process.arch);
}
if (platform.length > 0) {
ua += ` (${platform.join("; ")})`;
}
if (typeof navigator !== "undefined" && typeof navigator.userAgent === "string") {
ua += ` ${navigator.userAgent}`;
} else if (typeof globalThis.EdgeRuntime === "string") {
ua += ` EdgeRuntime`;
} else if (typeof process !== "undefined" && typeof process.version === "string") {
ua += ` Node.js/${process.version}`;
}
return ua;
}
const _Client = class _Client {
constructor() {
this.config = {
endpoint: "https://cloud.appwrite.io/v1",
selfSigned: false,
project: "",
key: "",
jwt: "",
locale: "",
session: "",
forwardeduseragent: ""
};
this.headers = {
"x-sdk-name": "Node.js",
"x-sdk-platform": "server",
"x-sdk-language": "nodejs",
"x-sdk-version": "21.1.0",
"user-agent": getUserAgent(),
"X-Appwrite-Response-Format": "1.8.0"
};
}
/**
* Set Endpoint
*
* Your project endpoint
*
* @param {string} endpoint
*
* @returns {this}
*/
setEndpoint(endpoint) {
if (!endpoint.startsWith("http://") && !endpoint.startsWith("https://")) {
throw new AppwriteException("Invalid endpoint URL: " + endpoint);
}
this.config.endpoint = endpoint;
return this;
}
/**
* Set self-signed
*
* @param {boolean} selfSigned
*
* @returns {this}
*/
setSelfSigned(selfSigned) {
if (typeof globalThis.EdgeRuntime !== "undefined") {
console.warn("setSelfSigned is not supported in edge runtimes.");
}
this.config.selfSigned = selfSigned;
return this;
}
/**
* Add header
*
* @param {string} header
* @param {string} value
*
* @returns {this}
*/
addHeader(header, value) {
this.headers[header.toLowerCase()] = value;
return this;
}
/**
* Set Project
*
* Your project ID
*
* @param value string
*
* @return {this}
*/
setProject(value) {
this.headers["X-Appwrite-Project"] = value;
this.config.project = value;
return this;
}
/**
* Set Key
*
* Your secret API key
*
* @param value string
*
* @return {this}
*/
setKey(value) {
this.headers["X-Appwrite-Key"] = value;
this.config.key = value;
return this;
}
/**
* Set JWT
*
* Your secret JSON Web Token
*
* @param value string
*
* @return {this}
*/
setJWT(value) {
this.headers["X-Appwrite-JWT"] = value;
this.config.jwt = value;
return this;
}
/**
* Set Locale
*
* @param value string
*
* @return {this}
*/
setLocale(value) {
this.headers["X-Appwrite-Locale"] = value;
this.config.locale = value;
return this;
}
/**
* Set Session
*
* The user session to authenticate with
*
* @param value string
*
* @return {this}
*/
setSession(value) {
this.headers["X-Appwrite-Session"] = value;
this.config.session = value;
return this;
}
/**
* Set ForwardedUserAgent
*
* The user agent string of the client that made the request
*
* @param value string
*
* @return {this}
*/
setForwardedUserAgent(value) {
this.headers["X-Forwarded-User-Agent"] = value;
this.config.forwardeduseragent = value;
return this;
}
prepareRequest(method, url, headers = {}, params = {}) {
method = method.toUpperCase();
headers = Object.assign({}, this.headers, headers);
let options = {
method,
headers,
...agent.createAgent(this.config.endpoint, { rejectUnauthorized: !this.config.selfSigned })
};
if (method === "GET") {
for (const [key, value] of Object.entries(_Client.flatten(params))) {
url.searchParams.append(key, value);
}
} else {
switch (headers["content-type"]) {
case "application/json":
options.body = JSON.stringify(params);
break;
case "multipart/form-data":
const formData = new nodeFetchNativeWithAgent.FormData();
for (const [key, value] of Object.entries(params)) {
if (value instanceof nodeFetchNativeWithAgent.File) {
formData.append(key, value, value.name);
} else if (Array.isArray(value)) {
for (const nestedValue of value) {
formData.append(`${key}[]`, nestedValue);
}
} else {
formData.append(key, value);
}
}
options.body = formData;
delete headers["content-type"];
break;
}
}
return { uri: url.toString(), options };
}
async chunkedUpload(method, url, headers = {}, originalPayload = {}, onProgress) {
const [fileParam, file] = Object.entries(originalPayload).find(([_, value]) => value instanceof nodeFetchNativeWithAgent.File) ?? [];
if (!file || !fileParam) {
throw new Error("File not found in payload");
}
if (file.size <= _Client.CHUNK_SIZE) {
return await this.call(method, url, headers, originalPayload);
}
let start = 0;
let response = null;
while (start < file.size) {
let end = start + _Client.CHUNK_SIZE;
if (end >= file.size) {
end = file.size;
}
headers["content-range"] = `bytes ${start}-${end - 1}/${file.size}`;
const chunk = file.slice(start, end);
let payload = { ...originalPayload };
payload[fileParam] = new nodeFetchNativeWithAgent.File([chunk], file.name);
response = await this.call(method, url, headers, payload);
if (onProgress && typeof onProgress === "function") {
onProgress({
$id: response.$id,
progress: Math.round(end / file.size * 100),
sizeUploaded: end,
chunksTotal: Math.ceil(file.size / _Client.CHUNK_SIZE),
chunksUploaded: Math.ceil(end / _Client.CHUNK_SIZE)
});
}
if (response && response.$id) {
headers["x-appwrite-id"] = response.$id;
}
start = end;
}
return response;
}
async ping() {
return this.call("GET", new URL(this.config.endpoint + "/ping"));
}
async redirect(method, url, headers = {}, params = {}) {
const { uri, options } = this.prepareRequest(method, url, headers, params);
const response = await nodeFetchNativeWithAgent.fetch(uri, {
...options,
redirect: "manual"
});
if (response.status !== 301 && response.status !== 302) {
throw new AppwriteException("Invalid redirect", response.status);
}
return response.headers.get("location") || "";
}
async call(method, url, headers = {}, params = {}, responseType = "json") {
var _a, _b;
const { uri, options } = this.prepareRequest(method, url, headers, params);
let data = null;
const response = await nodeFetchNativeWithAgent.fetch(uri, options);
const warnings = response.headers.get("x-appwrite-warning");
if (warnings) {
warnings.split(";").forEach((warning) => console.warn("Warning: " + warning));
}
if ((_a = response.headers.get("content-type")) == null ? void 0 : _a.includes("application/json")) {
data = await response.json();
} else if (responseType === "arrayBuffer") {
data = await response.arrayBuffer();
} else {
data = {
message: await response.text()
};
}
if (400 <= response.status) {
let responseText = "";
if (((_b = response.headers.get("content-type")) == null ? void 0 : _b.includes("application/json")) || responseType === "arrayBuffer") {
responseText = JSON.stringify(data);
} else {
responseText = data == null ? void 0 : data.message;
}
throw new AppwriteException(data == null ? void 0 : data.message, response.status, data == null ? void 0 : data.type, responseText);
}
return data;
}
static flatten(data, prefix = "") {
let output = {};
for (const [key, value] of Object.entries(data)) {
let finalKey = prefix ? prefix + "[" + key + "]" : key;
if (Array.isArray(value)) {
output = { ...output, ..._Client.flatten(value, finalKey) };
} else {
output[finalKey] = value;
}
}
return output;
}
};
_Client.CHUNK_SIZE = 1024 * 1024 * 5;
let Client = _Client;
Object.defineProperty(exports, 'Query', {
enumerable: true,
get: function () { return query.Query; }
});
exports.AppwriteException = AppwriteException;
exports.Client = Client;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=client.js.map

1
server/node_modules/node-appwrite/dist/client.js.map generated vendored Normal file

File diff suppressed because one or more lines are too long

316
server/node_modules/node-appwrite/dist/client.mjs generated vendored Normal file
View File

@@ -0,0 +1,316 @@
import { FormData, File, fetch } from 'node-fetch-native-with-agent';
import { createAgent } from 'node-fetch-native-with-agent/agent';
export { Query } from './query.mjs';
// src/client.ts
var AppwriteException = class extends Error {
constructor(message, code = 0, type = "", response = "") {
super(message);
this.name = "AppwriteException";
this.message = message;
this.code = code;
this.type = type;
this.response = response;
}
};
function getUserAgent() {
let ua = "AppwriteNodeJSSDK/21.1.0";
const platform = [];
if (typeof process !== "undefined") {
if (typeof process.platform === "string")
platform.push(process.platform);
if (typeof process.arch === "string")
platform.push(process.arch);
}
if (platform.length > 0) {
ua += ` (${platform.join("; ")})`;
}
if (typeof navigator !== "undefined" && typeof navigator.userAgent === "string") {
ua += ` ${navigator.userAgent}`;
} else if (typeof globalThis.EdgeRuntime === "string") {
ua += ` EdgeRuntime`;
} else if (typeof process !== "undefined" && typeof process.version === "string") {
ua += ` Node.js/${process.version}`;
}
return ua;
}
var _Client = class _Client {
constructor() {
this.config = {
endpoint: "https://cloud.appwrite.io/v1",
selfSigned: false,
project: "",
key: "",
jwt: "",
locale: "",
session: "",
forwardeduseragent: ""
};
this.headers = {
"x-sdk-name": "Node.js",
"x-sdk-platform": "server",
"x-sdk-language": "nodejs",
"x-sdk-version": "21.1.0",
"user-agent": getUserAgent(),
"X-Appwrite-Response-Format": "1.8.0"
};
}
/**
* Set Endpoint
*
* Your project endpoint
*
* @param {string} endpoint
*
* @returns {this}
*/
setEndpoint(endpoint) {
if (!endpoint.startsWith("http://") && !endpoint.startsWith("https://")) {
throw new AppwriteException("Invalid endpoint URL: " + endpoint);
}
this.config.endpoint = endpoint;
return this;
}
/**
* Set self-signed
*
* @param {boolean} selfSigned
*
* @returns {this}
*/
setSelfSigned(selfSigned) {
if (typeof globalThis.EdgeRuntime !== "undefined") {
console.warn("setSelfSigned is not supported in edge runtimes.");
}
this.config.selfSigned = selfSigned;
return this;
}
/**
* Add header
*
* @param {string} header
* @param {string} value
*
* @returns {this}
*/
addHeader(header, value) {
this.headers[header.toLowerCase()] = value;
return this;
}
/**
* Set Project
*
* Your project ID
*
* @param value string
*
* @return {this}
*/
setProject(value) {
this.headers["X-Appwrite-Project"] = value;
this.config.project = value;
return this;
}
/**
* Set Key
*
* Your secret API key
*
* @param value string
*
* @return {this}
*/
setKey(value) {
this.headers["X-Appwrite-Key"] = value;
this.config.key = value;
return this;
}
/**
* Set JWT
*
* Your secret JSON Web Token
*
* @param value string
*
* @return {this}
*/
setJWT(value) {
this.headers["X-Appwrite-JWT"] = value;
this.config.jwt = value;
return this;
}
/**
* Set Locale
*
* @param value string
*
* @return {this}
*/
setLocale(value) {
this.headers["X-Appwrite-Locale"] = value;
this.config.locale = value;
return this;
}
/**
* Set Session
*
* The user session to authenticate with
*
* @param value string
*
* @return {this}
*/
setSession(value) {
this.headers["X-Appwrite-Session"] = value;
this.config.session = value;
return this;
}
/**
* Set ForwardedUserAgent
*
* The user agent string of the client that made the request
*
* @param value string
*
* @return {this}
*/
setForwardedUserAgent(value) {
this.headers["X-Forwarded-User-Agent"] = value;
this.config.forwardeduseragent = value;
return this;
}
prepareRequest(method, url, headers = {}, params = {}) {
method = method.toUpperCase();
headers = Object.assign({}, this.headers, headers);
let options = {
method,
headers,
...createAgent(this.config.endpoint, { rejectUnauthorized: !this.config.selfSigned })
};
if (method === "GET") {
for (const [key, value] of Object.entries(_Client.flatten(params))) {
url.searchParams.append(key, value);
}
} else {
switch (headers["content-type"]) {
case "application/json":
options.body = JSON.stringify(params);
break;
case "multipart/form-data":
const formData = new FormData();
for (const [key, value] of Object.entries(params)) {
if (value instanceof File) {
formData.append(key, value, value.name);
} else if (Array.isArray(value)) {
for (const nestedValue of value) {
formData.append(`${key}[]`, nestedValue);
}
} else {
formData.append(key, value);
}
}
options.body = formData;
delete headers["content-type"];
break;
}
}
return { uri: url.toString(), options };
}
async chunkedUpload(method, url, headers = {}, originalPayload = {}, onProgress) {
const [fileParam, file] = Object.entries(originalPayload).find(([_, value]) => value instanceof File) ?? [];
if (!file || !fileParam) {
throw new Error("File not found in payload");
}
if (file.size <= _Client.CHUNK_SIZE) {
return await this.call(method, url, headers, originalPayload);
}
let start = 0;
let response = null;
while (start < file.size) {
let end = start + _Client.CHUNK_SIZE;
if (end >= file.size) {
end = file.size;
}
headers["content-range"] = `bytes ${start}-${end - 1}/${file.size}`;
const chunk = file.slice(start, end);
let payload = { ...originalPayload };
payload[fileParam] = new File([chunk], file.name);
response = await this.call(method, url, headers, payload);
if (onProgress && typeof onProgress === "function") {
onProgress({
$id: response.$id,
progress: Math.round(end / file.size * 100),
sizeUploaded: end,
chunksTotal: Math.ceil(file.size / _Client.CHUNK_SIZE),
chunksUploaded: Math.ceil(end / _Client.CHUNK_SIZE)
});
}
if (response && response.$id) {
headers["x-appwrite-id"] = response.$id;
}
start = end;
}
return response;
}
async ping() {
return this.call("GET", new URL(this.config.endpoint + "/ping"));
}
async redirect(method, url, headers = {}, params = {}) {
const { uri, options } = this.prepareRequest(method, url, headers, params);
const response = await fetch(uri, {
...options,
redirect: "manual"
});
if (response.status !== 301 && response.status !== 302) {
throw new AppwriteException("Invalid redirect", response.status);
}
return response.headers.get("location") || "";
}
async call(method, url, headers = {}, params = {}, responseType = "json") {
var _a, _b;
const { uri, options } = this.prepareRequest(method, url, headers, params);
let data = null;
const response = await fetch(uri, options);
const warnings = response.headers.get("x-appwrite-warning");
if (warnings) {
warnings.split(";").forEach((warning) => console.warn("Warning: " + warning));
}
if ((_a = response.headers.get("content-type")) == null ? void 0 : _a.includes("application/json")) {
data = await response.json();
} else if (responseType === "arrayBuffer") {
data = await response.arrayBuffer();
} else {
data = {
message: await response.text()
};
}
if (400 <= response.status) {
let responseText = "";
if (((_b = response.headers.get("content-type")) == null ? void 0 : _b.includes("application/json")) || responseType === "arrayBuffer") {
responseText = JSON.stringify(data);
} else {
responseText = data == null ? void 0 : data.message;
}
throw new AppwriteException(data == null ? void 0 : data.message, response.status, data == null ? void 0 : data.type, responseText);
}
return data;
}
static flatten(data, prefix = "") {
let output = {};
for (const [key, value] of Object.entries(data)) {
let finalKey = prefix ? prefix + "[" + key + "]" : key;
if (Array.isArray(value)) {
output = { ...output, ..._Client.flatten(value, finalKey) };
} else {
output[finalKey] = value;
}
}
return output;
}
};
_Client.CHUNK_SIZE = 1024 * 1024 * 5;
var Client = _Client;
export { AppwriteException, Client };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=client.mjs.map

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,6 @@
declare enum Adapter {
Static = "static",
Ssr = "ssr"
}
export { Adapter };

View File

@@ -0,0 +1,6 @@
declare enum Adapter {
Static = "static",
Ssr = "ssr"
}
export { Adapter };

View File

@@ -0,0 +1,11 @@
'use strict';
var Adapter = /* @__PURE__ */ ((Adapter2) => {
Adapter2["Static"] = "static";
Adapter2["Ssr"] = "ssr";
return Adapter2;
})(Adapter || {});
exports.Adapter = Adapter;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=adapter.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/adapter.ts"],"names":["Adapter"],"mappings":"AAAO,IAAK,UAAL,kBAAKA,aAAL;AACH,EAAAA,SAAA,YAAS;AACT,EAAAA,SAAA,SAAM;AAFE,SAAAA;AAAA,GAAA","sourcesContent":["export enum Adapter {\n Static = 'static',\n Ssr = 'ssr',\n}"]}

View File

@@ -0,0 +1,10 @@
// src/enums/adapter.ts
var Adapter = /* @__PURE__ */ ((Adapter2) => {
Adapter2["Static"] = "static";
Adapter2["Ssr"] = "ssr";
return Adapter2;
})(Adapter || {});
export { Adapter };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=adapter.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/adapter.ts"],"names":["Adapter"],"mappings":";AAAO,IAAK,UAAL,kBAAKA,aAAL;AACH,EAAAA,SAAA,YAAS;AACT,EAAAA,SAAA,SAAM;AAFE,SAAAA;AAAA,GAAA","sourcesContent":["export enum Adapter {\n Static = 'static',\n Ssr = 'ssr',\n}"]}

View File

@@ -0,0 +1,9 @@
declare enum AttributeStatus {
Available = "available",
Processing = "processing",
Deleting = "deleting",
Stuck = "stuck",
Failed = "failed"
}
export { AttributeStatus };

View File

@@ -0,0 +1,9 @@
declare enum AttributeStatus {
Available = "available",
Processing = "processing",
Deleting = "deleting",
Stuck = "stuck",
Failed = "failed"
}
export { AttributeStatus };

View File

@@ -0,0 +1,14 @@
'use strict';
var AttributeStatus = /* @__PURE__ */ ((AttributeStatus2) => {
AttributeStatus2["Available"] = "available";
AttributeStatus2["Processing"] = "processing";
AttributeStatus2["Deleting"] = "deleting";
AttributeStatus2["Stuck"] = "stuck";
AttributeStatus2["Failed"] = "failed";
return AttributeStatus2;
})(AttributeStatus || {});
exports.AttributeStatus = AttributeStatus;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=attribute-status.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/attribute-status.ts"],"names":["AttributeStatus"],"mappings":"AAAO,IAAK,kBAAL,kBAAKA,qBAAL;AACH,EAAAA,iBAAA,eAAY;AACZ,EAAAA,iBAAA,gBAAa;AACb,EAAAA,iBAAA,cAAW;AACX,EAAAA,iBAAA,WAAQ;AACR,EAAAA,iBAAA,YAAS;AALD,SAAAA;AAAA,GAAA","sourcesContent":["export enum AttributeStatus {\n Available = 'available',\n Processing = 'processing',\n Deleting = 'deleting',\n Stuck = 'stuck',\n Failed = 'failed',\n}"]}

View File

@@ -0,0 +1,13 @@
// src/enums/attribute-status.ts
var AttributeStatus = /* @__PURE__ */ ((AttributeStatus2) => {
AttributeStatus2["Available"] = "available";
AttributeStatus2["Processing"] = "processing";
AttributeStatus2["Deleting"] = "deleting";
AttributeStatus2["Stuck"] = "stuck";
AttributeStatus2["Failed"] = "failed";
return AttributeStatus2;
})(AttributeStatus || {});
export { AttributeStatus };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=attribute-status.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/attribute-status.ts"],"names":["AttributeStatus"],"mappings":";AAAO,IAAK,kBAAL,kBAAKA,qBAAL;AACH,EAAAA,iBAAA,eAAY;AACZ,EAAAA,iBAAA,gBAAa;AACb,EAAAA,iBAAA,cAAW;AACX,EAAAA,iBAAA,WAAQ;AACR,EAAAA,iBAAA,YAAS;AALD,SAAAA;AAAA,GAAA","sourcesContent":["export enum AttributeStatus {\n Available = 'available',\n Processing = 'processing',\n Deleting = 'deleting',\n Stuck = 'stuck',\n Failed = 'failed',\n}"]}

View File

@@ -0,0 +1,8 @@
declare enum AuthenticationFactor {
Email = "email",
Phone = "phone",
Totp = "totp",
Recoverycode = "recoverycode"
}
export { AuthenticationFactor };

View File

@@ -0,0 +1,8 @@
declare enum AuthenticationFactor {
Email = "email",
Phone = "phone",
Totp = "totp",
Recoverycode = "recoverycode"
}
export { AuthenticationFactor };

View File

@@ -0,0 +1,13 @@
'use strict';
var AuthenticationFactor = /* @__PURE__ */ ((AuthenticationFactor2) => {
AuthenticationFactor2["Email"] = "email";
AuthenticationFactor2["Phone"] = "phone";
AuthenticationFactor2["Totp"] = "totp";
AuthenticationFactor2["Recoverycode"] = "recoverycode";
return AuthenticationFactor2;
})(AuthenticationFactor || {});
exports.AuthenticationFactor = AuthenticationFactor;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=authentication-factor.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/authentication-factor.ts"],"names":["AuthenticationFactor"],"mappings":"AAAO,IAAK,uBAAL,kBAAKA,0BAAL;AACH,EAAAA,sBAAA,WAAQ;AACR,EAAAA,sBAAA,WAAQ;AACR,EAAAA,sBAAA,UAAO;AACP,EAAAA,sBAAA,kBAAe;AAJP,SAAAA;AAAA,GAAA","sourcesContent":["export enum AuthenticationFactor {\n Email = 'email',\n Phone = 'phone',\n Totp = 'totp',\n Recoverycode = 'recoverycode',\n}"]}

View File

@@ -0,0 +1,12 @@
// src/enums/authentication-factor.ts
var AuthenticationFactor = /* @__PURE__ */ ((AuthenticationFactor2) => {
AuthenticationFactor2["Email"] = "email";
AuthenticationFactor2["Phone"] = "phone";
AuthenticationFactor2["Totp"] = "totp";
AuthenticationFactor2["Recoverycode"] = "recoverycode";
return AuthenticationFactor2;
})(AuthenticationFactor || {});
export { AuthenticationFactor };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=authentication-factor.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/authentication-factor.ts"],"names":["AuthenticationFactor"],"mappings":";AAAO,IAAK,uBAAL,kBAAKA,0BAAL;AACH,EAAAA,sBAAA,WAAQ;AACR,EAAAA,sBAAA,WAAQ;AACR,EAAAA,sBAAA,UAAO;AACP,EAAAA,sBAAA,kBAAe;AAJP,SAAAA;AAAA,GAAA","sourcesContent":["export enum AuthenticationFactor {\n Email = 'email',\n Phone = 'phone',\n Totp = 'totp',\n Recoverycode = 'recoverycode',\n}"]}

View File

@@ -0,0 +1,5 @@
declare enum AuthenticatorType {
Totp = "totp"
}
export { AuthenticatorType };

View File

@@ -0,0 +1,5 @@
declare enum AuthenticatorType {
Totp = "totp"
}
export { AuthenticatorType };

View File

@@ -0,0 +1,10 @@
'use strict';
var AuthenticatorType = /* @__PURE__ */ ((AuthenticatorType2) => {
AuthenticatorType2["Totp"] = "totp";
return AuthenticatorType2;
})(AuthenticatorType || {});
exports.AuthenticatorType = AuthenticatorType;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=authenticator-type.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/authenticator-type.ts"],"names":["AuthenticatorType"],"mappings":"AAAO,IAAK,oBAAL,kBAAKA,uBAAL;AACH,EAAAA,mBAAA,UAAO;AADC,SAAAA;AAAA,GAAA","sourcesContent":["export enum AuthenticatorType {\n Totp = 'totp',\n}"]}

View File

@@ -0,0 +1,9 @@
// src/enums/authenticator-type.ts
var AuthenticatorType = /* @__PURE__ */ ((AuthenticatorType2) => {
AuthenticatorType2["Totp"] = "totp";
return AuthenticatorType2;
})(AuthenticatorType || {});
export { AuthenticatorType };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=authenticator-type.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/authenticator-type.ts"],"names":["AuthenticatorType"],"mappings":";AAAO,IAAK,oBAAL,kBAAKA,uBAAL;AACH,EAAAA,mBAAA,UAAO;AADC,SAAAA;AAAA,GAAA","sourcesContent":["export enum AuthenticatorType {\n Totp = 'totp',\n}"]}

View File

@@ -0,0 +1,18 @@
declare enum Browser {
AvantBrowser = "aa",
AndroidWebViewBeta = "an",
GoogleChrome = "ch",
GoogleChromeIOS = "ci",
GoogleChromeMobile = "cm",
Chromium = "cr",
MozillaFirefox = "ff",
Safari = "sf",
MobileSafari = "mf",
MicrosoftEdge = "ps",
MicrosoftEdgeIOS = "oi",
OperaMini = "om",
Opera = "op",
OperaNext = "on"
}
export { Browser };

View File

@@ -0,0 +1,18 @@
declare enum Browser {
AvantBrowser = "aa",
AndroidWebViewBeta = "an",
GoogleChrome = "ch",
GoogleChromeIOS = "ci",
GoogleChromeMobile = "cm",
Chromium = "cr",
MozillaFirefox = "ff",
Safari = "sf",
MobileSafari = "mf",
MicrosoftEdge = "ps",
MicrosoftEdgeIOS = "oi",
OperaMini = "om",
Opera = "op",
OperaNext = "on"
}
export { Browser };

View File

@@ -0,0 +1,23 @@
'use strict';
var Browser = /* @__PURE__ */ ((Browser2) => {
Browser2["AvantBrowser"] = "aa";
Browser2["AndroidWebViewBeta"] = "an";
Browser2["GoogleChrome"] = "ch";
Browser2["GoogleChromeIOS"] = "ci";
Browser2["GoogleChromeMobile"] = "cm";
Browser2["Chromium"] = "cr";
Browser2["MozillaFirefox"] = "ff";
Browser2["Safari"] = "sf";
Browser2["MobileSafari"] = "mf";
Browser2["MicrosoftEdge"] = "ps";
Browser2["MicrosoftEdgeIOS"] = "oi";
Browser2["OperaMini"] = "om";
Browser2["Opera"] = "op";
Browser2["OperaNext"] = "on";
return Browser2;
})(Browser || {});
exports.Browser = Browser;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=browser.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/browser.ts"],"names":["Browser"],"mappings":"AAAO,IAAK,UAAL,kBAAKA,aAAL;AACH,EAAAA,SAAA,kBAAe;AACf,EAAAA,SAAA,wBAAqB;AACrB,EAAAA,SAAA,kBAAe;AACf,EAAAA,SAAA,qBAAkB;AAClB,EAAAA,SAAA,wBAAqB;AACrB,EAAAA,SAAA,cAAW;AACX,EAAAA,SAAA,oBAAiB;AACjB,EAAAA,SAAA,YAAS;AACT,EAAAA,SAAA,kBAAe;AACf,EAAAA,SAAA,mBAAgB;AAChB,EAAAA,SAAA,sBAAmB;AACnB,EAAAA,SAAA,eAAY;AACZ,EAAAA,SAAA,WAAQ;AACR,EAAAA,SAAA,eAAY;AAdJ,SAAAA;AAAA,GAAA","sourcesContent":["export enum Browser {\n AvantBrowser = 'aa',\n AndroidWebViewBeta = 'an',\n GoogleChrome = 'ch',\n GoogleChromeIOS = 'ci',\n GoogleChromeMobile = 'cm',\n Chromium = 'cr',\n MozillaFirefox = 'ff',\n Safari = 'sf',\n MobileSafari = 'mf',\n MicrosoftEdge = 'ps',\n MicrosoftEdgeIOS = 'oi',\n OperaMini = 'om',\n Opera = 'op',\n OperaNext = 'on',\n}"]}

View File

@@ -0,0 +1,22 @@
// src/enums/browser.ts
var Browser = /* @__PURE__ */ ((Browser2) => {
Browser2["AvantBrowser"] = "aa";
Browser2["AndroidWebViewBeta"] = "an";
Browser2["GoogleChrome"] = "ch";
Browser2["GoogleChromeIOS"] = "ci";
Browser2["GoogleChromeMobile"] = "cm";
Browser2["Chromium"] = "cr";
Browser2["MozillaFirefox"] = "ff";
Browser2["Safari"] = "sf";
Browser2["MobileSafari"] = "mf";
Browser2["MicrosoftEdge"] = "ps";
Browser2["MicrosoftEdgeIOS"] = "oi";
Browser2["OperaMini"] = "om";
Browser2["Opera"] = "op";
Browser2["OperaNext"] = "on";
return Browser2;
})(Browser || {});
export { Browser };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=browser.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/browser.ts"],"names":["Browser"],"mappings":";AAAO,IAAK,UAAL,kBAAKA,aAAL;AACH,EAAAA,SAAA,kBAAe;AACf,EAAAA,SAAA,wBAAqB;AACrB,EAAAA,SAAA,kBAAe;AACf,EAAAA,SAAA,qBAAkB;AAClB,EAAAA,SAAA,wBAAqB;AACrB,EAAAA,SAAA,cAAW;AACX,EAAAA,SAAA,oBAAiB;AACjB,EAAAA,SAAA,YAAS;AACT,EAAAA,SAAA,kBAAe;AACf,EAAAA,SAAA,mBAAgB;AAChB,EAAAA,SAAA,sBAAmB;AACnB,EAAAA,SAAA,eAAY;AACZ,EAAAA,SAAA,WAAQ;AACR,EAAAA,SAAA,eAAY;AAdJ,SAAAA;AAAA,GAAA","sourcesContent":["export enum Browser {\n AvantBrowser = 'aa',\n AndroidWebViewBeta = 'an',\n GoogleChrome = 'ch',\n GoogleChromeIOS = 'ci',\n GoogleChromeMobile = 'cm',\n Chromium = 'cr',\n MozillaFirefox = 'ff',\n Safari = 'sf',\n MobileSafari = 'mf',\n MicrosoftEdge = 'ps',\n MicrosoftEdgeIOS = 'oi',\n OperaMini = 'om',\n Opera = 'op',\n OperaNext = 'on',\n}"]}

View File

@@ -0,0 +1,71 @@
declare enum BuildRuntime {
Node145 = "node-14.5",
Node160 = "node-16.0",
Node180 = "node-18.0",
Node190 = "node-19.0",
Node200 = "node-20.0",
Node210 = "node-21.0",
Node22 = "node-22",
Php80 = "php-8.0",
Php81 = "php-8.1",
Php82 = "php-8.2",
Php83 = "php-8.3",
Ruby30 = "ruby-3.0",
Ruby31 = "ruby-3.1",
Ruby32 = "ruby-3.2",
Ruby33 = "ruby-3.3",
Python38 = "python-3.8",
Python39 = "python-3.9",
Python310 = "python-3.10",
Python311 = "python-3.11",
Python312 = "python-3.12",
Pythonml311 = "python-ml-3.11",
Pythonml312 = "python-ml-3.12",
Deno121 = "deno-1.21",
Deno124 = "deno-1.24",
Deno135 = "deno-1.35",
Deno140 = "deno-1.40",
Deno146 = "deno-1.46",
Deno20 = "deno-2.0",
Dart215 = "dart-2.15",
Dart216 = "dart-2.16",
Dart217 = "dart-2.17",
Dart218 = "dart-2.18",
Dart219 = "dart-2.19",
Dart30 = "dart-3.0",
Dart31 = "dart-3.1",
Dart33 = "dart-3.3",
Dart35 = "dart-3.5",
Dart38 = "dart-3.8",
Dart39 = "dart-3.9",
Dotnet60 = "dotnet-6.0",
Dotnet70 = "dotnet-7.0",
Dotnet80 = "dotnet-8.0",
Java80 = "java-8.0",
Java110 = "java-11.0",
Java170 = "java-17.0",
Java180 = "java-18.0",
Java210 = "java-21.0",
Java22 = "java-22",
Swift55 = "swift-5.5",
Swift58 = "swift-5.8",
Swift59 = "swift-5.9",
Swift510 = "swift-5.10",
Kotlin16 = "kotlin-1.6",
Kotlin18 = "kotlin-1.8",
Kotlin19 = "kotlin-1.9",
Kotlin20 = "kotlin-2.0",
Cpp17 = "cpp-17",
Cpp20 = "cpp-20",
Bun10 = "bun-1.0",
Bun11 = "bun-1.1",
Go123 = "go-1.23",
Static1 = "static-1",
Flutter324 = "flutter-3.24",
Flutter327 = "flutter-3.27",
Flutter329 = "flutter-3.29",
Flutter332 = "flutter-3.32",
Flutter335 = "flutter-3.35"
}
export { BuildRuntime };

View File

@@ -0,0 +1,71 @@
declare enum BuildRuntime {
Node145 = "node-14.5",
Node160 = "node-16.0",
Node180 = "node-18.0",
Node190 = "node-19.0",
Node200 = "node-20.0",
Node210 = "node-21.0",
Node22 = "node-22",
Php80 = "php-8.0",
Php81 = "php-8.1",
Php82 = "php-8.2",
Php83 = "php-8.3",
Ruby30 = "ruby-3.0",
Ruby31 = "ruby-3.1",
Ruby32 = "ruby-3.2",
Ruby33 = "ruby-3.3",
Python38 = "python-3.8",
Python39 = "python-3.9",
Python310 = "python-3.10",
Python311 = "python-3.11",
Python312 = "python-3.12",
Pythonml311 = "python-ml-3.11",
Pythonml312 = "python-ml-3.12",
Deno121 = "deno-1.21",
Deno124 = "deno-1.24",
Deno135 = "deno-1.35",
Deno140 = "deno-1.40",
Deno146 = "deno-1.46",
Deno20 = "deno-2.0",
Dart215 = "dart-2.15",
Dart216 = "dart-2.16",
Dart217 = "dart-2.17",
Dart218 = "dart-2.18",
Dart219 = "dart-2.19",
Dart30 = "dart-3.0",
Dart31 = "dart-3.1",
Dart33 = "dart-3.3",
Dart35 = "dart-3.5",
Dart38 = "dart-3.8",
Dart39 = "dart-3.9",
Dotnet60 = "dotnet-6.0",
Dotnet70 = "dotnet-7.0",
Dotnet80 = "dotnet-8.0",
Java80 = "java-8.0",
Java110 = "java-11.0",
Java170 = "java-17.0",
Java180 = "java-18.0",
Java210 = "java-21.0",
Java22 = "java-22",
Swift55 = "swift-5.5",
Swift58 = "swift-5.8",
Swift59 = "swift-5.9",
Swift510 = "swift-5.10",
Kotlin16 = "kotlin-1.6",
Kotlin18 = "kotlin-1.8",
Kotlin19 = "kotlin-1.9",
Kotlin20 = "kotlin-2.0",
Cpp17 = "cpp-17",
Cpp20 = "cpp-20",
Bun10 = "bun-1.0",
Bun11 = "bun-1.1",
Go123 = "go-1.23",
Static1 = "static-1",
Flutter324 = "flutter-3.24",
Flutter327 = "flutter-3.27",
Flutter329 = "flutter-3.29",
Flutter332 = "flutter-3.32",
Flutter335 = "flutter-3.35"
}
export { BuildRuntime };

View File

@@ -0,0 +1,76 @@
'use strict';
var BuildRuntime = /* @__PURE__ */ ((BuildRuntime2) => {
BuildRuntime2["Node145"] = "node-14.5";
BuildRuntime2["Node160"] = "node-16.0";
BuildRuntime2["Node180"] = "node-18.0";
BuildRuntime2["Node190"] = "node-19.0";
BuildRuntime2["Node200"] = "node-20.0";
BuildRuntime2["Node210"] = "node-21.0";
BuildRuntime2["Node22"] = "node-22";
BuildRuntime2["Php80"] = "php-8.0";
BuildRuntime2["Php81"] = "php-8.1";
BuildRuntime2["Php82"] = "php-8.2";
BuildRuntime2["Php83"] = "php-8.3";
BuildRuntime2["Ruby30"] = "ruby-3.0";
BuildRuntime2["Ruby31"] = "ruby-3.1";
BuildRuntime2["Ruby32"] = "ruby-3.2";
BuildRuntime2["Ruby33"] = "ruby-3.3";
BuildRuntime2["Python38"] = "python-3.8";
BuildRuntime2["Python39"] = "python-3.9";
BuildRuntime2["Python310"] = "python-3.10";
BuildRuntime2["Python311"] = "python-3.11";
BuildRuntime2["Python312"] = "python-3.12";
BuildRuntime2["Pythonml311"] = "python-ml-3.11";
BuildRuntime2["Pythonml312"] = "python-ml-3.12";
BuildRuntime2["Deno121"] = "deno-1.21";
BuildRuntime2["Deno124"] = "deno-1.24";
BuildRuntime2["Deno135"] = "deno-1.35";
BuildRuntime2["Deno140"] = "deno-1.40";
BuildRuntime2["Deno146"] = "deno-1.46";
BuildRuntime2["Deno20"] = "deno-2.0";
BuildRuntime2["Dart215"] = "dart-2.15";
BuildRuntime2["Dart216"] = "dart-2.16";
BuildRuntime2["Dart217"] = "dart-2.17";
BuildRuntime2["Dart218"] = "dart-2.18";
BuildRuntime2["Dart219"] = "dart-2.19";
BuildRuntime2["Dart30"] = "dart-3.0";
BuildRuntime2["Dart31"] = "dart-3.1";
BuildRuntime2["Dart33"] = "dart-3.3";
BuildRuntime2["Dart35"] = "dart-3.5";
BuildRuntime2["Dart38"] = "dart-3.8";
BuildRuntime2["Dart39"] = "dart-3.9";
BuildRuntime2["Dotnet60"] = "dotnet-6.0";
BuildRuntime2["Dotnet70"] = "dotnet-7.0";
BuildRuntime2["Dotnet80"] = "dotnet-8.0";
BuildRuntime2["Java80"] = "java-8.0";
BuildRuntime2["Java110"] = "java-11.0";
BuildRuntime2["Java170"] = "java-17.0";
BuildRuntime2["Java180"] = "java-18.0";
BuildRuntime2["Java210"] = "java-21.0";
BuildRuntime2["Java22"] = "java-22";
BuildRuntime2["Swift55"] = "swift-5.5";
BuildRuntime2["Swift58"] = "swift-5.8";
BuildRuntime2["Swift59"] = "swift-5.9";
BuildRuntime2["Swift510"] = "swift-5.10";
BuildRuntime2["Kotlin16"] = "kotlin-1.6";
BuildRuntime2["Kotlin18"] = "kotlin-1.8";
BuildRuntime2["Kotlin19"] = "kotlin-1.9";
BuildRuntime2["Kotlin20"] = "kotlin-2.0";
BuildRuntime2["Cpp17"] = "cpp-17";
BuildRuntime2["Cpp20"] = "cpp-20";
BuildRuntime2["Bun10"] = "bun-1.0";
BuildRuntime2["Bun11"] = "bun-1.1";
BuildRuntime2["Go123"] = "go-1.23";
BuildRuntime2["Static1"] = "static-1";
BuildRuntime2["Flutter324"] = "flutter-3.24";
BuildRuntime2["Flutter327"] = "flutter-3.27";
BuildRuntime2["Flutter329"] = "flutter-3.29";
BuildRuntime2["Flutter332"] = "flutter-3.32";
BuildRuntime2["Flutter335"] = "flutter-3.35";
return BuildRuntime2;
})(BuildRuntime || {});
exports.BuildRuntime = BuildRuntime;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=build-runtime.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/build-runtime.ts"],"names":["BuildRuntime"],"mappings":"AAAO,IAAK,eAAL,kBAAKA,kBAAL;AACH,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,eAAY;AACZ,EAAAA,cAAA,eAAY;AACZ,EAAAA,cAAA,eAAY;AACZ,EAAAA,cAAA,iBAAc;AACd,EAAAA,cAAA,iBAAc;AACd,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,gBAAa;AAnEL,SAAAA;AAAA,GAAA","sourcesContent":["export enum BuildRuntime {\n Node145 = 'node-14.5',\n Node160 = 'node-16.0',\n Node180 = 'node-18.0',\n Node190 = 'node-19.0',\n Node200 = 'node-20.0',\n Node210 = 'node-21.0',\n Node22 = 'node-22',\n Php80 = 'php-8.0',\n Php81 = 'php-8.1',\n Php82 = 'php-8.2',\n Php83 = 'php-8.3',\n Ruby30 = 'ruby-3.0',\n Ruby31 = 'ruby-3.1',\n Ruby32 = 'ruby-3.2',\n Ruby33 = 'ruby-3.3',\n Python38 = 'python-3.8',\n Python39 = 'python-3.9',\n Python310 = 'python-3.10',\n Python311 = 'python-3.11',\n Python312 = 'python-3.12',\n Pythonml311 = 'python-ml-3.11',\n Pythonml312 = 'python-ml-3.12',\n Deno121 = 'deno-1.21',\n Deno124 = 'deno-1.24',\n Deno135 = 'deno-1.35',\n Deno140 = 'deno-1.40',\n Deno146 = 'deno-1.46',\n Deno20 = 'deno-2.0',\n Dart215 = 'dart-2.15',\n Dart216 = 'dart-2.16',\n Dart217 = 'dart-2.17',\n Dart218 = 'dart-2.18',\n Dart219 = 'dart-2.19',\n Dart30 = 'dart-3.0',\n Dart31 = 'dart-3.1',\n Dart33 = 'dart-3.3',\n Dart35 = 'dart-3.5',\n Dart38 = 'dart-3.8',\n Dart39 = 'dart-3.9',\n Dotnet60 = 'dotnet-6.0',\n Dotnet70 = 'dotnet-7.0',\n Dotnet80 = 'dotnet-8.0',\n Java80 = 'java-8.0',\n Java110 = 'java-11.0',\n Java170 = 'java-17.0',\n Java180 = 'java-18.0',\n Java210 = 'java-21.0',\n Java22 = 'java-22',\n Swift55 = 'swift-5.5',\n Swift58 = 'swift-5.8',\n Swift59 = 'swift-5.9',\n Swift510 = 'swift-5.10',\n Kotlin16 = 'kotlin-1.6',\n Kotlin18 = 'kotlin-1.8',\n Kotlin19 = 'kotlin-1.9',\n Kotlin20 = 'kotlin-2.0',\n Cpp17 = 'cpp-17',\n Cpp20 = 'cpp-20',\n Bun10 = 'bun-1.0',\n Bun11 = 'bun-1.1',\n Go123 = 'go-1.23',\n Static1 = 'static-1',\n Flutter324 = 'flutter-3.24',\n Flutter327 = 'flutter-3.27',\n Flutter329 = 'flutter-3.29',\n Flutter332 = 'flutter-3.32',\n Flutter335 = 'flutter-3.35',\n}"]}

View File

@@ -0,0 +1,75 @@
// src/enums/build-runtime.ts
var BuildRuntime = /* @__PURE__ */ ((BuildRuntime2) => {
BuildRuntime2["Node145"] = "node-14.5";
BuildRuntime2["Node160"] = "node-16.0";
BuildRuntime2["Node180"] = "node-18.0";
BuildRuntime2["Node190"] = "node-19.0";
BuildRuntime2["Node200"] = "node-20.0";
BuildRuntime2["Node210"] = "node-21.0";
BuildRuntime2["Node22"] = "node-22";
BuildRuntime2["Php80"] = "php-8.0";
BuildRuntime2["Php81"] = "php-8.1";
BuildRuntime2["Php82"] = "php-8.2";
BuildRuntime2["Php83"] = "php-8.3";
BuildRuntime2["Ruby30"] = "ruby-3.0";
BuildRuntime2["Ruby31"] = "ruby-3.1";
BuildRuntime2["Ruby32"] = "ruby-3.2";
BuildRuntime2["Ruby33"] = "ruby-3.3";
BuildRuntime2["Python38"] = "python-3.8";
BuildRuntime2["Python39"] = "python-3.9";
BuildRuntime2["Python310"] = "python-3.10";
BuildRuntime2["Python311"] = "python-3.11";
BuildRuntime2["Python312"] = "python-3.12";
BuildRuntime2["Pythonml311"] = "python-ml-3.11";
BuildRuntime2["Pythonml312"] = "python-ml-3.12";
BuildRuntime2["Deno121"] = "deno-1.21";
BuildRuntime2["Deno124"] = "deno-1.24";
BuildRuntime2["Deno135"] = "deno-1.35";
BuildRuntime2["Deno140"] = "deno-1.40";
BuildRuntime2["Deno146"] = "deno-1.46";
BuildRuntime2["Deno20"] = "deno-2.0";
BuildRuntime2["Dart215"] = "dart-2.15";
BuildRuntime2["Dart216"] = "dart-2.16";
BuildRuntime2["Dart217"] = "dart-2.17";
BuildRuntime2["Dart218"] = "dart-2.18";
BuildRuntime2["Dart219"] = "dart-2.19";
BuildRuntime2["Dart30"] = "dart-3.0";
BuildRuntime2["Dart31"] = "dart-3.1";
BuildRuntime2["Dart33"] = "dart-3.3";
BuildRuntime2["Dart35"] = "dart-3.5";
BuildRuntime2["Dart38"] = "dart-3.8";
BuildRuntime2["Dart39"] = "dart-3.9";
BuildRuntime2["Dotnet60"] = "dotnet-6.0";
BuildRuntime2["Dotnet70"] = "dotnet-7.0";
BuildRuntime2["Dotnet80"] = "dotnet-8.0";
BuildRuntime2["Java80"] = "java-8.0";
BuildRuntime2["Java110"] = "java-11.0";
BuildRuntime2["Java170"] = "java-17.0";
BuildRuntime2["Java180"] = "java-18.0";
BuildRuntime2["Java210"] = "java-21.0";
BuildRuntime2["Java22"] = "java-22";
BuildRuntime2["Swift55"] = "swift-5.5";
BuildRuntime2["Swift58"] = "swift-5.8";
BuildRuntime2["Swift59"] = "swift-5.9";
BuildRuntime2["Swift510"] = "swift-5.10";
BuildRuntime2["Kotlin16"] = "kotlin-1.6";
BuildRuntime2["Kotlin18"] = "kotlin-1.8";
BuildRuntime2["Kotlin19"] = "kotlin-1.9";
BuildRuntime2["Kotlin20"] = "kotlin-2.0";
BuildRuntime2["Cpp17"] = "cpp-17";
BuildRuntime2["Cpp20"] = "cpp-20";
BuildRuntime2["Bun10"] = "bun-1.0";
BuildRuntime2["Bun11"] = "bun-1.1";
BuildRuntime2["Go123"] = "go-1.23";
BuildRuntime2["Static1"] = "static-1";
BuildRuntime2["Flutter324"] = "flutter-3.24";
BuildRuntime2["Flutter327"] = "flutter-3.27";
BuildRuntime2["Flutter329"] = "flutter-3.29";
BuildRuntime2["Flutter332"] = "flutter-3.32";
BuildRuntime2["Flutter335"] = "flutter-3.35";
return BuildRuntime2;
})(BuildRuntime || {});
export { BuildRuntime };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=build-runtime.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/build-runtime.ts"],"names":["BuildRuntime"],"mappings":";AAAO,IAAK,eAAL,kBAAKA,kBAAL;AACH,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,eAAY;AACZ,EAAAA,cAAA,eAAY;AACZ,EAAAA,cAAA,eAAY;AACZ,EAAAA,cAAA,iBAAc;AACd,EAAAA,cAAA,iBAAc;AACd,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,aAAU;AACV,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,gBAAa;AAnEL,SAAAA;AAAA,GAAA","sourcesContent":["export enum BuildRuntime {\n Node145 = 'node-14.5',\n Node160 = 'node-16.0',\n Node180 = 'node-18.0',\n Node190 = 'node-19.0',\n Node200 = 'node-20.0',\n Node210 = 'node-21.0',\n Node22 = 'node-22',\n Php80 = 'php-8.0',\n Php81 = 'php-8.1',\n Php82 = 'php-8.2',\n Php83 = 'php-8.3',\n Ruby30 = 'ruby-3.0',\n Ruby31 = 'ruby-3.1',\n Ruby32 = 'ruby-3.2',\n Ruby33 = 'ruby-3.3',\n Python38 = 'python-3.8',\n Python39 = 'python-3.9',\n Python310 = 'python-3.10',\n Python311 = 'python-3.11',\n Python312 = 'python-3.12',\n Pythonml311 = 'python-ml-3.11',\n Pythonml312 = 'python-ml-3.12',\n Deno121 = 'deno-1.21',\n Deno124 = 'deno-1.24',\n Deno135 = 'deno-1.35',\n Deno140 = 'deno-1.40',\n Deno146 = 'deno-1.46',\n Deno20 = 'deno-2.0',\n Dart215 = 'dart-2.15',\n Dart216 = 'dart-2.16',\n Dart217 = 'dart-2.17',\n Dart218 = 'dart-2.18',\n Dart219 = 'dart-2.19',\n Dart30 = 'dart-3.0',\n Dart31 = 'dart-3.1',\n Dart33 = 'dart-3.3',\n Dart35 = 'dart-3.5',\n Dart38 = 'dart-3.8',\n Dart39 = 'dart-3.9',\n Dotnet60 = 'dotnet-6.0',\n Dotnet70 = 'dotnet-7.0',\n Dotnet80 = 'dotnet-8.0',\n Java80 = 'java-8.0',\n Java110 = 'java-11.0',\n Java170 = 'java-17.0',\n Java180 = 'java-18.0',\n Java210 = 'java-21.0',\n Java22 = 'java-22',\n Swift55 = 'swift-5.5',\n Swift58 = 'swift-5.8',\n Swift59 = 'swift-5.9',\n Swift510 = 'swift-5.10',\n Kotlin16 = 'kotlin-1.6',\n Kotlin18 = 'kotlin-1.8',\n Kotlin19 = 'kotlin-1.9',\n Kotlin20 = 'kotlin-2.0',\n Cpp17 = 'cpp-17',\n Cpp20 = 'cpp-20',\n Bun10 = 'bun-1.0',\n Bun11 = 'bun-1.1',\n Go123 = 'go-1.23',\n Static1 = 'static-1',\n Flutter324 = 'flutter-3.24',\n Flutter327 = 'flutter-3.27',\n Flutter329 = 'flutter-3.29',\n Flutter332 = 'flutter-3.32',\n Flutter335 = 'flutter-3.35',\n}"]}

View File

@@ -0,0 +1,9 @@
declare enum ColumnStatus {
Available = "available",
Processing = "processing",
Deleting = "deleting",
Stuck = "stuck",
Failed = "failed"
}
export { ColumnStatus };

View File

@@ -0,0 +1,9 @@
declare enum ColumnStatus {
Available = "available",
Processing = "processing",
Deleting = "deleting",
Stuck = "stuck",
Failed = "failed"
}
export { ColumnStatus };

View File

@@ -0,0 +1,14 @@
'use strict';
var ColumnStatus = /* @__PURE__ */ ((ColumnStatus2) => {
ColumnStatus2["Available"] = "available";
ColumnStatus2["Processing"] = "processing";
ColumnStatus2["Deleting"] = "deleting";
ColumnStatus2["Stuck"] = "stuck";
ColumnStatus2["Failed"] = "failed";
return ColumnStatus2;
})(ColumnStatus || {});
exports.ColumnStatus = ColumnStatus;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=column-status.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/column-status.ts"],"names":["ColumnStatus"],"mappings":"AAAO,IAAK,eAAL,kBAAKA,kBAAL;AACH,EAAAA,cAAA,eAAY;AACZ,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,YAAS;AALD,SAAAA;AAAA,GAAA","sourcesContent":["export enum ColumnStatus {\n Available = 'available',\n Processing = 'processing',\n Deleting = 'deleting',\n Stuck = 'stuck',\n Failed = 'failed',\n}"]}

View File

@@ -0,0 +1,13 @@
// src/enums/column-status.ts
var ColumnStatus = /* @__PURE__ */ ((ColumnStatus2) => {
ColumnStatus2["Available"] = "available";
ColumnStatus2["Processing"] = "processing";
ColumnStatus2["Deleting"] = "deleting";
ColumnStatus2["Stuck"] = "stuck";
ColumnStatus2["Failed"] = "failed";
return ColumnStatus2;
})(ColumnStatus || {});
export { ColumnStatus };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=column-status.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/column-status.ts"],"names":["ColumnStatus"],"mappings":";AAAO,IAAK,eAAL,kBAAKA,kBAAL;AACH,EAAAA,cAAA,eAAY;AACZ,EAAAA,cAAA,gBAAa;AACb,EAAAA,cAAA,cAAW;AACX,EAAAA,cAAA,WAAQ;AACR,EAAAA,cAAA,YAAS;AALD,SAAAA;AAAA,GAAA","sourcesContent":["export enum ColumnStatus {\n Available = 'available',\n Processing = 'processing',\n Deleting = 'deleting',\n Stuck = 'stuck',\n Failed = 'failed',\n}"]}

View File

@@ -0,0 +1,7 @@
declare enum Compression {
None = "none",
Gzip = "gzip",
Zstd = "zstd"
}
export { Compression };

View File

@@ -0,0 +1,7 @@
declare enum Compression {
None = "none",
Gzip = "gzip",
Zstd = "zstd"
}
export { Compression };

View File

@@ -0,0 +1,12 @@
'use strict';
var Compression = /* @__PURE__ */ ((Compression2) => {
Compression2["None"] = "none";
Compression2["Gzip"] = "gzip";
Compression2["Zstd"] = "zstd";
return Compression2;
})(Compression || {});
exports.Compression = Compression;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=compression.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/compression.ts"],"names":["Compression"],"mappings":"AAAO,IAAK,cAAL,kBAAKA,iBAAL;AACH,EAAAA,aAAA,UAAO;AACP,EAAAA,aAAA,UAAO;AACP,EAAAA,aAAA,UAAO;AAHC,SAAAA;AAAA,GAAA","sourcesContent":["export enum Compression {\n None = 'none',\n Gzip = 'gzip',\n Zstd = 'zstd',\n}"]}

View File

@@ -0,0 +1,11 @@
// src/enums/compression.ts
var Compression = /* @__PURE__ */ ((Compression2) => {
Compression2["None"] = "none";
Compression2["Gzip"] = "gzip";
Compression2["Zstd"] = "zstd";
return Compression2;
})(Compression || {});
export { Compression };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=compression.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/compression.ts"],"names":["Compression"],"mappings":";AAAO,IAAK,cAAL,kBAAKA,iBAAL;AACH,EAAAA,aAAA,UAAO;AACP,EAAAA,aAAA,UAAO;AACP,EAAAA,aAAA,UAAO;AAHC,SAAAA;AAAA,GAAA","sourcesContent":["export enum Compression {\n None = 'none',\n Gzip = 'gzip',\n Zstd = 'zstd',\n}"]}

View File

@@ -0,0 +1,21 @@
declare enum CreditCard {
AmericanExpress = "amex",
Argencard = "argencard",
Cabal = "cabal",
Cencosud = "cencosud",
DinersClub = "diners",
Discover = "discover",
Elo = "elo",
Hipercard = "hipercard",
JCB = "jcb",
Mastercard = "mastercard",
Naranja = "naranja",
TarjetaShopping = "targeta-shopping",
UnionPay = "unionpay",
Visa = "visa",
MIR = "mir",
Maestro = "maestro",
Rupay = "rupay"
}
export { CreditCard };

View File

@@ -0,0 +1,21 @@
declare enum CreditCard {
AmericanExpress = "amex",
Argencard = "argencard",
Cabal = "cabal",
Cencosud = "cencosud",
DinersClub = "diners",
Discover = "discover",
Elo = "elo",
Hipercard = "hipercard",
JCB = "jcb",
Mastercard = "mastercard",
Naranja = "naranja",
TarjetaShopping = "targeta-shopping",
UnionPay = "unionpay",
Visa = "visa",
MIR = "mir",
Maestro = "maestro",
Rupay = "rupay"
}
export { CreditCard };

View File

@@ -0,0 +1,26 @@
'use strict';
var CreditCard = /* @__PURE__ */ ((CreditCard2) => {
CreditCard2["AmericanExpress"] = "amex";
CreditCard2["Argencard"] = "argencard";
CreditCard2["Cabal"] = "cabal";
CreditCard2["Cencosud"] = "cencosud";
CreditCard2["DinersClub"] = "diners";
CreditCard2["Discover"] = "discover";
CreditCard2["Elo"] = "elo";
CreditCard2["Hipercard"] = "hipercard";
CreditCard2["JCB"] = "jcb";
CreditCard2["Mastercard"] = "mastercard";
CreditCard2["Naranja"] = "naranja";
CreditCard2["TarjetaShopping"] = "targeta-shopping";
CreditCard2["UnionPay"] = "unionpay";
CreditCard2["Visa"] = "visa";
CreditCard2["MIR"] = "mir";
CreditCard2["Maestro"] = "maestro";
CreditCard2["Rupay"] = "rupay";
return CreditCard2;
})(CreditCard || {});
exports.CreditCard = CreditCard;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=credit-card.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/credit-card.ts"],"names":["CreditCard"],"mappings":"AAAO,IAAK,aAAL,kBAAKA,gBAAL;AACH,EAAAA,YAAA,qBAAkB;AAClB,EAAAA,YAAA,eAAY;AACZ,EAAAA,YAAA,WAAQ;AACR,EAAAA,YAAA,cAAW;AACX,EAAAA,YAAA,gBAAa;AACb,EAAAA,YAAA,cAAW;AACX,EAAAA,YAAA,SAAM;AACN,EAAAA,YAAA,eAAY;AACZ,EAAAA,YAAA,SAAM;AACN,EAAAA,YAAA,gBAAa;AACb,EAAAA,YAAA,aAAU;AACV,EAAAA,YAAA,qBAAkB;AAClB,EAAAA,YAAA,cAAW;AACX,EAAAA,YAAA,UAAO;AACP,EAAAA,YAAA,SAAM;AACN,EAAAA,YAAA,aAAU;AACV,EAAAA,YAAA,WAAQ;AAjBA,SAAAA;AAAA,GAAA","sourcesContent":["export enum CreditCard {\n AmericanExpress = 'amex',\n Argencard = 'argencard',\n Cabal = 'cabal',\n Cencosud = 'cencosud',\n DinersClub = 'diners',\n Discover = 'discover',\n Elo = 'elo',\n Hipercard = 'hipercard',\n JCB = 'jcb',\n Mastercard = 'mastercard',\n Naranja = 'naranja',\n TarjetaShopping = 'targeta-shopping',\n UnionPay = 'unionpay',\n Visa = 'visa',\n MIR = 'mir',\n Maestro = 'maestro',\n Rupay = 'rupay',\n}"]}

View File

@@ -0,0 +1,25 @@
// src/enums/credit-card.ts
var CreditCard = /* @__PURE__ */ ((CreditCard2) => {
CreditCard2["AmericanExpress"] = "amex";
CreditCard2["Argencard"] = "argencard";
CreditCard2["Cabal"] = "cabal";
CreditCard2["Cencosud"] = "cencosud";
CreditCard2["DinersClub"] = "diners";
CreditCard2["Discover"] = "discover";
CreditCard2["Elo"] = "elo";
CreditCard2["Hipercard"] = "hipercard";
CreditCard2["JCB"] = "jcb";
CreditCard2["Mastercard"] = "mastercard";
CreditCard2["Naranja"] = "naranja";
CreditCard2["TarjetaShopping"] = "targeta-shopping";
CreditCard2["UnionPay"] = "unionpay";
CreditCard2["Visa"] = "visa";
CreditCard2["MIR"] = "mir";
CreditCard2["Maestro"] = "maestro";
CreditCard2["Rupay"] = "rupay";
return CreditCard2;
})(CreditCard || {});
export { CreditCard };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=credit-card.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/credit-card.ts"],"names":["CreditCard"],"mappings":";AAAO,IAAK,aAAL,kBAAKA,gBAAL;AACH,EAAAA,YAAA,qBAAkB;AAClB,EAAAA,YAAA,eAAY;AACZ,EAAAA,YAAA,WAAQ;AACR,EAAAA,YAAA,cAAW;AACX,EAAAA,YAAA,gBAAa;AACb,EAAAA,YAAA,cAAW;AACX,EAAAA,YAAA,SAAM;AACN,EAAAA,YAAA,eAAY;AACZ,EAAAA,YAAA,SAAM;AACN,EAAAA,YAAA,gBAAa;AACb,EAAAA,YAAA,aAAU;AACV,EAAAA,YAAA,qBAAkB;AAClB,EAAAA,YAAA,cAAW;AACX,EAAAA,YAAA,UAAO;AACP,EAAAA,YAAA,SAAM;AACN,EAAAA,YAAA,aAAU;AACV,EAAAA,YAAA,WAAQ;AAjBA,SAAAA;AAAA,GAAA","sourcesContent":["export enum CreditCard {\n AmericanExpress = 'amex',\n Argencard = 'argencard',\n Cabal = 'cabal',\n Cencosud = 'cencosud',\n DinersClub = 'diners',\n Discover = 'discover',\n Elo = 'elo',\n Hipercard = 'hipercard',\n JCB = 'jcb',\n Mastercard = 'mastercard',\n Naranja = 'naranja',\n TarjetaShopping = 'targeta-shopping',\n UnionPay = 'unionpay',\n Visa = 'visa',\n MIR = 'mir',\n Maestro = 'maestro',\n Rupay = 'rupay',\n}"]}

View File

@@ -0,0 +1,6 @@
declare enum DatabaseType {
Legacy = "legacy",
Tablesdb = "tablesdb"
}
export { DatabaseType };

View File

@@ -0,0 +1,6 @@
declare enum DatabaseType {
Legacy = "legacy",
Tablesdb = "tablesdb"
}
export { DatabaseType };

View File

@@ -0,0 +1,11 @@
'use strict';
var DatabaseType = /* @__PURE__ */ ((DatabaseType2) => {
DatabaseType2["Legacy"] = "legacy";
DatabaseType2["Tablesdb"] = "tablesdb";
return DatabaseType2;
})(DatabaseType || {});
exports.DatabaseType = DatabaseType;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=database-type.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/database-type.ts"],"names":["DatabaseType"],"mappings":"AAAO,IAAK,eAAL,kBAAKA,kBAAL;AACH,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,cAAW;AAFH,SAAAA;AAAA,GAAA","sourcesContent":["export enum DatabaseType {\n Legacy = 'legacy',\n Tablesdb = 'tablesdb',\n}"]}

View File

@@ -0,0 +1,10 @@
// src/enums/database-type.ts
var DatabaseType = /* @__PURE__ */ ((DatabaseType2) => {
DatabaseType2["Legacy"] = "legacy";
DatabaseType2["Tablesdb"] = "tablesdb";
return DatabaseType2;
})(DatabaseType || {});
export { DatabaseType };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=database-type.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/database-type.ts"],"names":["DatabaseType"],"mappings":";AAAO,IAAK,eAAL,kBAAKA,kBAAL;AACH,EAAAA,cAAA,YAAS;AACT,EAAAA,cAAA,cAAW;AAFH,SAAAA;AAAA,GAAA","sourcesContent":["export enum DatabaseType {\n Legacy = 'legacy',\n Tablesdb = 'tablesdb',\n}"]}

View File

@@ -0,0 +1,6 @@
declare enum DeploymentDownloadType {
Source = "source",
Output = "output"
}
export { DeploymentDownloadType };

View File

@@ -0,0 +1,6 @@
declare enum DeploymentDownloadType {
Source = "source",
Output = "output"
}
export { DeploymentDownloadType };

View File

@@ -0,0 +1,11 @@
'use strict';
var DeploymentDownloadType = /* @__PURE__ */ ((DeploymentDownloadType2) => {
DeploymentDownloadType2["Source"] = "source";
DeploymentDownloadType2["Output"] = "output";
return DeploymentDownloadType2;
})(DeploymentDownloadType || {});
exports.DeploymentDownloadType = DeploymentDownloadType;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=deployment-download-type.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/deployment-download-type.ts"],"names":["DeploymentDownloadType"],"mappings":"AAAO,IAAK,yBAAL,kBAAKA,4BAAL;AACH,EAAAA,wBAAA,YAAS;AACT,EAAAA,wBAAA,YAAS;AAFD,SAAAA;AAAA,GAAA","sourcesContent":["export enum DeploymentDownloadType {\n Source = 'source',\n Output = 'output',\n}"]}

View File

@@ -0,0 +1,10 @@
// src/enums/deployment-download-type.ts
var DeploymentDownloadType = /* @__PURE__ */ ((DeploymentDownloadType2) => {
DeploymentDownloadType2["Source"] = "source";
DeploymentDownloadType2["Output"] = "output";
return DeploymentDownloadType2;
})(DeploymentDownloadType || {});
export { DeploymentDownloadType };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=deployment-download-type.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/deployment-download-type.ts"],"names":["DeploymentDownloadType"],"mappings":";AAAO,IAAK,yBAAL,kBAAKA,4BAAL;AACH,EAAAA,wBAAA,YAAS;AACT,EAAAA,wBAAA,YAAS;AAFD,SAAAA;AAAA,GAAA","sourcesContent":["export enum DeploymentDownloadType {\n Source = 'source',\n Output = 'output',\n}"]}

View File

@@ -0,0 +1,9 @@
declare enum DeploymentStatus {
Waiting = "waiting",
Processing = "processing",
Building = "building",
Ready = "ready",
Failed = "failed"
}
export { DeploymentStatus };

View File

@@ -0,0 +1,9 @@
declare enum DeploymentStatus {
Waiting = "waiting",
Processing = "processing",
Building = "building",
Ready = "ready",
Failed = "failed"
}
export { DeploymentStatus };

View File

@@ -0,0 +1,14 @@
'use strict';
var DeploymentStatus = /* @__PURE__ */ ((DeploymentStatus2) => {
DeploymentStatus2["Waiting"] = "waiting";
DeploymentStatus2["Processing"] = "processing";
DeploymentStatus2["Building"] = "building";
DeploymentStatus2["Ready"] = "ready";
DeploymentStatus2["Failed"] = "failed";
return DeploymentStatus2;
})(DeploymentStatus || {});
exports.DeploymentStatus = DeploymentStatus;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=deployment-status.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/deployment-status.ts"],"names":["DeploymentStatus"],"mappings":"AAAO,IAAK,mBAAL,kBAAKA,sBAAL;AACH,EAAAA,kBAAA,aAAU;AACV,EAAAA,kBAAA,gBAAa;AACb,EAAAA,kBAAA,cAAW;AACX,EAAAA,kBAAA,WAAQ;AACR,EAAAA,kBAAA,YAAS;AALD,SAAAA;AAAA,GAAA","sourcesContent":["export enum DeploymentStatus {\n Waiting = 'waiting',\n Processing = 'processing',\n Building = 'building',\n Ready = 'ready',\n Failed = 'failed',\n}"]}

View File

@@ -0,0 +1,13 @@
// src/enums/deployment-status.ts
var DeploymentStatus = /* @__PURE__ */ ((DeploymentStatus2) => {
DeploymentStatus2["Waiting"] = "waiting";
DeploymentStatus2["Processing"] = "processing";
DeploymentStatus2["Building"] = "building";
DeploymentStatus2["Ready"] = "ready";
DeploymentStatus2["Failed"] = "failed";
return DeploymentStatus2;
})(DeploymentStatus || {});
export { DeploymentStatus };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=deployment-status.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/deployment-status.ts"],"names":["DeploymentStatus"],"mappings":";AAAO,IAAK,mBAAL,kBAAKA,sBAAL;AACH,EAAAA,kBAAA,aAAU;AACV,EAAAA,kBAAA,gBAAa;AACb,EAAAA,kBAAA,cAAW;AACX,EAAAA,kBAAA,WAAQ;AACR,EAAAA,kBAAA,YAAS;AALD,SAAAA;AAAA,GAAA","sourcesContent":["export enum DeploymentStatus {\n Waiting = 'waiting',\n Processing = 'processing',\n Building = 'building',\n Ready = 'ready',\n Failed = 'failed',\n}"]}

View File

@@ -0,0 +1,11 @@
declare enum ExecutionMethod {
GET = "GET",
POST = "POST",
PUT = "PUT",
PATCH = "PATCH",
DELETE = "DELETE",
OPTIONS = "OPTIONS",
HEAD = "HEAD"
}
export { ExecutionMethod };

View File

@@ -0,0 +1,11 @@
declare enum ExecutionMethod {
GET = "GET",
POST = "POST",
PUT = "PUT",
PATCH = "PATCH",
DELETE = "DELETE",
OPTIONS = "OPTIONS",
HEAD = "HEAD"
}
export { ExecutionMethod };

View File

@@ -0,0 +1,16 @@
'use strict';
var ExecutionMethod = /* @__PURE__ */ ((ExecutionMethod2) => {
ExecutionMethod2["GET"] = "GET";
ExecutionMethod2["POST"] = "POST";
ExecutionMethod2["PUT"] = "PUT";
ExecutionMethod2["PATCH"] = "PATCH";
ExecutionMethod2["DELETE"] = "DELETE";
ExecutionMethod2["OPTIONS"] = "OPTIONS";
ExecutionMethod2["HEAD"] = "HEAD";
return ExecutionMethod2;
})(ExecutionMethod || {});
exports.ExecutionMethod = ExecutionMethod;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=execution-method.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/execution-method.ts"],"names":["ExecutionMethod"],"mappings":"AAAO,IAAK,kBAAL,kBAAKA,qBAAL;AACH,EAAAA,iBAAA,SAAM;AACN,EAAAA,iBAAA,UAAO;AACP,EAAAA,iBAAA,SAAM;AACN,EAAAA,iBAAA,WAAQ;AACR,EAAAA,iBAAA,YAAS;AACT,EAAAA,iBAAA,aAAU;AACV,EAAAA,iBAAA,UAAO;AAPC,SAAAA;AAAA,GAAA","sourcesContent":["export enum ExecutionMethod {\n GET = 'GET',\n POST = 'POST',\n PUT = 'PUT',\n PATCH = 'PATCH',\n DELETE = 'DELETE',\n OPTIONS = 'OPTIONS',\n HEAD = 'HEAD',\n}"]}

View File

@@ -0,0 +1,15 @@
// src/enums/execution-method.ts
var ExecutionMethod = /* @__PURE__ */ ((ExecutionMethod2) => {
ExecutionMethod2["GET"] = "GET";
ExecutionMethod2["POST"] = "POST";
ExecutionMethod2["PUT"] = "PUT";
ExecutionMethod2["PATCH"] = "PATCH";
ExecutionMethod2["DELETE"] = "DELETE";
ExecutionMethod2["OPTIONS"] = "OPTIONS";
ExecutionMethod2["HEAD"] = "HEAD";
return ExecutionMethod2;
})(ExecutionMethod || {});
export { ExecutionMethod };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=execution-method.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/execution-method.ts"],"names":["ExecutionMethod"],"mappings":";AAAO,IAAK,kBAAL,kBAAKA,qBAAL;AACH,EAAAA,iBAAA,SAAM;AACN,EAAAA,iBAAA,UAAO;AACP,EAAAA,iBAAA,SAAM;AACN,EAAAA,iBAAA,WAAQ;AACR,EAAAA,iBAAA,YAAS;AACT,EAAAA,iBAAA,aAAU;AACV,EAAAA,iBAAA,UAAO;AAPC,SAAAA;AAAA,GAAA","sourcesContent":["export enum ExecutionMethod {\n GET = 'GET',\n POST = 'POST',\n PUT = 'PUT',\n PATCH = 'PATCH',\n DELETE = 'DELETE',\n OPTIONS = 'OPTIONS',\n HEAD = 'HEAD',\n}"]}

View File

@@ -0,0 +1,9 @@
declare enum ExecutionStatus {
Waiting = "waiting",
Processing = "processing",
Completed = "completed",
Failed = "failed",
Scheduled = "scheduled"
}
export { ExecutionStatus };

View File

@@ -0,0 +1,9 @@
declare enum ExecutionStatus {
Waiting = "waiting",
Processing = "processing",
Completed = "completed",
Failed = "failed",
Scheduled = "scheduled"
}
export { ExecutionStatus };

View File

@@ -0,0 +1,14 @@
'use strict';
var ExecutionStatus = /* @__PURE__ */ ((ExecutionStatus2) => {
ExecutionStatus2["Waiting"] = "waiting";
ExecutionStatus2["Processing"] = "processing";
ExecutionStatus2["Completed"] = "completed";
ExecutionStatus2["Failed"] = "failed";
ExecutionStatus2["Scheduled"] = "scheduled";
return ExecutionStatus2;
})(ExecutionStatus || {});
exports.ExecutionStatus = ExecutionStatus;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=execution-status.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/execution-status.ts"],"names":["ExecutionStatus"],"mappings":"AAAO,IAAK,kBAAL,kBAAKA,qBAAL;AACH,EAAAA,iBAAA,aAAU;AACV,EAAAA,iBAAA,gBAAa;AACb,EAAAA,iBAAA,eAAY;AACZ,EAAAA,iBAAA,YAAS;AACT,EAAAA,iBAAA,eAAY;AALJ,SAAAA;AAAA,GAAA","sourcesContent":["export enum ExecutionStatus {\n Waiting = 'waiting',\n Processing = 'processing',\n Completed = 'completed',\n Failed = 'failed',\n Scheduled = 'scheduled',\n}"]}

View File

@@ -0,0 +1,13 @@
// src/enums/execution-status.ts
var ExecutionStatus = /* @__PURE__ */ ((ExecutionStatus2) => {
ExecutionStatus2["Waiting"] = "waiting";
ExecutionStatus2["Processing"] = "processing";
ExecutionStatus2["Completed"] = "completed";
ExecutionStatus2["Failed"] = "failed";
ExecutionStatus2["Scheduled"] = "scheduled";
return ExecutionStatus2;
})(ExecutionStatus || {});
export { ExecutionStatus };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=execution-status.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/execution-status.ts"],"names":["ExecutionStatus"],"mappings":";AAAO,IAAK,kBAAL,kBAAKA,qBAAL;AACH,EAAAA,iBAAA,aAAU;AACV,EAAAA,iBAAA,gBAAa;AACb,EAAAA,iBAAA,eAAY;AACZ,EAAAA,iBAAA,YAAS;AACT,EAAAA,iBAAA,eAAY;AALJ,SAAAA;AAAA,GAAA","sourcesContent":["export enum ExecutionStatus {\n Waiting = 'waiting',\n Processing = 'processing',\n Completed = 'completed',\n Failed = 'failed',\n Scheduled = 'scheduled',\n}"]}

View File

@@ -0,0 +1,7 @@
declare enum ExecutionTrigger {
Http = "http",
Schedule = "schedule",
Event = "event"
}
export { ExecutionTrigger };

View File

@@ -0,0 +1,7 @@
declare enum ExecutionTrigger {
Http = "http",
Schedule = "schedule",
Event = "event"
}
export { ExecutionTrigger };

View File

@@ -0,0 +1,12 @@
'use strict';
var ExecutionTrigger = /* @__PURE__ */ ((ExecutionTrigger2) => {
ExecutionTrigger2["Http"] = "http";
ExecutionTrigger2["Schedule"] = "schedule";
ExecutionTrigger2["Event"] = "event";
return ExecutionTrigger2;
})(ExecutionTrigger || {});
exports.ExecutionTrigger = ExecutionTrigger;
//# sourceMappingURL=out.js.map
//# sourceMappingURL=execution-trigger.js.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/execution-trigger.ts"],"names":["ExecutionTrigger"],"mappings":"AAAO,IAAK,mBAAL,kBAAKA,sBAAL;AACH,EAAAA,kBAAA,UAAO;AACP,EAAAA,kBAAA,cAAW;AACX,EAAAA,kBAAA,WAAQ;AAHA,SAAAA;AAAA,GAAA","sourcesContent":["export enum ExecutionTrigger {\n Http = 'http',\n Schedule = 'schedule',\n Event = 'event',\n}"]}

View File

@@ -0,0 +1,11 @@
// src/enums/execution-trigger.ts
var ExecutionTrigger = /* @__PURE__ */ ((ExecutionTrigger2) => {
ExecutionTrigger2["Http"] = "http";
ExecutionTrigger2["Schedule"] = "schedule";
ExecutionTrigger2["Event"] = "event";
return ExecutionTrigger2;
})(ExecutionTrigger || {});
export { ExecutionTrigger };
//# sourceMappingURL=out.js.map
//# sourceMappingURL=execution-trigger.mjs.map

View File

@@ -0,0 +1 @@
{"version":3,"sources":["../../src/enums/execution-trigger.ts"],"names":["ExecutionTrigger"],"mappings":";AAAO,IAAK,mBAAL,kBAAKA,sBAAL;AACH,EAAAA,kBAAA,UAAO;AACP,EAAAA,kBAAA,cAAW;AACX,EAAAA,kBAAA,WAAQ;AAHA,SAAAA;AAAA,GAAA","sourcesContent":["export enum ExecutionTrigger {\n Http = 'http',\n Schedule = 'schedule',\n Event = 'event',\n}"]}

199
server/node_modules/node-appwrite/dist/enums/flag.d.mts generated vendored Normal file
View File

@@ -0,0 +1,199 @@
declare enum Flag {
Afghanistan = "af",
Angola = "ao",
Albania = "al",
Andorra = "ad",
UnitedArabEmirates = "ae",
Argentina = "ar",
Armenia = "am",
AntiguaAndBarbuda = "ag",
Australia = "au",
Austria = "at",
Azerbaijan = "az",
Burundi = "bi",
Belgium = "be",
Benin = "bj",
BurkinaFaso = "bf",
Bangladesh = "bd",
Bulgaria = "bg",
Bahrain = "bh",
Bahamas = "bs",
BosniaAndHerzegovina = "ba",
Belarus = "by",
Belize = "bz",
Bolivia = "bo",
Brazil = "br",
Barbados = "bb",
BruneiDarussalam = "bn",
Bhutan = "bt",
Botswana = "bw",
CentralAfricanRepublic = "cf",
Canada = "ca",
Switzerland = "ch",
Chile = "cl",
China = "cn",
CoteDIvoire = "ci",
Cameroon = "cm",
DemocraticRepublicOfTheCongo = "cd",
RepublicOfTheCongo = "cg",
Colombia = "co",
Comoros = "km",
CapeVerde = "cv",
CostaRica = "cr",
Cuba = "cu",
Cyprus = "cy",
CzechRepublic = "cz",
Germany = "de",
Djibouti = "dj",
Dominica = "dm",
Denmark = "dk",
DominicanRepublic = "do",
Algeria = "dz",
Ecuador = "ec",
Egypt = "eg",
Eritrea = "er",
Spain = "es",
Estonia = "ee",
Ethiopia = "et",
Finland = "fi",
Fiji = "fj",
France = "fr",
MicronesiaFederatedStatesOf = "fm",
Gabon = "ga",
UnitedKingdom = "gb",
Georgia = "ge",
Ghana = "gh",
Guinea = "gn",
Gambia = "gm",
GuineaBissau = "gw",
EquatorialGuinea = "gq",
Greece = "gr",
Grenada = "gd",
Guatemala = "gt",
Guyana = "gy",
Honduras = "hn",
Croatia = "hr",
Haiti = "ht",
Hungary = "hu",
Indonesia = "id",
India = "in",
Ireland = "ie",
IranIslamicRepublicOf = "ir",
Iraq = "iq",
Iceland = "is",
Israel = "il",
Italy = "it",
Jamaica = "jm",
Jordan = "jo",
Japan = "jp",
Kazakhstan = "kz",
Kenya = "ke",
Kyrgyzstan = "kg",
Cambodia = "kh",
Kiribati = "ki",
SaintKittsAndNevis = "kn",
SouthKorea = "kr",
Kuwait = "kw",
LaoPeopleSDemocraticRepublic = "la",
Lebanon = "lb",
Liberia = "lr",
Libya = "ly",
SaintLucia = "lc",
Liechtenstein = "li",
SriLanka = "lk",
Lesotho = "ls",
Lithuania = "lt",
Luxembourg = "lu",
Latvia = "lv",
Morocco = "ma",
Monaco = "mc",
Moldova = "md",
Madagascar = "mg",
Maldives = "mv",
Mexico = "mx",
MarshallIslands = "mh",
NorthMacedonia = "mk",
Mali = "ml",
Malta = "mt",
Myanmar = "mm",
Montenegro = "me",
Mongolia = "mn",
Mozambique = "mz",
Mauritania = "mr",
Mauritius = "mu",
Malawi = "mw",
Malaysia = "my",
Namibia = "na",
Niger = "ne",
Nigeria = "ng",
Nicaragua = "ni",
Netherlands = "nl",
Norway = "no",
Nepal = "np",
Nauru = "nr",
NewZealand = "nz",
Oman = "om",
Pakistan = "pk",
Panama = "pa",
Peru = "pe",
Philippines = "ph",
Palau = "pw",
PapuaNewGuinea = "pg",
Poland = "pl",
FrenchPolynesia = "pf",
NorthKorea = "kp",
Portugal = "pt",
Paraguay = "py",
Qatar = "qa",
Romania = "ro",
Russia = "ru",
Rwanda = "rw",
SaudiArabia = "sa",
Sudan = "sd",
Senegal = "sn",
Singapore = "sg",
SolomonIslands = "sb",
SierraLeone = "sl",
ElSalvador = "sv",
SanMarino = "sm",
Somalia = "so",
Serbia = "rs",
SouthSudan = "ss",
SaoTomeAndPrincipe = "st",
Suriname = "sr",
Slovakia = "sk",
Slovenia = "si",
Sweden = "se",
Eswatini = "sz",
Seychelles = "sc",
Syria = "sy",
Chad = "td",
Togo = "tg",
Thailand = "th",
Tajikistan = "tj",
Turkmenistan = "tm",
TimorLeste = "tl",
Tonga = "to",
TrinidadAndTobago = "tt",
Tunisia = "tn",
Turkey = "tr",
Tuvalu = "tv",
Tanzania = "tz",
Uganda = "ug",
Ukraine = "ua",
Uruguay = "uy",
UnitedStates = "us",
Uzbekistan = "uz",
VaticanCity = "va",
SaintVincentAndTheGrenadines = "vc",
Venezuela = "ve",
Vietnam = "vn",
Vanuatu = "vu",
Samoa = "ws",
Yemen = "ye",
SouthAfrica = "za",
Zambia = "zm",
Zimbabwe = "zw"
}
export { Flag };

199
server/node_modules/node-appwrite/dist/enums/flag.d.ts generated vendored Normal file
View File

@@ -0,0 +1,199 @@
declare enum Flag {
Afghanistan = "af",
Angola = "ao",
Albania = "al",
Andorra = "ad",
UnitedArabEmirates = "ae",
Argentina = "ar",
Armenia = "am",
AntiguaAndBarbuda = "ag",
Australia = "au",
Austria = "at",
Azerbaijan = "az",
Burundi = "bi",
Belgium = "be",
Benin = "bj",
BurkinaFaso = "bf",
Bangladesh = "bd",
Bulgaria = "bg",
Bahrain = "bh",
Bahamas = "bs",
BosniaAndHerzegovina = "ba",
Belarus = "by",
Belize = "bz",
Bolivia = "bo",
Brazil = "br",
Barbados = "bb",
BruneiDarussalam = "bn",
Bhutan = "bt",
Botswana = "bw",
CentralAfricanRepublic = "cf",
Canada = "ca",
Switzerland = "ch",
Chile = "cl",
China = "cn",
CoteDIvoire = "ci",
Cameroon = "cm",
DemocraticRepublicOfTheCongo = "cd",
RepublicOfTheCongo = "cg",
Colombia = "co",
Comoros = "km",
CapeVerde = "cv",
CostaRica = "cr",
Cuba = "cu",
Cyprus = "cy",
CzechRepublic = "cz",
Germany = "de",
Djibouti = "dj",
Dominica = "dm",
Denmark = "dk",
DominicanRepublic = "do",
Algeria = "dz",
Ecuador = "ec",
Egypt = "eg",
Eritrea = "er",
Spain = "es",
Estonia = "ee",
Ethiopia = "et",
Finland = "fi",
Fiji = "fj",
France = "fr",
MicronesiaFederatedStatesOf = "fm",
Gabon = "ga",
UnitedKingdom = "gb",
Georgia = "ge",
Ghana = "gh",
Guinea = "gn",
Gambia = "gm",
GuineaBissau = "gw",
EquatorialGuinea = "gq",
Greece = "gr",
Grenada = "gd",
Guatemala = "gt",
Guyana = "gy",
Honduras = "hn",
Croatia = "hr",
Haiti = "ht",
Hungary = "hu",
Indonesia = "id",
India = "in",
Ireland = "ie",
IranIslamicRepublicOf = "ir",
Iraq = "iq",
Iceland = "is",
Israel = "il",
Italy = "it",
Jamaica = "jm",
Jordan = "jo",
Japan = "jp",
Kazakhstan = "kz",
Kenya = "ke",
Kyrgyzstan = "kg",
Cambodia = "kh",
Kiribati = "ki",
SaintKittsAndNevis = "kn",
SouthKorea = "kr",
Kuwait = "kw",
LaoPeopleSDemocraticRepublic = "la",
Lebanon = "lb",
Liberia = "lr",
Libya = "ly",
SaintLucia = "lc",
Liechtenstein = "li",
SriLanka = "lk",
Lesotho = "ls",
Lithuania = "lt",
Luxembourg = "lu",
Latvia = "lv",
Morocco = "ma",
Monaco = "mc",
Moldova = "md",
Madagascar = "mg",
Maldives = "mv",
Mexico = "mx",
MarshallIslands = "mh",
NorthMacedonia = "mk",
Mali = "ml",
Malta = "mt",
Myanmar = "mm",
Montenegro = "me",
Mongolia = "mn",
Mozambique = "mz",
Mauritania = "mr",
Mauritius = "mu",
Malawi = "mw",
Malaysia = "my",
Namibia = "na",
Niger = "ne",
Nigeria = "ng",
Nicaragua = "ni",
Netherlands = "nl",
Norway = "no",
Nepal = "np",
Nauru = "nr",
NewZealand = "nz",
Oman = "om",
Pakistan = "pk",
Panama = "pa",
Peru = "pe",
Philippines = "ph",
Palau = "pw",
PapuaNewGuinea = "pg",
Poland = "pl",
FrenchPolynesia = "pf",
NorthKorea = "kp",
Portugal = "pt",
Paraguay = "py",
Qatar = "qa",
Romania = "ro",
Russia = "ru",
Rwanda = "rw",
SaudiArabia = "sa",
Sudan = "sd",
Senegal = "sn",
Singapore = "sg",
SolomonIslands = "sb",
SierraLeone = "sl",
ElSalvador = "sv",
SanMarino = "sm",
Somalia = "so",
Serbia = "rs",
SouthSudan = "ss",
SaoTomeAndPrincipe = "st",
Suriname = "sr",
Slovakia = "sk",
Slovenia = "si",
Sweden = "se",
Eswatini = "sz",
Seychelles = "sc",
Syria = "sy",
Chad = "td",
Togo = "tg",
Thailand = "th",
Tajikistan = "tj",
Turkmenistan = "tm",
TimorLeste = "tl",
Tonga = "to",
TrinidadAndTobago = "tt",
Tunisia = "tn",
Turkey = "tr",
Tuvalu = "tv",
Tanzania = "tz",
Uganda = "ug",
Ukraine = "ua",
Uruguay = "uy",
UnitedStates = "us",
Uzbekistan = "uz",
VaticanCity = "va",
SaintVincentAndTheGrenadines = "vc",
Venezuela = "ve",
Vietnam = "vn",
Vanuatu = "vu",
Samoa = "ws",
Yemen = "ye",
SouthAfrica = "za",
Zambia = "zm",
Zimbabwe = "zw"
}
export { Flag };

Some files were not shown because too many files have changed in this diff Show More