- Hello! I'm an LLM chat app powered by Cloudflare Workers AI. How can
- I help you today?
-
-
-
-
-
- AI is thinking...
-
-
-
-
-
-
-
-
-
-
-
-
-
+
+
+
+ LLM Chat App
+
+
+
+
+
Cloudflare AI Chat
+
Powered by Cloudflare Workers AI
+
+
+
+
+
+
+ Hello! I'm an LLM chat app powered by Cloudflare Workers AI. How can
+ I help you today?
+
+
+
+
+
+ AI is thinking...
+
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/llm-chat-app-template/src/index.ts b/llm-chat-app-template/src/index.ts
index 8d1b84833..cc8fb912b 100644
--- a/llm-chat-app-template/src/index.ts
+++ b/llm-chat-app-template/src/index.ts
@@ -11,94 +11,89 @@ import { Env, ChatMessage } from "./types";
// Model ID for Workers AI model
// https://developers.cloudflare.com/workers-ai/models/
-const MODEL_ID = "@cf/meta/llama-3.1-8b-instruct-fp8";
+const MODEL_ID = "@cf/meta/llama-3.3-70b-instruct-fp8-fast";
// Default system prompt
const SYSTEM_PROMPT =
- "You are a helpful, friendly assistant. Provide concise and accurate responses.";
+ "You are a helpful, friendly assistant. Provide concise and accurate responses.";
export default {
- /**
- * Main request handler for the Worker
- */
- async fetch(
- request: Request,
- env: Env,
- ctx: ExecutionContext,
- ): Promise {
- const url = new URL(request.url);
+ /**
+ * Main request handler for the Worker
+ */
+ async fetch(
+ request: Request,
+ env: Env,
+ ctx: ExecutionContext,
+ ): Promise {
+ const url = new URL(request.url);
- // Handle static assets (frontend)
- if (url.pathname === "/" || !url.pathname.startsWith("/api/")) {
- return env.ASSETS.fetch(request);
- }
+ // Handle static assets (frontend)
+ if (url.pathname === "/" || !url.pathname.startsWith("/api/")) {
+ return env.ASSETS.fetch(request);
+ }
- // API Routes
- if (url.pathname === "/api/chat") {
- // Handle POST requests for chat
- if (request.method === "POST") {
- return handleChatRequest(request, env);
- }
+ // API Routes
+ if (url.pathname === "/api/chat") {
+ // Handle POST requests for chat
+ if (request.method === "POST") {
+ return handleChatRequest(request, env);
+ }
- // Method not allowed for other request types
- return new Response("Method not allowed", { status: 405 });
- }
+ // Method not allowed for other request types
+ return new Response("Method not allowed", { status: 405 });
+ }
- // Handle 404 for unmatched routes
- return new Response("Not found", { status: 404 });
- },
+ // Handle 404 for unmatched routes
+ return new Response("Not found", { status: 404 });
+ },
} satisfies ExportedHandler;
/**
* Handles chat API requests
*/
async function handleChatRequest(
- request: Request,
- env: Env,
+ request: Request,
+ env: Env,
): Promise {
- try {
- // Parse JSON request body
- const { messages = [] } = (await request.json()) as {
- messages: ChatMessage[];
- };
+ try {
+ // Parse JSON request body
+ const { messages = [] } = (await request.json()) as {
+ messages: ChatMessage[];
+ };
- // Add system prompt if not present
- if (!messages.some((msg) => msg.role === "system")) {
- messages.unshift({ role: "system", content: SYSTEM_PROMPT });
- }
+ // Add system prompt if not present
+ if (!messages.some((msg) => msg.role === "system")) {
+ messages.unshift({ role: "system", content: SYSTEM_PROMPT });
+ }
- const stream = await env.AI.run(
- MODEL_ID,
- {
- messages,
- max_tokens: 1024,
- stream: true,
- },
- {
- // Uncomment to use AI Gateway
- // gateway: {
- // id: "YOUR_GATEWAY_ID", // Replace with your AI Gateway ID
- // skipCache: false, // Set to true to bypass cache
- // cacheTtl: 3600, // Cache time-to-live in seconds
- // },
- },
- );
+ const response = await env.AI.run(
+ MODEL_ID,
+ {
+ messages,
+ max_tokens: 1024,
+ },
+ {
+ returnRawResponse: true,
+ // Uncomment to use AI Gateway
+ // gateway: {
+ // id: "YOUR_GATEWAY_ID", // Replace with your AI Gateway ID
+ // skipCache: false, // Set to true to bypass cache
+ // cacheTtl: 3600, // Cache time-to-live in seconds
+ // },
+ },
+ );
- return new Response(stream, {
- headers: {
- "content-type": "text/event-stream; charset=utf-8",
- "cache-control": "no-cache",
- connection: "keep-alive",
- },
- });
- } catch (error) {
- console.error("Error processing chat request:", error);
- return new Response(
- JSON.stringify({ error: "Failed to process request" }),
- {
- status: 500,
- headers: { "content-type": "application/json" },
- },
- );
- }
+ // Return streaming response
+ return response;
+ } catch (error) {
+ console.error("Error processing chat request:", error);
+ return new Response(
+ JSON.stringify({ error: "Failed to process request" }),
+ {
+ status: 500,
+ headers: { "content-type": "application/json" },
+ },
+ );
+ }
}
diff --git a/llm-chat-app-template/src/types.ts b/llm-chat-app-template/src/types.ts
index 9ca36ac40..f4327c421 100644
--- a/llm-chat-app-template/src/types.ts
+++ b/llm-chat-app-template/src/types.ts
@@ -3,21 +3,21 @@
*/
export interface Env {
- /**
- * Binding for the Workers AI API.
- */
- AI: Ai;
+ /**
+ * Binding for the Workers AI API.
+ */
+ AI: Ai;
- /**
- * Binding for static assets.
- */
- ASSETS: { fetch: (request: Request) => Promise };
+ /**
+ * Binding for static assets.
+ */
+ ASSETS: { fetch: (request: Request) => Promise };
}
/**
* Represents a chat message.
*/
export interface ChatMessage {
- role: "system" | "user" | "assistant";
- content: string;
+ role: "system" | "user" | "assistant";
+ content: string;
}
diff --git a/llm-chat-app-template/tsconfig.json b/llm-chat-app-template/tsconfig.json
index c71d1f06d..10bacdf46 100644
--- a/llm-chat-app-template/tsconfig.json
+++ b/llm-chat-app-template/tsconfig.json
@@ -1,43 +1,43 @@
{
- "compilerOptions": {
- /* Visit https://aka.ms/tsconfig.json to read more about this file */
+ "compilerOptions": {
+ /* Visit https://aka.ms/tsconfig.json to read more about this file */
- /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */
- "target": "es2021",
- /* Specify a set of bundled library declaration files that describe the target runtime environment. */
- "lib": ["es2021"],
- /* Specify what JSX code is generated. */
- "jsx": "react-jsx",
+ /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */
+ "target": "es2021",
+ /* Specify a set of bundled library declaration files that describe the target runtime environment. */
+ "lib": ["es2021"],
+ /* Specify what JSX code is generated. */
+ "jsx": "react-jsx",
- /* Specify what module code is generated. */
- "module": "es2022",
- /* Specify how TypeScript looks up a file from a given module specifier. */
- "moduleResolution": "Bundler",
- /* Enable importing .json files */
- "resolveJsonModule": true,
+ /* Specify what module code is generated. */
+ "module": "es2022",
+ /* Specify how TypeScript looks up a file from a given module specifier. */
+ "moduleResolution": "Bundler",
+ /* Enable importing .json files */
+ "resolveJsonModule": true,
- /* Allow JavaScript files to be a part of your program. Use the `checkJS` option to get errors from these files. */
- "allowJs": true,
- /* Enable error reporting in type-checked JavaScript files. */
- "checkJs": false,
+ /* Allow JavaScript files to be a part of your program. Use the `checkJS` option to get errors from these files. */
+ "allowJs": true,
+ /* Enable error reporting in type-checked JavaScript files. */
+ "checkJs": false,
- /* Disable emitting files from a compilation. */
- "noEmit": true,
+ /* Disable emitting files from a compilation. */
+ "noEmit": true,
- /* Ensure that each file can be safely transpiled without relying on other imports. */
- "isolatedModules": true,
- /* Allow 'import x from y' when a module doesn't have a default export. */
- "allowSyntheticDefaultImports": true,
- /* Ensure that casing is correct in imports. */
- "forceConsistentCasingInFileNames": true,
+ /* Ensure that each file can be safely transpiled without relying on other imports. */
+ "isolatedModules": true,
+ /* Allow 'import x from y' when a module doesn't have a default export. */
+ "allowSyntheticDefaultImports": true,
+ /* Ensure that casing is correct in imports. */
+ "forceConsistentCasingInFileNames": true,
- /* Enable all strict type-checking options. */
- "strict": true,
+ /* Enable all strict type-checking options. */
+ "strict": true,
- /* Skip type checking all .d.ts files. */
- "skipLibCheck": true,
- "types": ["./worker-configuration.d.ts", "node"]
- },
- "exclude": ["test"],
- "include": ["worker-configuration.d.ts", "src/**/*.ts"]
+ /* Skip type checking all .d.ts files. */
+ "skipLibCheck": true,
+ "types": ["./worker-configuration.d.ts", "node"]
+ },
+ "exclude": ["test"],
+ "include": ["worker-configuration.d.ts", "src/**/*.ts"]
}
diff --git a/llm-chat-app-template/worker-configuration.d.ts b/llm-chat-app-template/worker-configuration.d.ts
index cf4fbc44b..bfd7918d8 100644
--- a/llm-chat-app-template/worker-configuration.d.ts
+++ b/llm-chat-app-template/worker-configuration.d.ts
@@ -1,10 +1,7 @@
/* eslint-disable */
-// Generated by Wrangler by running `wrangler types` (hash: a575084721fa3bfee7fd002b32e2b0e6)
-// Runtime types generated with workerd@1.20251217.0 2025-10-08 global_fetch_strictly_public,nodejs_compat
+// Generated by Wrangler by running `wrangler types` (hash: 80249d21cfe83a36e0716221efea2fbf)
+// Runtime types generated with workerd@1.20250617.0 2025-04-01 global_fetch_strictly_public,nodejs_compat
declare namespace Cloudflare {
- interface GlobalProps {
- mainModule: typeof import("./src/index");
- }
interface Env {
AI: Ai;
ASSETS: Fetcher;
@@ -31,26 +28,17 @@ and limitations under the License.
// noinspection JSUnusedGlobalSymbols
declare var onmessage: never;
/**
- * The **`DOMException`** interface represents an abnormal event (called an **exception**) that occurs as a result of calling a method or accessing a property of a web API.
+ * An abnormal event (called an exception) which occurs as a result of calling a method or accessing a property of a web API.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/DOMException)
*/
declare class DOMException extends Error {
constructor(message?: string, name?: string);
- /**
- * The **`message`** read-only property of the a message or description associated with the given error name.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/DOMException/message)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/DOMException/message) */
readonly message: string;
- /**
- * The **`name`** read-only property of the one of the strings associated with an error name.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/DOMException/name)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/DOMException/name) */
readonly name: string;
/**
- * The **`code`** read-only property of the DOMException interface returns one of the legacy error code constants, or `0` if none match.
* @deprecated
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/DOMException/code)
@@ -94,121 +82,45 @@ type WorkerGlobalScopeEventMap = {
declare abstract class WorkerGlobalScope extends EventTarget {
EventTarget: typeof EventTarget;
}
-/* The **`console`** object provides access to the debugging console (e.g., the Web console in Firefox). *
- * The **`console`** object provides access to the debugging console (e.g., the Web console in Firefox).
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console) */
interface Console {
"assert"(condition?: boolean, ...data: any[]): void;
- /**
- * The **`console.clear()`** static method clears the console if possible.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/clear_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/clear_static) */
clear(): void;
- /**
- * The **`console.count()`** static method logs the number of times that this particular call to `count()` has been called.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/count_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/count_static) */
count(label?: string): void;
- /**
- * The **`console.countReset()`** static method resets counter used with console/count_static.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/countReset_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/countReset_static) */
countReset(label?: string): void;
- /**
- * The **`console.debug()`** static method outputs a message to the console at the 'debug' log level.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/debug_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/debug_static) */
debug(...data: any[]): void;
- /**
- * The **`console.dir()`** static method displays a list of the properties of the specified JavaScript object.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/dir_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/dir_static) */
dir(item?: any, options?: any): void;
- /**
- * The **`console.dirxml()`** static method displays an interactive tree of the descendant elements of the specified XML/HTML element.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/dirxml_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/dirxml_static) */
dirxml(...data: any[]): void;
- /**
- * The **`console.error()`** static method outputs a message to the console at the 'error' log level.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/error_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/error_static) */
error(...data: any[]): void;
- /**
- * The **`console.group()`** static method creates a new inline group in the Web console log, causing any subsequent console messages to be indented by an additional level, until console/groupEnd_static is called.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/group_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/group_static) */
group(...data: any[]): void;
- /**
- * The **`console.groupCollapsed()`** static method creates a new inline group in the console.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/groupCollapsed_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/groupCollapsed_static) */
groupCollapsed(...data: any[]): void;
- /**
- * The **`console.groupEnd()`** static method exits the current inline group in the console.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/groupEnd_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/groupEnd_static) */
groupEnd(): void;
- /**
- * The **`console.info()`** static method outputs a message to the console at the 'info' log level.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/info_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/info_static) */
info(...data: any[]): void;
- /**
- * The **`console.log()`** static method outputs a message to the console.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/log_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/log_static) */
log(...data: any[]): void;
- /**
- * The **`console.table()`** static method displays tabular data as a table.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/table_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/table_static) */
table(tabularData?: any, properties?: string[]): void;
- /**
- * The **`console.time()`** static method starts a timer you can use to track how long an operation takes.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/time_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/time_static) */
time(label?: string): void;
- /**
- * The **`console.timeEnd()`** static method stops a timer that was previously started by calling console/time_static.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/timeEnd_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/timeEnd_static) */
timeEnd(label?: string): void;
- /**
- * The **`console.timeLog()`** static method logs the current value of a timer that was previously started by calling console/time_static.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/timeLog_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/timeLog_static) */
timeLog(label?: string, ...data: any[]): void;
timeStamp(label?: string): void;
- /**
- * The **`console.trace()`** static method outputs a stack trace to the console.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/trace_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/trace_static) */
trace(...data: any[]): void;
- /**
- * The **`console.warn()`** static method outputs a warning message to the console at the 'warning' log level.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/warn_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/console/warn_static) */
warn(...data: any[]): void;
}
declare const console: Console;
@@ -282,7 +194,7 @@ declare namespace WebAssembly {
function validate(bytes: BufferSource): boolean;
}
/**
- * The **`ServiceWorkerGlobalScope`** interface of the Service Worker API represents the global execution context of a service worker.
+ * This ServiceWorker API interface represents the global execution context of a service worker.
* Available only in secure contexts.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ServiceWorkerGlobalScope)
@@ -328,8 +240,6 @@ interface ServiceWorkerGlobalScope extends WorkerGlobalScope {
ByteLengthQueuingStrategy: typeof ByteLengthQueuingStrategy;
CountQueuingStrategy: typeof CountQueuingStrategy;
ErrorEvent: typeof ErrorEvent;
- MessageChannel: typeof MessageChannel;
- MessagePort: typeof MessagePort;
EventSource: typeof EventSource;
ReadableStreamBYOBRequest: typeof ReadableStreamBYOBRequest;
ReadableStreamDefaultController: typeof ReadableStreamDefaultController;
@@ -371,7 +281,7 @@ interface ServiceWorkerGlobalScope extends WorkerGlobalScope {
declare function addEventListener(type: Type, handler: EventListenerOrEventListenerObject, options?: EventTargetAddEventListenerOptions | boolean): void;
declare function removeEventListener(type: Type, handler: EventListenerOrEventListenerObject, options?: EventTargetEventListenerOptions | boolean): void;
/**
- * The **`dispatchEvent()`** method of the EventTarget sends an Event to the object, (synchronously) invoking the affected event listeners in the appropriate order.
+ * Dispatches a synthetic event event to target and returns true if either event's cancelable attribute value is false or its preventDefault() method was not invoked, and false otherwise.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventTarget/dispatchEvent)
*/
@@ -429,15 +339,15 @@ declare const origin: string;
declare const navigator: Navigator;
interface TestController {
}
-interface ExecutionContext {
+interface ExecutionContext {
waitUntil(promise: Promise): void;
passThroughOnException(): void;
- readonly props: Props;
+ props: any;
}
type ExportedHandlerFetchHandler = (request: Request>, env: Env, ctx: ExecutionContext) => Response | Promise;
type ExportedHandlerTailHandler = (events: TraceItem[], env: Env, ctx: ExecutionContext) => void | Promise;
type ExportedHandlerTraceHandler = (traces: TraceItem[], env: Env, ctx: ExecutionContext) => void | Promise;
-type ExportedHandlerTailStreamHandler = (event: TailStream.TailEvent, env: Env, ctx: ExecutionContext) => TailStream.TailEventHandlerType | Promise;
+type ExportedHandlerTailStreamHandler = (event: TailStream.TailEvent, env: Env, ctx: ExecutionContext) => TailStream.TailEventHandlerType | Promise;
type ExportedHandlerScheduledHandler = (controller: ScheduledController, env: Env, ctx: ExecutionContext) => void | Promise;
type ExportedHandlerQueueHandler = (batch: MessageBatch, env: Env, ctx: ExecutionContext) => void | Promise;
type ExportedHandlerTestHandler = (controller: TestController, env: Env, ctx: ExecutionContext) => void | Promise;
@@ -454,12 +364,29 @@ interface ExportedHandler;
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/PromiseRejectionEvent/reason) */
+ readonly reason: any;
+}
declare abstract class Navigator {
- sendBeacon(url: string, body?: BodyInit): boolean;
+ sendBeacon(url: string, body?: (ReadableStream | string | (ArrayBuffer | ArrayBufferView) | Blob | FormData | URLSearchParams | URLSearchParams)): boolean;
readonly userAgent: string;
readonly hardwareConcurrency: number;
- readonly language: string;
- readonly languages: string[];
+}
+/**
+* The Workers runtime supports a subset of the Performance API, used to measure timing and performance,
+* as well as timing of subrequests and other operations.
+*
+* [Cloudflare Docs Reference](https://developers.cloudflare.com/workers/runtime-apis/performance/)
+*/
+interface Performance {
+ /* [Cloudflare Docs Reference](https://developers.cloudflare.com/workers/runtime-apis/performance/#performancetimeorigin) */
+ readonly timeOrigin: number;
+ /* [Cloudflare Docs Reference](https://developers.cloudflare.com/workers/runtime-apis/performance/#performancenow) */
+ now(): number;
}
interface AlarmInvocationInfo {
readonly isRetry: boolean;
@@ -484,12 +411,11 @@ interface DurableObjectId {
equals(other: DurableObjectId): boolean;
readonly name?: string;
}
-declare abstract class DurableObjectNamespace {
+interface DurableObjectNamespace {
newUniqueId(options?: DurableObjectNamespaceNewUniqueIdOptions): DurableObjectId;
idFromName(name: string): DurableObjectId;
idFromString(id: string): DurableObjectId;
get(id: DurableObjectId, options?: DurableObjectNamespaceGetDurableObjectOptions): DurableObjectStub;
- getByName(name: string, options?: DurableObjectNamespaceGetDurableObjectOptions): DurableObjectStub;
jurisdiction(jurisdiction: DurableObjectJurisdiction): DurableObjectNamespace;
}
type DurableObjectJurisdiction = "eu" | "fedramp" | "fedramp-high";
@@ -500,11 +426,8 @@ type DurableObjectLocationHint = "wnam" | "enam" | "sam" | "weur" | "eeur" | "ap
interface DurableObjectNamespaceGetDurableObjectOptions {
locationHint?: DurableObjectLocationHint;
}
-interface DurableObjectClass<_T extends Rpc.DurableObjectBranded | undefined = undefined> {
-}
-interface DurableObjectState {
+interface DurableObjectState {
waitUntil(promise: Promise): void;
- readonly props: Props;
readonly id: DurableObjectId;
readonly storage: DurableObjectStorage;
container?: Container;
@@ -547,7 +470,6 @@ interface DurableObjectStorage {
deleteAlarm(options?: DurableObjectSetAlarmOptions): Promise;
sync(): Promise;
sql: SqlStorage;
- kv: SyncKvStorage;
transactionSync(closure: () => T): T;
getCurrentBookmark(): Promise;
getBookmarkForTime(timestamp: number | Date): Promise;
@@ -593,120 +515,116 @@ interface AnalyticsEngineDataPoint {
blobs?: ((ArrayBuffer | string) | null)[];
}
/**
- * The **`Event`** interface represents an event which takes place on an `EventTarget`.
+ * An event which takes place in the DOM.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event)
*/
declare class Event {
constructor(type: string, init?: EventInit);
/**
- * The **`type`** read-only property of the Event interface returns a string containing the event's type.
+ * Returns the type of event, e.g. "click", "hashchange", or "submit".
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/type)
*/
get type(): string;
/**
- * The **`eventPhase`** read-only property of the being evaluated.
+ * Returns the event's phase, which is one of NONE, CAPTURING_PHASE, AT_TARGET, and BUBBLING_PHASE.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/eventPhase)
*/
get eventPhase(): number;
/**
- * The read-only **`composed`** property of the or not the event will propagate across the shadow DOM boundary into the standard DOM.
+ * Returns true or false depending on how event was initialized. True if event invokes listeners past a ShadowRoot node that is the root of its target, and false otherwise.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/composed)
*/
get composed(): boolean;
/**
- * The **`bubbles`** read-only property of the Event interface indicates whether the event bubbles up through the DOM tree or not.
+ * Returns true or false depending on how event was initialized. True if event goes through its target's ancestors in reverse tree order, and false otherwise.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/bubbles)
*/
get bubbles(): boolean;
/**
- * The **`cancelable`** read-only property of the Event interface indicates whether the event can be canceled, and therefore prevented as if the event never happened.
+ * Returns true or false depending on how event was initialized. Its return value does not always carry meaning, but true can indicate that part of the operation during which event was dispatched, can be canceled by invoking the preventDefault() method.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/cancelable)
*/
get cancelable(): boolean;
/**
- * The **`defaultPrevented`** read-only property of the Event interface returns a boolean value indicating whether or not the call to Event.preventDefault() canceled the event.
+ * Returns true if preventDefault() was invoked successfully to indicate cancelation, and false otherwise.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/defaultPrevented)
*/
get defaultPrevented(): boolean;
/**
- * The Event property **`returnValue`** indicates whether the default action for this event has been prevented or not.
* @deprecated
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/returnValue)
*/
get returnValue(): boolean;
/**
- * The **`currentTarget`** read-only property of the Event interface identifies the element to which the event handler has been attached.
+ * Returns the object whose event listener's callback is currently being invoked.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/currentTarget)
*/
get currentTarget(): EventTarget | undefined;
/**
- * The read-only **`target`** property of the dispatched.
+ * Returns the object to which event is dispatched (its target).
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/target)
*/
get target(): EventTarget | undefined;
/**
- * The deprecated **`Event.srcElement`** is an alias for the Event.target property.
* @deprecated
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/srcElement)
*/
get srcElement(): EventTarget | undefined;
/**
- * The **`timeStamp`** read-only property of the Event interface returns the time (in milliseconds) at which the event was created.
+ * Returns the event's timestamp as the number of milliseconds measured relative to the time origin.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/timeStamp)
*/
get timeStamp(): number;
/**
- * The **`isTrusted`** read-only property of the when the event was generated by the user agent (including via user actions and programmatic methods such as HTMLElement.focus()), and `false` when the event was dispatched via The only exception is the `click` event, which initializes the `isTrusted` property to `false` in user agents.
+ * Returns true if event was dispatched by the user agent, and false otherwise.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/isTrusted)
*/
get isTrusted(): boolean;
/**
- * The **`cancelBubble`** property of the Event interface is deprecated.
* @deprecated
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/cancelBubble)
*/
get cancelBubble(): boolean;
/**
- * The **`cancelBubble`** property of the Event interface is deprecated.
* @deprecated
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/cancelBubble)
*/
set cancelBubble(value: boolean);
/**
- * The **`stopImmediatePropagation()`** method of the If several listeners are attached to the same element for the same event type, they are called in the order in which they were added.
+ * Invoking this method prevents event from reaching any registered event listeners after the current one finishes running and, when dispatched in a tree, also prevents event from reaching any other objects.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/stopImmediatePropagation)
*/
stopImmediatePropagation(): void;
/**
- * The **`preventDefault()`** method of the Event interface tells the user agent that if the event does not get explicitly handled, its default action should not be taken as it normally would be.
+ * If invoked when the cancelable attribute value is true, and while executing a listener for the event with passive set to false, signals to the operation that caused event to be dispatched that it needs to be canceled.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/preventDefault)
*/
preventDefault(): void;
/**
- * The **`stopPropagation()`** method of the Event interface prevents further propagation of the current event in the capturing and bubbling phases.
+ * When dispatched in a tree, invoking this method prevents event from reaching any objects other than the current object.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/stopPropagation)
*/
stopPropagation(): void;
/**
- * The **`composedPath()`** method of the Event interface returns the event's path which is an array of the objects on which listeners will be invoked.
+ * Returns the invocation target objects of event's path (objects on which listeners will be invoked), except for any nodes in shadow trees of which the shadow root's mode is "closed" that are not reachable from event's currentTarget.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Event/composedPath)
*/
@@ -727,26 +645,38 @@ interface EventListenerObject {
}
type EventListenerOrEventListenerObject = EventListener | EventListenerObject;
/**
- * The **`EventTarget`** interface is implemented by objects that can receive events and may have listeners for them.
+ * EventTarget is a DOM interface implemented by objects that can receive events and may have listeners for them.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventTarget)
*/
declare class EventTarget = Record> {
constructor();
/**
- * The **`addEventListener()`** method of the EventTarget interface sets up a function that will be called whenever the specified event is delivered to the target.
+ * Appends an event listener for events whose type attribute value is type. The callback argument sets the callback that will be invoked when the event is dispatched.
+ *
+ * The options argument sets listener-specific options. For compatibility this can be a boolean, in which case the method behaves exactly as if the value was specified as options's capture.
+ *
+ * When set to true, options's capture prevents callback from being invoked when the event's eventPhase attribute value is BUBBLING_PHASE. When false (or not present), callback will not be invoked when event's eventPhase attribute value is CAPTURING_PHASE. Either way, callback will be invoked if event's eventPhase attribute value is AT_TARGET.
+ *
+ * When set to true, options's passive indicates that the callback will not cancel the event by invoking preventDefault(). This is used to enable performance optimizations described in § 2.8 Observing event listeners.
+ *
+ * When set to true, options's once indicates that the callback will only be invoked once after which the event listener will be removed.
+ *
+ * If an AbortSignal is passed for options's signal, then the event listener will be removed when signal is aborted.
+ *
+ * The event listener is appended to target's event listener list and is not appended if it has the same type, callback, and capture.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventTarget/addEventListener)
*/
addEventListener(type: Type, handler: EventListenerOrEventListenerObject, options?: EventTargetAddEventListenerOptions | boolean): void;
/**
- * The **`removeEventListener()`** method of the EventTarget interface removes an event listener previously registered with EventTarget.addEventListener() from the target.
+ * Removes the event listener in target's event listener list with the same type, callback, and options.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventTarget/removeEventListener)
*/
removeEventListener(type: Type, handler: EventListenerOrEventListenerObject, options?: EventTargetEventListenerOptions | boolean): void;
/**
- * The **`dispatchEvent()`** method of the EventTarget sends an Event to the object, (synchronously) invoking the affected event listeners in the appropriate order.
+ * Dispatches a synthetic event event to target and returns true if either event's cancelable attribute value is false or its preventDefault() method was not invoked, and false otherwise.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventTarget/dispatchEvent)
*/
@@ -765,70 +695,50 @@ interface EventTargetHandlerObject {
handleEvent: (event: Event) => any | undefined;
}
/**
- * The **`AbortController`** interface represents a controller object that allows you to abort one or more Web requests as and when desired.
+ * A controller object that allows you to abort one or more DOM requests as and when desired.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortController)
*/
declare class AbortController {
constructor();
/**
- * The **`signal`** read-only property of the AbortController interface returns an AbortSignal object instance, which can be used to communicate with/abort an asynchronous operation as desired.
+ * Returns the AbortSignal object associated with this object.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortController/signal)
*/
get signal(): AbortSignal;
/**
- * The **`abort()`** method of the AbortController interface aborts an asynchronous operation before it has completed.
+ * Invoking this method will set this object's AbortSignal's aborted flag and signal to any observers that the associated activity is to be aborted.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortController/abort)
*/
abort(reason?: any): void;
}
/**
- * The **`AbortSignal`** interface represents a signal object that allows you to communicate with an asynchronous operation (such as a fetch request) and abort it if required via an AbortController object.
+ * A signal object that allows you to communicate with a DOM request (such as a Fetch) and abort it if required via an AbortController object.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal)
*/
declare abstract class AbortSignal extends EventTarget {
- /**
- * The **`AbortSignal.abort()`** static method returns an AbortSignal that is already set as aborted (and which does not trigger an AbortSignal/abort_event event).
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/abort_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/abort_static) */
static abort(reason?: any): AbortSignal;
- /**
- * The **`AbortSignal.timeout()`** static method returns an AbortSignal that will automatically abort after a specified time.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/timeout_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/timeout_static) */
static timeout(delay: number): AbortSignal;
- /**
- * The **`AbortSignal.any()`** static method takes an iterable of abort signals and returns an AbortSignal.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/any_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/any_static) */
static any(signals: AbortSignal[]): AbortSignal;
/**
- * The **`aborted`** read-only property returns a value that indicates whether the asynchronous operations the signal is communicating with are aborted (`true`) or not (`false`).
+ * Returns true if this AbortSignal's AbortController has signaled to abort, and false otherwise.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/aborted)
*/
get aborted(): boolean;
- /**
- * The **`reason`** read-only property returns a JavaScript value that indicates the abort reason.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/reason)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/reason) */
get reason(): any;
/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/abort_event) */
get onabort(): any | null;
/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/abort_event) */
set onabort(value: any | null);
- /**
- * The **`throwIfAborted()`** method throws the signal's abort AbortSignal.reason if the signal has been aborted; otherwise it does nothing.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/throwIfAborted)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/AbortSignal/throwIfAborted) */
throwIfAborted(): void;
}
interface Scheduler {
@@ -838,27 +748,19 @@ interface SchedulerWaitOptions {
signal?: AbortSignal;
}
/**
- * The **`ExtendableEvent`** interface extends the lifetime of the `install` and `activate` events dispatched on the global scope as part of the service worker lifecycle.
+ * Extends the lifetime of the install and activate events dispatched on the global scope as part of the service worker lifecycle. This ensures that any functional events (like FetchEvent) are not dispatched until it upgrades database schemas and deletes the outdated cache entries.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ExtendableEvent)
*/
declare abstract class ExtendableEvent extends Event {
- /**
- * The **`ExtendableEvent.waitUntil()`** method tells the event dispatcher that work is ongoing.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ExtendableEvent/waitUntil)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ExtendableEvent/waitUntil) */
waitUntil(promise: Promise): void;
}
-/**
- * The **`CustomEvent`** interface represents events initialized by an application for any purpose.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/CustomEvent)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CustomEvent) */
declare class CustomEvent extends Event {
constructor(type: string, init?: CustomEventCustomEventInit);
/**
- * The read-only **`detail`** property of the CustomEvent interface returns any data passed when initializing the event.
+ * Returns any custom data event was created with. Typically used for synthetic events.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CustomEvent/detail)
*/
@@ -871,76 +773,40 @@ interface CustomEventCustomEventInit {
detail?: any;
}
/**
- * The **`Blob`** interface represents a blob, which is a file-like object of immutable, raw data; they can be read as text or binary data, or converted into a ReadableStream so its methods can be used for processing the data.
+ * A file-like object of immutable, raw data. Blobs represent data that isn't necessarily in a JavaScript-native format. The File interface is based on Blob, inheriting blob functionality and expanding it to support files on the user's system.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob)
*/
declare class Blob {
constructor(type?: ((ArrayBuffer | ArrayBufferView) | string | Blob)[], options?: BlobOptions);
- /**
- * The **`size`** read-only property of the Blob interface returns the size of the Blob or File in bytes.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/size)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/size) */
get size(): number;
- /**
- * The **`type`** read-only property of the Blob interface returns the MIME type of the file.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/type)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/type) */
get type(): string;
- /**
- * The **`slice()`** method of the Blob interface creates and returns a new `Blob` object which contains data from a subset of the blob on which it's called.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/slice)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/slice) */
slice(start?: number, end?: number, type?: string): Blob;
- /**
- * The **`arrayBuffer()`** method of the Blob interface returns a Promise that resolves with the contents of the blob as binary data contained in an ArrayBuffer.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/arrayBuffer)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/arrayBuffer) */
arrayBuffer(): Promise;
- /**
- * The **`bytes()`** method of the Blob interface returns a Promise that resolves with a Uint8Array containing the contents of the blob as an array of bytes.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/bytes)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/bytes) */
bytes(): Promise;
- /**
- * The **`text()`** method of the string containing the contents of the blob, interpreted as UTF-8.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/text)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/text) */
text(): Promise;
- /**
- * The **`stream()`** method of the Blob interface returns a ReadableStream which upon reading returns the data contained within the `Blob`.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/stream)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Blob/stream) */
stream(): ReadableStream;
}
interface BlobOptions {
type?: string;
}
/**
- * The **`File`** interface provides information about files and allows JavaScript in a web page to access their content.
+ * Provides information about files and allows JavaScript in a web page to access their content.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/File)
*/
declare class File extends Blob {
constructor(bits: ((ArrayBuffer | ArrayBufferView) | string | Blob)[] | undefined, name: string, options?: FileOptions);
- /**
- * The **`name`** read-only property of the File interface returns the name of the file represented by a File object.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/File/name)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/File/name) */
get name(): string;
- /**
- * The **`lastModified`** read-only property of the File interface provides the last modified date of the file as the number of milliseconds since the Unix epoch (January 1, 1970 at midnight).
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/File/lastModified)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/File/lastModified) */
get lastModified(): number;
}
interface FileOptions {
@@ -953,11 +819,7 @@ interface FileOptions {
* [Cloudflare Docs Reference](https://developers.cloudflare.com/workers/runtime-apis/cache/)
*/
declare abstract class CacheStorage {
- /**
- * The **`open()`** method of the the Cache object matching the `cacheName`.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/CacheStorage/open)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CacheStorage/open) */
open(cacheName: string): Promise;
readonly default: Cache;
}
@@ -987,20 +849,14 @@ interface CacheQueryOptions {
*/
declare abstract class Crypto {
/**
- * The **`Crypto.subtle`** read-only property returns a cryptographic operations.
* Available only in secure contexts.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Crypto/subtle)
*/
get subtle(): SubtleCrypto;
- /**
- * The **`Crypto.getRandomValues()`** method lets you get cryptographically strong random values.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Crypto/getRandomValues)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Crypto/getRandomValues) */
getRandomValues(buffer: T): T;
/**
- * The **`randomUUID()`** method of the Crypto interface is used to generate a v4 UUID using a cryptographically secure random number generator.
* Available only in secure contexts.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Crypto/randomUUID)
@@ -1009,116 +865,52 @@ declare abstract class Crypto {
DigestStream: typeof DigestStream;
}
/**
- * The **`SubtleCrypto`** interface of the Web Crypto API provides a number of low-level cryptographic functions.
+ * This Web Crypto API interface provides a number of low-level cryptographic functions. It is accessed via the Crypto.subtle properties available in a window context (via Window.crypto).
* Available only in secure contexts.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto)
*/
declare abstract class SubtleCrypto {
- /**
- * The **`encrypt()`** method of the SubtleCrypto interface encrypts data.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/encrypt)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/encrypt) */
encrypt(algorithm: string | SubtleCryptoEncryptAlgorithm, key: CryptoKey, plainText: ArrayBuffer | ArrayBufferView): Promise;
- /**
- * The **`decrypt()`** method of the SubtleCrypto interface decrypts some encrypted data.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/decrypt)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/decrypt) */
decrypt(algorithm: string | SubtleCryptoEncryptAlgorithm, key: CryptoKey, cipherText: ArrayBuffer | ArrayBufferView): Promise;
- /**
- * The **`sign()`** method of the SubtleCrypto interface generates a digital signature.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/sign)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/sign) */
sign(algorithm: string | SubtleCryptoSignAlgorithm, key: CryptoKey, data: ArrayBuffer | ArrayBufferView): Promise;
- /**
- * The **`verify()`** method of the SubtleCrypto interface verifies a digital signature.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/verify)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/verify) */
verify(algorithm: string | SubtleCryptoSignAlgorithm, key: CryptoKey, signature: ArrayBuffer | ArrayBufferView, data: ArrayBuffer | ArrayBufferView): Promise;
- /**
- * The **`digest()`** method of the SubtleCrypto interface generates a _digest_ of the given data, using the specified hash function.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/digest)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/digest) */
digest(algorithm: string | SubtleCryptoHashAlgorithm, data: ArrayBuffer | ArrayBufferView): Promise;
- /**
- * The **`generateKey()`** method of the SubtleCrypto interface is used to generate a new key (for symmetric algorithms) or key pair (for public-key algorithms).
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/generateKey)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/generateKey) */
generateKey(algorithm: string | SubtleCryptoGenerateKeyAlgorithm, extractable: boolean, keyUsages: string[]): Promise;
- /**
- * The **`deriveKey()`** method of the SubtleCrypto interface can be used to derive a secret key from a master key.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/deriveKey)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/deriveKey) */
deriveKey(algorithm: string | SubtleCryptoDeriveKeyAlgorithm, baseKey: CryptoKey, derivedKeyAlgorithm: string | SubtleCryptoImportKeyAlgorithm, extractable: boolean, keyUsages: string[]): Promise;
- /**
- * The **`deriveBits()`** method of the key.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/deriveBits)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/deriveBits) */
deriveBits(algorithm: string | SubtleCryptoDeriveKeyAlgorithm, baseKey: CryptoKey, length?: number | null): Promise;
- /**
- * The **`importKey()`** method of the SubtleCrypto interface imports a key: that is, it takes as input a key in an external, portable format and gives you a CryptoKey object that you can use in the Web Crypto API.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/importKey)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/importKey) */
importKey(format: string, keyData: (ArrayBuffer | ArrayBufferView) | JsonWebKey, algorithm: string | SubtleCryptoImportKeyAlgorithm, extractable: boolean, keyUsages: string[]): Promise;
- /**
- * The **`exportKey()`** method of the SubtleCrypto interface exports a key: that is, it takes as input a CryptoKey object and gives you the key in an external, portable format.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/exportKey)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/exportKey) */
exportKey(format: string, key: CryptoKey): Promise;
- /**
- * The **`wrapKey()`** method of the SubtleCrypto interface 'wraps' a key.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/wrapKey)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/wrapKey) */
wrapKey(format: string, key: CryptoKey, wrappingKey: CryptoKey, wrapAlgorithm: string | SubtleCryptoEncryptAlgorithm): Promise;
- /**
- * The **`unwrapKey()`** method of the SubtleCrypto interface 'unwraps' a key.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/unwrapKey)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/SubtleCrypto/unwrapKey) */
unwrapKey(format: string, wrappedKey: ArrayBuffer | ArrayBufferView, unwrappingKey: CryptoKey, unwrapAlgorithm: string | SubtleCryptoEncryptAlgorithm, unwrappedKeyAlgorithm: string | SubtleCryptoImportKeyAlgorithm, extractable: boolean, keyUsages: string[]): Promise;
timingSafeEqual(a: ArrayBuffer | ArrayBufferView, b: ArrayBuffer | ArrayBufferView): boolean;
}
/**
- * The **`CryptoKey`** interface of the Web Crypto API represents a cryptographic key obtained from one of the SubtleCrypto methods SubtleCrypto.generateKey, SubtleCrypto.deriveKey, SubtleCrypto.importKey, or SubtleCrypto.unwrapKey.
+ * The CryptoKey dictionary of the Web Crypto API represents a cryptographic key.
* Available only in secure contexts.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CryptoKey)
*/
declare abstract class CryptoKey {
- /**
- * The read-only **`type`** property of the CryptoKey interface indicates which kind of key is represented by the object.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/CryptoKey/type)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CryptoKey/type) */
readonly type: string;
- /**
- * The read-only **`extractable`** property of the CryptoKey interface indicates whether or not the key may be extracted using `SubtleCrypto.exportKey()` or `SubtleCrypto.wrapKey()`.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/CryptoKey/extractable)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CryptoKey/extractable) */
readonly extractable: boolean;
- /**
- * The read-only **`algorithm`** property of the CryptoKey interface returns an object describing the algorithm for which this key can be used, and any associated extra parameters.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/CryptoKey/algorithm)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CryptoKey/algorithm) */
readonly algorithm: CryptoKeyKeyAlgorithm | CryptoKeyAesKeyAlgorithm | CryptoKeyHmacKeyAlgorithm | CryptoKeyRsaKeyAlgorithm | CryptoKeyEllipticKeyAlgorithm | CryptoKeyArbitraryKeyAlgorithm;
- /**
- * The read-only **`usages`** property of the CryptoKey interface indicates what can be done with the key.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/CryptoKey/usages)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CryptoKey/usages) */
readonly usages: string[];
}
interface CryptoKeyPair {
@@ -1225,14 +1017,24 @@ declare class DigestStream extends WritableStream
get bytesWritten(): number | bigint;
}
/**
- * The **`TextDecoder`** interface represents a decoder for a specific text encoding, such as `UTF-8`, `ISO-8859-2`, `KOI8-R`, `GBK`, etc.
+ * A decoder for a specific method, that is a specific character encoding, like utf-8, iso-8859-2, koi8, cp1261, gbk, etc. A decoder takes a stream of bytes as input and emits a stream of code points. For a more scalable, non-native library, see StringView – a C-like representation of strings based on typed arrays.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TextDecoder)
*/
declare class TextDecoder {
constructor(label?: string, options?: TextDecoderConstructorOptions);
/**
- * The **`TextDecoder.decode()`** method returns a string containing text decoded from the buffer passed as a parameter.
+ * Returns the result of running encoding's decoder. The method can be invoked zero or more times with options's stream set to true, and then once without options's stream (or set to false), to process a fragmented input. If the invocation without options's stream (or set to false) has no input, it's clearest to omit both arguments.
+ *
+ * ```
+ * var string = "", decoder = new TextDecoder(encoding), buffer;
+ * while(buffer = next_chunk()) {
+ * string += decoder.decode(buffer, {stream:true});
+ * }
+ * string += decoder.decode(); // end-of-queue
+ * ```
+ *
+ * If the error mode is "fatal" and encoding's decoder returns error, throws a TypeError.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TextDecoder/decode)
*/
@@ -1242,24 +1044,24 @@ declare class TextDecoder {
get ignoreBOM(): boolean;
}
/**
- * The **`TextEncoder`** interface takes a stream of code points as input and emits a stream of UTF-8 bytes.
+ * TextEncoder takes a stream of code points as input and emits a stream of bytes. For a more scalable, non-native library, see StringView – a C-like representation of strings based on typed arrays.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TextEncoder)
*/
declare class TextEncoder {
constructor();
/**
- * The **`TextEncoder.encode()`** method takes a string as input, and returns a Global_Objects/Uint8Array containing the text given in parameters encoded with the specific method for that TextEncoder object.
+ * Returns the result of running UTF-8's encoder.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TextEncoder/encode)
*/
encode(input?: string): Uint8Array;
/**
- * The **`TextEncoder.encodeInto()`** method takes a string to encode and a destination Uint8Array to put resulting UTF-8 encoded text into, and returns a dictionary object indicating the progress of the encoding.
+ * Runs the UTF-8 encoder on source, stores the result of that operation into destination, and returns the progress made as an object wherein read is the number of converted code units of source and written is the number of bytes modified in destination.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TextEncoder/encodeInto)
*/
- encodeInto(input: string, buffer: Uint8Array): TextEncoderEncodeIntoResult;
+ encodeInto(input: string, buffer: ArrayBuffer | ArrayBufferView): TextEncoderEncodeIntoResult;
get encoding(): string;
}
interface TextDecoderConstructorOptions {
@@ -1274,41 +1076,21 @@ interface TextEncoderEncodeIntoResult {
written: number;
}
/**
- * The **`ErrorEvent`** interface represents events providing information related to errors in scripts or in files.
+ * Events providing information related to errors in scripts or in files.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent)
*/
declare class ErrorEvent extends Event {
constructor(type: string, init?: ErrorEventErrorEventInit);
- /**
- * The **`filename`** read-only property of the ErrorEvent interface returns a string containing the name of the script file in which the error occurred.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/filename)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/filename) */
get filename(): string;
- /**
- * The **`message`** read-only property of the ErrorEvent interface returns a string containing a human-readable error message describing the problem.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/message)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/message) */
get message(): string;
- /**
- * The **`lineno`** read-only property of the ErrorEvent interface returns an integer containing the line number of the script file on which the error occurred.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/lineno)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/lineno) */
get lineno(): number;
- /**
- * The **`colno`** read-only property of the ErrorEvent interface returns an integer containing the column number of the script file on which the error occurred.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/colno)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/colno) */
get colno(): number;
- /**
- * The **`error`** read-only property of the ErrorEvent interface returns a JavaScript value, such as an Error or DOMException, representing the error associated with this event.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/error)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ErrorEvent/error) */
get error(): any;
}
interface ErrorEventErrorEventInit {
@@ -1319,119 +1101,27 @@ interface ErrorEventErrorEventInit {
error?: any;
}
/**
- * The **`MessageEvent`** interface represents a message received by a target object.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageEvent)
- */
-declare class MessageEvent extends Event {
- constructor(type: string, initializer: MessageEventInit);
- /**
- * The **`data`** read-only property of the The data sent by the message emitter; this can be any data type, depending on what originated this event.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageEvent/data)
- */
- readonly data: any;
- /**
- * The **`origin`** read-only property of the origin of the message emitter.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageEvent/origin)
- */
- readonly origin: string | null;
- /**
- * The **`lastEventId`** read-only property of the unique ID for the event.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageEvent/lastEventId)
- */
- readonly lastEventId: string;
- /**
- * The **`source`** read-only property of the a WindowProxy, MessagePort, or a `MessageEventSource` (which can be a WindowProxy, message emitter.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageEvent/source)
- */
- readonly source: MessagePort | null;
- /**
- * The **`ports`** read-only property of the containing all MessagePort objects sent with the message, in order.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageEvent/ports)
- */
- readonly ports: MessagePort[];
-}
-interface MessageEventInit {
- data: ArrayBuffer | string;
-}
-/**
- * The **`PromiseRejectionEvent`** interface represents events which are sent to the global script context when JavaScript Promises are rejected.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/PromiseRejectionEvent)
- */
-declare abstract class PromiseRejectionEvent extends Event {
- /**
- * The PromiseRejectionEvent interface's **`promise`** read-only property indicates the JavaScript rejected.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/PromiseRejectionEvent/promise)
- */
- readonly promise: Promise;
- /**
- * The PromiseRejectionEvent **`reason`** read-only property is any JavaScript value or Object which provides the reason passed into Promise.reject().
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/PromiseRejectionEvent/reason)
- */
- readonly reason: any;
-}
-/**
- * The **`FormData`** interface provides a way to construct a set of key/value pairs representing form fields and their values, which can be sent using the Window/fetch, XMLHttpRequest.send() or navigator.sendBeacon() methods.
+ * Provides a way to easily construct a set of key/value pairs representing form fields and their values, which can then be easily sent using the XMLHttpRequest.send() method. It uses the same format a form would use if the encoding type were set to "multipart/form-data".
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData)
*/
declare class FormData {
constructor();
- /**
- * The **`append()`** method of the FormData interface appends a new value onto an existing key inside a `FormData` object, or adds the key if it does not already exist.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/append)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/append) */
append(name: string, value: string): void;
- /**
- * The **`append()`** method of the FormData interface appends a new value onto an existing key inside a `FormData` object, or adds the key if it does not already exist.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/append)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/append) */
append(name: string, value: Blob, filename?: string): void;
- /**
- * The **`delete()`** method of the FormData interface deletes a key and its value(s) from a `FormData` object.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/delete)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/delete) */
delete(name: string): void;
- /**
- * The **`get()`** method of the FormData interface returns the first value associated with a given key from within a `FormData` object.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/get)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/get) */
get(name: string): (File | string) | null;
- /**
- * The **`getAll()`** method of the FormData interface returns all the values associated with a given key from within a `FormData` object.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/getAll)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/getAll) */
getAll(name: string): (File | string)[];
- /**
- * The **`has()`** method of the FormData interface returns whether a `FormData` object contains a certain key.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/has)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/has) */
has(name: string): boolean;
- /**
- * The **`set()`** method of the FormData interface sets a new value for an existing key inside a `FormData` object, or adds the key/value if it does not already exist.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/set)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/set) */
set(name: string, value: string): void;
- /**
- * The **`set()`** method of the FormData interface sets a new value for an existing key inside a `FormData` object, or adds the key/value if it does not already exist.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/set)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FormData/set) */
set(name: string, value: Blob, filename?: string): void;
/* Returns an array of key, value pairs for every entry in the list. */
entries(): IterableIterator<[
@@ -1519,69 +1209,37 @@ interface DocumentEnd {
append(content: string, options?: ContentOptions): DocumentEnd;
}
/**
- * This is the event type for `fetch` events dispatched on the ServiceWorkerGlobalScope.
+ * This is the event type for fetch events dispatched on the service worker global scope. It contains information about the fetch, including the request and how the receiver will treat the response. It provides the event.respondWith() method, which allows us to provide a response to this fetch.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FetchEvent)
*/
declare abstract class FetchEvent extends ExtendableEvent {
- /**
- * The **`request`** read-only property of the the event handler.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FetchEvent/request)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FetchEvent/request) */
readonly request: Request;
- /**
- * The **`respondWith()`** method of allows you to provide a promise for a Response yourself.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/FetchEvent/respondWith)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/FetchEvent/respondWith) */
respondWith(promise: Response | Promise): void;
passThroughOnException(): void;
}
type HeadersInit = Headers | Iterable> | Record;
/**
- * The **`Headers`** interface of the Fetch API allows you to perform various actions on HTTP request and response headers.
+ * This Fetch API interface allows you to perform various actions on HTTP request and response headers. These actions include retrieving, setting, adding to, and removing. A Headers object has an associated header list, which is initially empty and consists of zero or more name and value pairs. You can add to this using methods like append() (see Examples.) In all methods of this interface, header names are matched by case-insensitive byte sequence.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers)
*/
declare class Headers {
constructor(init?: HeadersInit);
- /**
- * The **`get()`** method of the Headers interface returns a byte string of all the values of a header within a `Headers` object with a given name.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/get)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/get) */
get(name: string): string | null;
getAll(name: string): string[];
- /**
- * The **`getSetCookie()`** method of the Headers interface returns an array containing the values of all Set-Cookie headers associated with a response.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/getSetCookie)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/getSetCookie) */
getSetCookie(): string[];
- /**
- * The **`has()`** method of the Headers interface returns a boolean stating whether a `Headers` object contains a certain header.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/has)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/has) */
has(name: string): boolean;
- /**
- * The **`set()`** method of the Headers interface sets a new value for an existing header inside a `Headers` object, or adds the header if it does not already exist.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/set)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/set) */
set(name: string, value: string): void;
- /**
- * The **`append()`** method of the Headers interface appends a new value onto an existing header inside a `Headers` object, or adds the header if it does not already exist.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/append)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/append) */
append(name: string, value: string): void;
- /**
- * The **`delete()`** method of the Headers interface deletes a header from the current `Headers` object.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/delete)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Headers/delete) */
delete(name: string): void;
forEach(callback: (this: This, value: string, key: string, parent: Headers) => void, thisArg?: This): void;
/* Returns an iterator allowing to go through all key/value pairs contained in this object. */
@@ -1618,7 +1276,7 @@ declare abstract class Body {
blob(): Promise;
}
/**
- * The **`Response`** interface of the Fetch API represents the response to a request.
+ * This Fetch API interface represents the response to a request.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response)
*/
@@ -1630,60 +1288,28 @@ declare var Response: {
json(any: any, maybeInit?: (ResponseInit | Response)): Response;
};
/**
- * The **`Response`** interface of the Fetch API represents the response to a request.
+ * This Fetch API interface represents the response to a request.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response)
*/
interface Response extends Body {
- /**
- * The **`clone()`** method of the Response interface creates a clone of a response object, identical in every way, but stored in a different variable.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/clone)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/clone) */
clone(): Response;
- /**
- * The **`status`** read-only property of the Response interface contains the HTTP status codes of the response.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/status)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/status) */
status: number;
- /**
- * The **`statusText`** read-only property of the Response interface contains the status message corresponding to the HTTP status code in Response.status.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/statusText)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/statusText) */
statusText: string;
- /**
- * The **`headers`** read-only property of the with the response.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/headers)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/headers) */
headers: Headers;
- /**
- * The **`ok`** read-only property of the Response interface contains a Boolean stating whether the response was successful (status in the range 200-299) or not.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/ok)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/ok) */
ok: boolean;
- /**
- * The **`redirected`** read-only property of the Response interface indicates whether or not the response is the result of a request you made which was redirected.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/redirected)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/redirected) */
redirected: boolean;
- /**
- * The **`url`** read-only property of the Response interface contains the URL of the response.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/url)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/url) */
url: string;
webSocket: WebSocket | null;
cf: any | undefined;
- /**
- * The **`type`** read-only property of the Response interface contains the type of the response.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/type)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Response/type) */
type: "default" | "error";
}
interface ResponseInit {
@@ -1696,7 +1322,7 @@ interface ResponseInit {
}
type RequestInfo> = Request | string;
/**
- * The **`Request`** interface of the Fetch API represents a resource request.
+ * This Fetch API interface represents a resource request.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request)
*/
@@ -1705,67 +1331,63 @@ declare var Request: {
new >(input: RequestInfo | URL, init?: RequestInit): Request;
};
/**
- * The **`Request`** interface of the Fetch API represents a resource request.
+ * This Fetch API interface represents a resource request.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request)
*/
interface Request> extends Body {
- /**
- * The **`clone()`** method of the Request interface creates a copy of the current `Request` object.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/clone)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/clone) */
clone(): Request;
/**
- * The **`method`** read-only property of the `POST`, etc.) A String indicating the method of the request.
+ * Returns request's HTTP method, which is "GET" by default.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/method)
*/
method: string;
/**
- * The **`url`** read-only property of the Request interface contains the URL of the request.
+ * Returns the URL of request as a string.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/url)
*/
url: string;
/**
- * The **`headers`** read-only property of the with the request.
+ * Returns a Headers object consisting of the headers associated with request. Note that headers added in the network layer by the user agent will not be accounted for in this object, e.g., the "Host" header.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/headers)
*/
headers: Headers;
/**
- * The **`redirect`** read-only property of the Request interface contains the mode for how redirects are handled.
+ * Returns the redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/redirect)
*/
redirect: string;
fetcher: Fetcher | null;
/**
- * The read-only **`signal`** property of the Request interface returns the AbortSignal associated with the request.
+ * Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/signal)
*/
signal: AbortSignal;
cf: Cf | undefined;
/**
- * The **`integrity`** read-only property of the Request interface contains the subresource integrity value of the request.
+ * Returns request's subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace. [SRI]
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/integrity)
*/
integrity: string;
/**
- * The **`keepalive`** read-only property of the Request interface contains the request's `keepalive` setting (`true` or `false`), which indicates whether the browser will keep the associated request alive if the page that initiated it is unloaded before the request is complete.
+ * Returns a boolean indicating whether or not request can outlive the global in which it was created.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/keepalive)
*/
keepalive: boolean;
/**
- * The **`cache`** read-only property of the Request interface contains the cache mode of the request.
+ * Returns the cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/Request/cache)
*/
- cache?: "no-store" | "no-cache";
+ cache?: "no-store";
}
interface RequestInit {
/* A string to set request's method. */
@@ -1779,14 +1401,14 @@ interface RequestInit {
fetcher?: (Fetcher | null);
cf?: Cf;
/* A string indicating how the request will interact with the browser's cache to set request's cache. */
- cache?: "no-store" | "no-cache";
+ cache?: "no-store";
/* A cryptographic hash of the resource to be fetched by request. Sets request's integrity. */
integrity?: string;
/* An AbortSignal to set request's signal. */
signal?: (AbortSignal | null);
encodeResponseBody?: "automatic" | "manual";
}
-type Service Rpc.WorkerEntrypointBranded) | Rpc.WorkerEntrypointBranded | ExportedHandler | undefined = undefined> = T extends new (...args: any[]) => Rpc.WorkerEntrypointBranded ? Fetcher> : T extends Rpc.WorkerEntrypointBranded ? Fetcher : T extends Exclude ? never : Fetcher;
+type Service = Fetcher;
type Fetcher = (T extends Rpc.EntrypointBranded ? Rpc.Provider : unknown) & {
fetch(input: RequestInfo | URL, init?: RequestInit): Promise;
connect(address: SocketAddress | string, options?: SocketOptions): Socket;
@@ -2112,52 +1734,24 @@ type ReadableStreamReadResult = {
value?: undefined;
};
/**
- * The `ReadableStream` interface of the Streams API represents a readable stream of byte data.
+ * This Streams API interface represents a readable stream of byte data. The Fetch API offers a concrete instance of a ReadableStream through the body property of a Response object.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream)
*/
interface ReadableStream {
- /**
- * The **`locked`** read-only property of the ReadableStream interface returns whether or not the readable stream is locked to a reader.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/locked)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/locked) */
get locked(): boolean;
- /**
- * The **`cancel()`** method of the ReadableStream interface returns a Promise that resolves when the stream is canceled.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/cancel)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/cancel) */
cancel(reason?: any): Promise;
- /**
- * The **`getReader()`** method of the ReadableStream interface creates a reader and locks the stream to it.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/getReader)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/getReader) */
getReader(): ReadableStreamDefaultReader;
- /**
- * The **`getReader()`** method of the ReadableStream interface creates a reader and locks the stream to it.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/getReader)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/getReader) */
getReader(options: ReadableStreamGetReaderOptions): ReadableStreamBYOBReader;
- /**
- * The **`pipeThrough()`** method of the ReadableStream interface provides a chainable way of piping the current stream through a transform stream or any other writable/readable pair.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/pipeThrough)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/pipeThrough) */
pipeThrough(transform: ReadableWritablePair, options?: StreamPipeOptions): ReadableStream;
- /**
- * The **`pipeTo()`** method of the ReadableStream interface pipes the current `ReadableStream` to a given WritableStream and returns a Promise that fulfills when the piping process completes successfully, or rejects if any errors were encountered.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/pipeTo)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/pipeTo) */
pipeTo(destination: WritableStream, options?: StreamPipeOptions): Promise;
- /**
- * The **`tee()`** method of the two-element array containing the two resulting branches as new ReadableStream instances.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/tee)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream/tee) */
tee(): [
ReadableStream,
ReadableStream
@@ -2166,7 +1760,7 @@ interface ReadableStream {
[Symbol.asyncIterator](options?: ReadableStreamValuesOptions): AsyncIterableIterator;
}
/**
- * The `ReadableStream` interface of the Streams API represents a readable stream of byte data.
+ * This Streams API interface represents a readable stream of byte data. The Fetch API offers a concrete instance of a ReadableStream through the body property of a Response object.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStream)
*/
@@ -2175,48 +1769,24 @@ declare const ReadableStream: {
new (underlyingSource: UnderlyingByteSource, strategy?: QueuingStrategy): ReadableStream;
new (underlyingSource?: UnderlyingSource, strategy?: QueuingStrategy): ReadableStream;
};
-/**
- * The **`ReadableStreamDefaultReader`** interface of the Streams API represents a default reader that can be used to read stream data supplied from a network (such as a fetch request).
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultReader)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultReader) */
declare class ReadableStreamDefaultReader {
constructor(stream: ReadableStream);
get closed(): Promise;
cancel(reason?: any): Promise;
- /**
- * The **`read()`** method of the ReadableStreamDefaultReader interface returns a Promise providing access to the next chunk in the stream's internal queue.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultReader/read)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultReader/read) */
read(): Promise>;
- /**
- * The **`releaseLock()`** method of the ReadableStreamDefaultReader interface releases the reader's lock on the stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultReader/releaseLock)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultReader/releaseLock) */
releaseLock(): void;
}
-/**
- * The `ReadableStreamBYOBReader` interface of the Streams API defines a reader for a ReadableStream that supports zero-copy reading from an underlying byte source.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBReader)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBReader) */
declare class ReadableStreamBYOBReader {
constructor(stream: ReadableStream);
get closed(): Promise;
cancel(reason?: any): Promise;
- /**
- * The **`read()`** method of the ReadableStreamBYOBReader interface is used to read data into a view on a user-supplied buffer from an associated readable byte stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBReader/read)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBReader/read) */
read(view: T): Promise>;
- /**
- * The **`releaseLock()`** method of the ReadableStreamBYOBReader interface releases the reader's lock on the stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBReader/releaseLock)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBReader/releaseLock) */
releaseLock(): void;
readAtLeast(minElements: number, view: T): Promise>;
}
@@ -2231,148 +1801,60 @@ interface ReadableStreamGetReaderOptions {
*/
mode: "byob";
}
-/**
- * The **`ReadableStreamBYOBRequest`** interface of the Streams API represents a 'pull request' for data from an underlying source that will made as a zero-copy transfer to a consumer (bypassing the stream's internal queues).
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBRequest)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBRequest) */
declare abstract class ReadableStreamBYOBRequest {
- /**
- * The **`view`** getter property of the ReadableStreamBYOBRequest interface returns the current view.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBRequest/view)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBRequest/view) */
get view(): Uint8Array | null;
- /**
- * The **`respond()`** method of the ReadableStreamBYOBRequest interface is used to signal to the associated readable byte stream that the specified number of bytes were written into the ReadableStreamBYOBRequest.view.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBRequest/respond)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBRequest/respond) */
respond(bytesWritten: number): void;
- /**
- * The **`respondWithNewView()`** method of the ReadableStreamBYOBRequest interface specifies a new view that the consumer of the associated readable byte stream should write to instead of ReadableStreamBYOBRequest.view.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBRequest/respondWithNewView)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamBYOBRequest/respondWithNewView) */
respondWithNewView(view: ArrayBuffer | ArrayBufferView): void;
get atLeast(): number | null;
}
-/**
- * The **`ReadableStreamDefaultController`** interface of the Streams API represents a controller allowing control of a ReadableStream's state and internal queue.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController) */
declare abstract class ReadableStreamDefaultController {
- /**
- * The **`desiredSize`** read-only property of the required to fill the stream's internal queue.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController/desiredSize)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController/desiredSize) */
get desiredSize(): number | null;
- /**
- * The **`close()`** method of the ReadableStreamDefaultController interface closes the associated stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController/close)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController/close) */
close(): void;
- /**
- * The **`enqueue()`** method of the ```js-nolint enqueue(chunk) ``` - `chunk` - : The chunk to enqueue.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController/enqueue)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController/enqueue) */
enqueue(chunk?: R): void;
- /**
- * The **`error()`** method of the with the associated stream to error.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController/error)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableStreamDefaultController/error) */
error(reason: any): void;
}
-/**
- * The **`ReadableByteStreamController`** interface of the Streams API represents a controller for a readable byte stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController) */
declare abstract class ReadableByteStreamController {
- /**
- * The **`byobRequest`** read-only property of the ReadableByteStreamController interface returns the current BYOB request, or `null` if there are no pending requests.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/byobRequest)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/byobRequest) */
get byobRequest(): ReadableStreamBYOBRequest | null;
- /**
- * The **`desiredSize`** read-only property of the ReadableByteStreamController interface returns the number of bytes required to fill the stream's internal queue to its 'desired size'.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/desiredSize)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/desiredSize) */
get desiredSize(): number | null;
- /**
- * The **`close()`** method of the ReadableByteStreamController interface closes the associated stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/close)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/close) */
close(): void;
- /**
- * The **`enqueue()`** method of the ReadableByteStreamController interface enqueues a given chunk on the associated readable byte stream (the chunk is copied into the stream's internal queues).
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/enqueue)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/enqueue) */
enqueue(chunk: ArrayBuffer | ArrayBufferView): void;
- /**
- * The **`error()`** method of the ReadableByteStreamController interface causes any future interactions with the associated stream to error with the specified reason.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/error)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ReadableByteStreamController/error) */
error(reason: any): void;
}
/**
- * The **`WritableStreamDefaultController`** interface of the Streams API represents a controller allowing control of a WritableStream's state.
+ * This Streams API interface represents a controller allowing control of a WritableStream's state. When constructing a WritableStream, the underlying sink is given a corresponding WritableStreamDefaultController instance to manipulate.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultController)
*/
declare abstract class WritableStreamDefaultController {
- /**
- * The read-only **`signal`** property of the WritableStreamDefaultController interface returns the AbortSignal associated with the controller.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultController/signal)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultController/signal) */
get signal(): AbortSignal;
- /**
- * The **`error()`** method of the with the associated stream to error.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultController/error)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultController/error) */
error(reason?: any): void;
}
-/**
- * The **`TransformStreamDefaultController`** interface of the Streams API provides methods to manipulate the associated ReadableStream and WritableStream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController) */
declare abstract class TransformStreamDefaultController {
- /**
- * The **`desiredSize`** read-only property of the TransformStreamDefaultController interface returns the desired size to fill the queue of the associated ReadableStream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController/desiredSize)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController/desiredSize) */
get desiredSize(): number | null;
- /**
- * The **`enqueue()`** method of the TransformStreamDefaultController interface enqueues the given chunk in the readable side of the stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController/enqueue)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController/enqueue) */
enqueue(chunk?: O): void;
- /**
- * The **`error()`** method of the TransformStreamDefaultController interface errors both sides of the stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController/error)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController/error) */
error(reason: any): void;
- /**
- * The **`terminate()`** method of the TransformStreamDefaultController interface closes the readable side and errors the writable side of the stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController/terminate)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStreamDefaultController/terminate) */
terminate(): void;
}
interface ReadableWritablePair {
@@ -2385,105 +1867,49 @@ interface ReadableWritablePair {
readable: ReadableStream;
}
/**
- * The **`WritableStream`** interface of the Streams API provides a standard abstraction for writing streaming data to a destination, known as a sink.
+ * This Streams API interface provides a standard abstraction for writing streaming data to a destination, known as a sink. This object comes with built-in backpressure and queuing.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStream)
*/
declare class WritableStream {
constructor(underlyingSink?: UnderlyingSink, queuingStrategy?: QueuingStrategy);
- /**
- * The **`locked`** read-only property of the WritableStream interface returns a boolean indicating whether the `WritableStream` is locked to a writer.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStream/locked)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStream/locked) */
get locked(): boolean;
- /**
- * The **`abort()`** method of the WritableStream interface aborts the stream, signaling that the producer can no longer successfully write to the stream and it is to be immediately moved to an error state, with any queued writes discarded.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStream/abort)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStream/abort) */
abort(reason?: any): Promise;
- /**
- * The **`close()`** method of the WritableStream interface closes the associated stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStream/close)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStream/close) */
close(): Promise;
- /**
- * The **`getWriter()`** method of the WritableStream interface returns a new instance of WritableStreamDefaultWriter and locks the stream to that instance.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStream/getWriter)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStream/getWriter) */
getWriter(): WritableStreamDefaultWriter;
}
/**
- * The **`WritableStreamDefaultWriter`** interface of the Streams API is the object returned by WritableStream.getWriter() and once created locks the writer to the `WritableStream` ensuring that no other streams can write to the underlying sink.
+ * This Streams API interface is the object returned by WritableStream.getWriter() and once created locks the < writer to the WritableStream ensuring that no other streams can write to the underlying sink.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter)
*/
declare class WritableStreamDefaultWriter {
constructor(stream: WritableStream);
- /**
- * The **`closed`** read-only property of the the stream errors or the writer's lock is released.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/closed)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/closed) */
get closed(): Promise;
- /**
- * The **`ready`** read-only property of the that resolves when the desired size of the stream's internal queue transitions from non-positive to positive, signaling that it is no longer applying backpressure.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/ready)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/ready) */
get ready(): Promise;
- /**
- * The **`desiredSize`** read-only property of the to fill the stream's internal queue.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/desiredSize)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/desiredSize) */
get desiredSize(): number | null;
- /**
- * The **`abort()`** method of the the producer can no longer successfully write to the stream and it is to be immediately moved to an error state, with any queued writes discarded.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/abort)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/abort) */
abort(reason?: any): Promise;
- /**
- * The **`close()`** method of the stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/close)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/close) */
close(): Promise;
- /**
- * The **`write()`** method of the operation.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/write)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/write) */
write(chunk?: W): Promise;
- /**
- * The **`releaseLock()`** method of the corresponding stream.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/releaseLock)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WritableStreamDefaultWriter/releaseLock) */
releaseLock(): void;
}
-/**
- * The **`TransformStream`** interface of the Streams API represents a concrete implementation of the pipe chain _transform stream_ concept.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStream)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStream) */
declare class TransformStream {
constructor(transformer?: Transformer, writableStrategy?: QueuingStrategy, readableStrategy?: QueuingStrategy);
- /**
- * The **`readable`** read-only property of the TransformStream interface returns the ReadableStream instance controlled by this `TransformStream`.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStream/readable)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStream/readable) */
get readable(): ReadableStream;
- /**
- * The **`writable`** read-only property of the TransformStream interface returns the WritableStream instance controlled by this `TransformStream`.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStream/writable)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TransformStream/writable) */
get writable(): WritableStream;
}
declare class FixedLengthStream extends IdentityTransformStream {
@@ -2498,36 +1924,20 @@ interface IdentityTransformStreamQueuingStrategy {
interface ReadableStreamValuesOptions {
preventCancel?: boolean;
}
-/**
- * The **`CompressionStream`** interface of the Compression Streams API is an API for compressing a stream of data.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/CompressionStream)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CompressionStream) */
declare class CompressionStream extends TransformStream {
constructor(format: "gzip" | "deflate" | "deflate-raw");
}
-/**
- * The **`DecompressionStream`** interface of the Compression Streams API is an API for decompressing a stream of data.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/DecompressionStream)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/DecompressionStream) */
declare class DecompressionStream extends TransformStream {
constructor(format: "gzip" | "deflate" | "deflate-raw");
}
-/**
- * The **`TextEncoderStream`** interface of the Encoding API converts a stream of strings into bytes in the UTF-8 encoding.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TextEncoderStream)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TextEncoderStream) */
declare class TextEncoderStream extends TransformStream {
constructor();
get encoding(): string;
}
-/**
- * The **`TextDecoderStream`** interface of the Encoding API converts a stream of text in a binary encoding, such as UTF-8 etc., to a stream of strings.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/TextDecoderStream)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/TextDecoderStream) */
declare class TextDecoderStream extends TransformStream {
constructor(label?: string, options?: TextDecoderStreamTextDecoderStreamInit);
get encoding(): string;
@@ -2539,33 +1949,25 @@ interface TextDecoderStreamTextDecoderStreamInit {
ignoreBOM?: boolean;
}
/**
- * The **`ByteLengthQueuingStrategy`** interface of the Streams API provides a built-in byte length queuing strategy that can be used when constructing streams.
+ * This Streams API interface provides a built-in byte length queuing strategy that can be used when constructing streams.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ByteLengthQueuingStrategy)
*/
declare class ByteLengthQueuingStrategy implements QueuingStrategy {
constructor(init: QueuingStrategyInit);
- /**
- * The read-only **`ByteLengthQueuingStrategy.highWaterMark`** property returns the total number of bytes that can be contained in the internal queue before backpressure is applied.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/ByteLengthQueuingStrategy/highWaterMark)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ByteLengthQueuingStrategy/highWaterMark) */
get highWaterMark(): number;
/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/ByteLengthQueuingStrategy/size) */
get size(): (chunk?: any) => number;
}
/**
- * The **`CountQueuingStrategy`** interface of the Streams API provides a built-in chunk counting queuing strategy that can be used when constructing streams.
+ * This Streams API interface provides a built-in byte length queuing strategy that can be used when constructing streams.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CountQueuingStrategy)
*/
declare class CountQueuingStrategy implements QueuingStrategy {
constructor(init: QueuingStrategyInit);
- /**
- * The read-only **`CountQueuingStrategy.highWaterMark`** property returns the total number of chunks that can be contained in the internal queue before backpressure is applied.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/CountQueuingStrategy/highWaterMark)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CountQueuingStrategy/highWaterMark) */
get highWaterMark(): number;
/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CountQueuingStrategy/size) */
get size(): (chunk?: any) => number;
@@ -2598,7 +2000,6 @@ interface TraceItem {
readonly scriptVersion?: ScriptVersion;
readonly dispatchNamespace?: string;
readonly scriptTags?: string[];
- readonly durableObjectId?: string;
readonly outcome: string;
readonly executionModel: string;
readonly truncated: boolean;
@@ -2684,231 +2085,111 @@ interface UnsafeTraceMetrics {
fromTrace(item: TraceItem): TraceMetrics;
}
/**
- * The **`URL`** interface is used to parse, construct, normalize, and encode URL.
+ * The URL interface represents an object providing static methods used for creating object URLs.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL)
*/
declare class URL {
constructor(url: string | URL, base?: string | URL);
- /**
- * The **`origin`** read-only property of the URL interface returns a string containing the Unicode serialization of the origin of the represented URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/origin)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/origin) */
get origin(): string;
- /**
- * The **`href`** property of the URL interface is a string containing the whole URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/href)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/href) */
get href(): string;
- /**
- * The **`href`** property of the URL interface is a string containing the whole URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/href)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/href) */
set href(value: string);
- /**
- * The **`protocol`** property of the URL interface is a string containing the protocol or scheme of the URL, including the final `':'`.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/protocol)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/protocol) */
get protocol(): string;
- /**
- * The **`protocol`** property of the URL interface is a string containing the protocol or scheme of the URL, including the final `':'`.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/protocol)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/protocol) */
set protocol(value: string);
- /**
- * The **`username`** property of the URL interface is a string containing the username component of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/username)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/username) */
get username(): string;
- /**
- * The **`username`** property of the URL interface is a string containing the username component of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/username)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/username) */
set username(value: string);
- /**
- * The **`password`** property of the URL interface is a string containing the password component of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/password)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/password) */
get password(): string;
- /**
- * The **`password`** property of the URL interface is a string containing the password component of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/password)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/password) */
set password(value: string);
- /**
- * The **`host`** property of the URL interface is a string containing the host, which is the URL.hostname, and then, if the port of the URL is nonempty, a `':'`, followed by the URL.port of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/host)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/host) */
get host(): string;
- /**
- * The **`host`** property of the URL interface is a string containing the host, which is the URL.hostname, and then, if the port of the URL is nonempty, a `':'`, followed by the URL.port of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/host)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/host) */
set host(value: string);
- /**
- * The **`hostname`** property of the URL interface is a string containing either the domain name or IP address of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/hostname)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/hostname) */
get hostname(): string;
- /**
- * The **`hostname`** property of the URL interface is a string containing either the domain name or IP address of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/hostname)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/hostname) */
set hostname(value: string);
- /**
- * The **`port`** property of the URL interface is a string containing the port number of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/port)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/port) */
get port(): string;
- /**
- * The **`port`** property of the URL interface is a string containing the port number of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/port)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/port) */
set port(value: string);
- /**
- * The **`pathname`** property of the URL interface represents a location in a hierarchical structure.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/pathname)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/pathname) */
get pathname(): string;
- /**
- * The **`pathname`** property of the URL interface represents a location in a hierarchical structure.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/pathname)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/pathname) */
set pathname(value: string);
- /**
- * The **`search`** property of the URL interface is a search string, also called a _query string_, that is a string containing a `'?'` followed by the parameters of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/search)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/search) */
get search(): string;
- /**
- * The **`search`** property of the URL interface is a search string, also called a _query string_, that is a string containing a `'?'` followed by the parameters of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/search)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/search) */
set search(value: string);
- /**
- * The **`hash`** property of the URL interface is a string containing a `'#'` followed by the fragment identifier of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/hash)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/hash) */
get hash(): string;
- /**
- * The **`hash`** property of the URL interface is a string containing a `'#'` followed by the fragment identifier of the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/hash)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/hash) */
set hash(value: string);
- /**
- * The **`searchParams`** read-only property of the access to the [MISSING: httpmethod('GET')] decoded query arguments contained in the URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/searchParams)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/searchParams) */
get searchParams(): URLSearchParams;
- /**
- * The **`toJSON()`** method of the URL interface returns a string containing a serialized version of the URL, although in practice it seems to have the same effect as ```js-nolint toJSON() ``` None.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/toJSON)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/toJSON) */
toJSON(): string;
/*function toString() { [native code] }*/
toString(): string;
- /**
- * The **`URL.canParse()`** static method of the URL interface returns a boolean indicating whether or not an absolute URL, or a relative URL combined with a base URL, are parsable and valid.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/canParse_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/canParse_static) */
static canParse(url: string, base?: string): boolean;
- /**
- * The **`URL.parse()`** static method of the URL interface returns a newly created URL object representing the URL defined by the parameters.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/parse_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/parse_static) */
static parse(url: string, base?: string): URL | null;
- /**
- * The **`createObjectURL()`** static method of the URL interface creates a string containing a URL representing the object given in the parameter.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/createObjectURL_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/createObjectURL_static) */
static createObjectURL(object: File | Blob): string;
- /**
- * The **`revokeObjectURL()`** static method of the URL interface releases an existing object URL which was previously created by calling Call this method when you've finished using an object URL to let the browser know not to keep the reference to the file any longer.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/revokeObjectURL_static)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URL/revokeObjectURL_static) */
static revokeObjectURL(object_url: string): void;
}
-/**
- * The **`URLSearchParams`** interface defines utility methods to work with the query string of a URL.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams) */
declare class URLSearchParams {
constructor(init?: (Iterable> | Record | string));
- /**
- * The **`size`** read-only property of the URLSearchParams interface indicates the total number of search parameter entries.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/size)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/size) */
get size(): number;
/**
- * The **`append()`** method of the URLSearchParams interface appends a specified key/value pair as a new search parameter.
+ * Appends a specified key/value pair as a new search parameter.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/append)
*/
append(name: string, value: string): void;
/**
- * The **`delete()`** method of the URLSearchParams interface deletes specified parameters and their associated value(s) from the list of all search parameters.
+ * Deletes the given search parameter, and its associated value, from the list of all search parameters.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/delete)
*/
delete(name: string, value?: string): void;
/**
- * The **`get()`** method of the URLSearchParams interface returns the first value associated to the given search parameter.
+ * Returns the first value associated to the given search parameter.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/get)
*/
get(name: string): string | null;
/**
- * The **`getAll()`** method of the URLSearchParams interface returns all the values associated with a given search parameter as an array.
+ * Returns all the values association with a given search parameter.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/getAll)
*/
getAll(name: string): string[];
/**
- * The **`has()`** method of the URLSearchParams interface returns a boolean value that indicates whether the specified parameter is in the search parameters.
+ * Returns a Boolean indicating if such a search parameter exists.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/has)
*/
has(name: string, value?: string): boolean;
/**
- * The **`set()`** method of the URLSearchParams interface sets the value associated with a given search parameter to the given value.
+ * Sets the value associated to a given search parameter to the given value. If there were several values, delete the others.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/set)
*/
set(name: string, value: string): void;
- /**
- * The **`URLSearchParams.sort()`** method sorts all key/value pairs contained in this object in place and returns `undefined`.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/sort)
- */
+ /* [MDN Reference](https://developer.mozilla.org/docs/Web/API/URLSearchParams/sort) */
sort(): void;
/* Returns an array of key, value pairs for every entry in the search params. */
entries(): IterableIterator<[
@@ -2920,7 +2201,7 @@ declare class URLSearchParams {
/* Returns a list of values in the search params. */
values(): IterableIterator;
forEach(callback: (this: This, value: string, key: string, parent: URLSearchParams) => void, thisArg?: This): void;
- /*function toString() { [native code] }*/
+ /*function toString() { [native code] } Returns a string containing a query string suitable for use in a URL. Does not include the question mark. */
toString(): string;
[Symbol.iterator](): IterableIterator<[
key: string,
@@ -2937,7 +2218,6 @@ declare class URLPattern {
get pathname(): string;
get search(): string;
get hash(): string;
- get hasRegExpGroups(): boolean;
test(input?: (string | URLPatternInit), baseURL?: string): boolean;
exec(input?: (string | URLPatternInit), baseURL?: string): URLPatternResult | null;
}
@@ -2971,26 +2251,26 @@ interface URLPatternOptions {
ignoreCase?: boolean;
}
/**
- * A `CloseEvent` is sent to clients using WebSockets when the connection is closed.
+ * A CloseEvent is sent to clients using WebSockets when the connection is closed. This is delivered to the listener indicated by the WebSocket object's onclose attribute.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CloseEvent)
*/
declare class CloseEvent extends Event {
constructor(type: string, initializer?: CloseEventInit);
/**
- * The **`code`** read-only property of the CloseEvent interface returns a WebSocket connection close code indicating the reason the connection was closed.
+ * Returns the WebSocket connection close code provided by the server.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CloseEvent/code)
*/
readonly code: number;
/**
- * The **`reason`** read-only property of the CloseEvent interface returns the WebSocket connection close reason the server gave for closing the connection; that is, a concise human-readable prose explanation for the closure.
+ * Returns the WebSocket connection close reason provided by the server.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CloseEvent/reason)
*/
readonly reason: string;
/**
- * The **`wasClean`** read-only property of the CloseEvent interface returns `true` if the connection closed cleanly.
+ * Returns true if the connection closed cleanly; false otherwise.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/CloseEvent/wasClean)
*/
@@ -3001,6 +2281,23 @@ interface CloseEventInit {
reason?: string;
wasClean?: boolean;
}
+/**
+ * A message received by a target object.
+ *
+ * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageEvent)
+ */
+declare class MessageEvent extends Event {
+ constructor(type: string, initializer: MessageEventInit);
+ /**
+ * Returns the data of the message.
+ *
+ * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageEvent/data)
+ */
+ readonly data: ArrayBuffer | string;
+}
+interface MessageEventInit {
+ data: ArrayBuffer | string;
+}
type WebSocketEventMap = {
close: CloseEvent;
message: MessageEvent;
@@ -3008,7 +2305,7 @@ type WebSocketEventMap = {
error: ErrorEvent;
};
/**
- * The `WebSocket` object provides the API for creating and managing a WebSocket connection to a server, as well as for sending and receiving data on the connection.
+ * Provides the API for creating and managing a WebSocket connection to a server, as well as for sending and receiving data on the connection.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WebSocket)
*/
@@ -3025,20 +2322,20 @@ declare var WebSocket: {
readonly CLOSED: number;
};
/**
- * The `WebSocket` object provides the API for creating and managing a WebSocket connection to a server, as well as for sending and receiving data on the connection.
+ * Provides the API for creating and managing a WebSocket connection to a server, as well as for sending and receiving data on the connection.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WebSocket)
*/
interface WebSocket extends EventTarget {
accept(): void;
/**
- * The **`WebSocket.send()`** method enqueues the specified data to be transmitted to the server over the WebSocket connection, increasing the value of `bufferedAmount` by the number of bytes needed to contain the data.
+ * Transmits data using the WebSocket connection. data can be a string, a Blob, an ArrayBuffer, or an ArrayBufferView.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WebSocket/send)
*/
send(message: (ArrayBuffer | ArrayBufferView) | string): void;
/**
- * The **`WebSocket.close()`** method closes the already `CLOSED`, this method does nothing.
+ * Closes the WebSocket connection, optionally using code as the the WebSocket connection close code and reason as the the WebSocket connection close reason.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WebSocket/close)
*/
@@ -3046,25 +2343,25 @@ interface WebSocket extends EventTarget {
serializeAttachment(attachment: any): void;
deserializeAttachment(): any | null;
/**
- * The **`WebSocket.readyState`** read-only property returns the current state of the WebSocket connection.
+ * Returns the state of the WebSocket object's connection. It can have the values described below.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WebSocket/readyState)
*/
readyState: number;
/**
- * The **`WebSocket.url`** read-only property returns the absolute URL of the WebSocket as resolved by the constructor.
+ * Returns the URL that was used to establish the WebSocket connection.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WebSocket/url)
*/
url: string | null;
/**
- * The **`WebSocket.protocol`** read-only property returns the name of the sub-protocol the server selected; this will be one of the strings specified in the `protocols` parameter when creating the WebSocket object, or the empty string if no connection is established.
+ * Returns the subprotocol selected by the server, if any. It can be used in conjunction with the array form of the constructor's second argument to perform subprotocol negotiation.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WebSocket/protocol)
*/
protocol: string | null;
/**
- * The **`WebSocket.extensions`** read-only property returns the extensions selected by the server.
+ * Returns the extensions selected by the server, if any.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/WebSocket/extensions)
*/
@@ -3127,33 +2424,29 @@ interface SocketInfo {
remoteAddress?: string;
localAddress?: string;
}
-/**
- * The **`EventSource`** interface is web content's interface to server-sent events.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventSource)
- */
+/* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventSource) */
declare class EventSource extends EventTarget {
constructor(url: string, init?: EventSourceEventSourceInit);
/**
- * The **`close()`** method of the EventSource interface closes the connection, if one is made, and sets the ```js-nolint close() ``` None.
+ * Aborts any instances of the fetch algorithm started for this EventSource object, and sets the readyState attribute to CLOSED.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventSource/close)
*/
close(): void;
/**
- * The **`url`** read-only property of the URL of the source.
+ * Returns the URL providing the event stream.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventSource/url)
*/
get url(): string;
/**
- * The **`withCredentials`** read-only property of the the `EventSource` object was instantiated with CORS credentials set.
+ * Returns true if the credentials mode for connection requests to the URL providing the event stream is set to "include", and false otherwise.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventSource/withCredentials)
*/
get withCredentials(): boolean;
/**
- * The **`readyState`** read-only property of the connection.
+ * Returns the state of this EventSource object's connection. It can have the values described below.
*
* [MDN Reference](https://developer.mozilla.org/docs/Web/API/EventSource/readyState)
*/
@@ -3186,132 +2479,11 @@ interface Container {
destroy(error?: any): Promise;
signal(signo: number): void;
getTcpPort(port: number): Fetcher;
- setInactivityTimeout(durationMs: number | bigint): Promise;
}
interface ContainerStartupOptions {
entrypoint?: string[];
enableInternet: boolean;
env?: Record;
- hardTimeout?: (number | bigint);
-}
-/**
- * The **`MessagePort`** interface of the Channel Messaging API represents one of the two ports of a MessageChannel, allowing messages to be sent from one port and listening out for them arriving at the other.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessagePort)
- */
-declare abstract class MessagePort extends EventTarget {
- /**
- * The **`postMessage()`** method of the transfers ownership of objects to other browsing contexts.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessagePort/postMessage)
- */
- postMessage(data?: any, options?: (any[] | MessagePortPostMessageOptions)): void;
- /**
- * The **`close()`** method of the MessagePort interface disconnects the port, so it is no longer active.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessagePort/close)
- */
- close(): void;
- /**
- * The **`start()`** method of the MessagePort interface starts the sending of messages queued on the port.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessagePort/start)
- */
- start(): void;
- get onmessage(): any | null;
- set onmessage(value: any | null);
-}
-/**
- * The **`MessageChannel`** interface of the Channel Messaging API allows us to create a new message channel and send data through it via its two MessagePort properties.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageChannel)
- */
-declare class MessageChannel {
- constructor();
- /**
- * The **`port1`** read-only property of the the port attached to the context that originated the channel.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageChannel/port1)
- */
- readonly port1: MessagePort;
- /**
- * The **`port2`** read-only property of the the port attached to the context at the other end of the channel, which the message is initially sent to.
- *
- * [MDN Reference](https://developer.mozilla.org/docs/Web/API/MessageChannel/port2)
- */
- readonly port2: MessagePort;
-}
-interface MessagePortPostMessageOptions {
- transfer?: any[];
-}
-type LoopbackForExport Rpc.EntrypointBranded) | ExportedHandler | undefined = undefined> = T extends new (...args: any[]) => Rpc.WorkerEntrypointBranded ? LoopbackServiceStub> : T extends new (...args: any[]) => Rpc.DurableObjectBranded ? LoopbackDurableObjectClass> : T extends ExportedHandler ? LoopbackServiceStub : undefined;
-type LoopbackServiceStub = Fetcher & (T extends CloudflareWorkersModule.WorkerEntrypoint ? (opts: {
- props?: Props;
-}) => Fetcher : (opts: {
- props?: any;
-}) => Fetcher);
-type LoopbackDurableObjectClass = DurableObjectClass & (T extends CloudflareWorkersModule.DurableObject ? (opts: {
- props?: Props;
-}) => DurableObjectClass : (opts: {
- props?: any;
-}) => DurableObjectClass);
-interface SyncKvStorage {
- get(key: string): T | undefined;
- list(options?: SyncKvListOptions): Iterable<[
- string,
- T
- ]>;
- put(key: string, value: T): void;
- delete(key: string): boolean;
-}
-interface SyncKvListOptions {
- start?: string;
- startAfter?: string;
- end?: string;
- prefix?: string;
- reverse?: boolean;
- limit?: number;
-}
-interface WorkerStub {
- getEntrypoint(name?: string, options?: WorkerStubEntrypointOptions): Fetcher;
-}
-interface WorkerStubEntrypointOptions {
- props?: any;
-}
-interface WorkerLoader {
- get(name: string | null, getCode: () => WorkerLoaderWorkerCode | Promise): WorkerStub;
-}
-interface WorkerLoaderModule {
- js?: string;
- cjs?: string;
- text?: string;
- data?: ArrayBuffer;
- json?: any;
- py?: string;
- wasm?: ArrayBuffer;
-}
-interface WorkerLoaderWorkerCode {
- compatibilityDate: string;
- compatibilityFlags?: string[];
- allowExperimental?: boolean;
- mainModule: string;
- modules: Record;
- env?: any;
- globalOutbound?: (Fetcher | null);
- tails?: Fetcher[];
- streamingTails?: Fetcher[];
-}
-/**
-* The Workers runtime supports a subset of the Performance API, used to measure timing and performance,
-* as well as timing of subrequests and other operations.
-*
-* [Cloudflare Docs Reference](https://developers.cloudflare.com/workers/runtime-apis/performance/)
-*/
-declare abstract class Performance {
- /* [Cloudflare Docs Reference](https://developers.cloudflare.com/workers/runtime-apis/performance/#performancetimeorigin) */
- get timeOrigin(): number;
- /* [Cloudflare Docs Reference](https://developers.cloudflare.com/workers/runtime-apis/performance/#performancenow) */
- now(): number;
}
type AiImageClassificationInput = {
image: number[];
@@ -3367,18 +2539,6 @@ declare abstract class BaseAiImageTextToText {
inputs: AiImageTextToTextInput;
postProcessedOutputs: AiImageTextToTextOutput;
}
-type AiMultimodalEmbeddingsInput = {
- image: string;
- text: string[];
-};
-type AiIMultimodalEmbeddingsOutput = {
- data: number[][];
- shape: number[];
-};
-declare abstract class BaseAiMultimodalEmbeddings {
- inputs: AiImageTextToTextInput;
- postProcessedOutputs: AiImageTextToTextOutput;
-}
type AiObjectDetectionInput = {
image: number[];
};
@@ -3509,27 +2669,12 @@ type AiTextGenerationInput = {
tools?: AiTextGenerationToolInput[] | AiTextGenerationToolLegacyInput[] | (object & NonNullable);
functions?: AiTextGenerationFunctionsInput[];
};
-type AiTextGenerationToolLegacyOutput = {
- name: string;
- arguments: unknown;
-};
-type AiTextGenerationToolOutput = {
- id: string;
- type: "function";
- function: {
- name: string;
- arguments: string;
- };
-};
-type UsageTags = {
- prompt_tokens: number;
- completion_tokens: number;
- total_tokens: number;
-};
type AiTextGenerationOutput = {
response?: string;
- tool_calls?: AiTextGenerationToolLegacyOutput[] & AiTextGenerationToolOutput[];
- usage?: UsageTags;
+ tool_calls?: {
+ name: string;
+ arguments: unknown;
+ }[];
};
declare abstract class BaseAiTextGeneration {
inputs: AiTextGenerationInput;
@@ -3576,363 +2721,6 @@ declare abstract class BaseAiTranslation {
inputs: AiTranslationInput;
postProcessedOutputs: AiTranslationOutput;
}
-/**
- * Workers AI support for OpenAI's Responses API
- * Reference: https://github.com/openai/openai-node/blob/master/src/resources/responses/responses.ts
- *
- * It's a stripped down version from its source.
- * It currently supports basic function calling, json mode and accepts images as input.
- *
- * It does not include types for WebSearch, CodeInterpreter, FileInputs, MCP, CustomTools.
- * We plan to add those incrementally as model + platform capabilities evolve.
- */
-type ResponsesInput = {
- background?: boolean | null;
- conversation?: string | ResponseConversationParam | null;
- include?: Array | null;
- input?: string | ResponseInput;
- instructions?: string | null;
- max_output_tokens?: number | null;
- parallel_tool_calls?: boolean | null;
- previous_response_id?: string | null;
- prompt_cache_key?: string;
- reasoning?: Reasoning | null;
- safety_identifier?: string;
- service_tier?: "auto" | "default" | "flex" | "scale" | "priority" | null;
- stream?: boolean | null;
- stream_options?: StreamOptions | null;
- temperature?: number | null;
- text?: ResponseTextConfig;
- tool_choice?: ToolChoiceOptions | ToolChoiceFunction;
- tools?: Array;
- top_p?: number | null;
- truncation?: "auto" | "disabled" | null;
-};
-type ResponsesOutput = {
- id?: string;
- created_at?: number;
- output_text?: string;
- error?: ResponseError | null;
- incomplete_details?: ResponseIncompleteDetails | null;
- instructions?: string | Array | null;
- object?: "response";
- output?: Array;
- parallel_tool_calls?: boolean;
- temperature?: number | null;
- tool_choice?: ToolChoiceOptions | ToolChoiceFunction;
- tools?: Array;
- top_p?: number | null;
- max_output_tokens?: number | null;
- previous_response_id?: string | null;
- prompt?: ResponsePrompt | null;
- reasoning?: Reasoning | null;
- safety_identifier?: string;
- service_tier?: "auto" | "default" | "flex" | "scale" | "priority" | null;
- status?: ResponseStatus;
- text?: ResponseTextConfig;
- truncation?: "auto" | "disabled" | null;
- usage?: ResponseUsage;
-};
-type EasyInputMessage = {
- content: string | ResponseInputMessageContentList;
- role: "user" | "assistant" | "system" | "developer";
- type?: "message";
-};
-type ResponsesFunctionTool = {
- name: string;
- parameters: {
- [key: string]: unknown;
- } | null;
- strict: boolean | null;
- type: "function";
- description?: string | null;
-};
-type ResponseIncompleteDetails = {
- reason?: "max_output_tokens" | "content_filter";
-};
-type ResponsePrompt = {
- id: string;
- variables?: {
- [key: string]: string | ResponseInputText | ResponseInputImage;
- } | null;
- version?: string | null;
-};
-type Reasoning = {
- effort?: ReasoningEffort | null;
- generate_summary?: "auto" | "concise" | "detailed" | null;
- summary?: "auto" | "concise" | "detailed" | null;
-};
-type ResponseContent = ResponseInputText | ResponseInputImage | ResponseOutputText | ResponseOutputRefusal | ResponseContentReasoningText;
-type ResponseContentReasoningText = {
- text: string;
- type: "reasoning_text";
-};
-type ResponseConversationParam = {
- id: string;
-};
-type ResponseCreatedEvent = {
- response: Response;
- sequence_number: number;
- type: "response.created";
-};
-type ResponseCustomToolCallOutput = {
- call_id: string;
- output: string | Array;
- type: "custom_tool_call_output";
- id?: string;
-};
-type ResponseError = {
- code: "server_error" | "rate_limit_exceeded" | "invalid_prompt" | "vector_store_timeout" | "invalid_image" | "invalid_image_format" | "invalid_base64_image" | "invalid_image_url" | "image_too_large" | "image_too_small" | "image_parse_error" | "image_content_policy_violation" | "invalid_image_mode" | "image_file_too_large" | "unsupported_image_media_type" | "empty_image_file" | "failed_to_download_image" | "image_file_not_found";
- message: string;
-};
-type ResponseErrorEvent = {
- code: string | null;
- message: string;
- param: string | null;
- sequence_number: number;
- type: "error";
-};
-type ResponseFailedEvent = {
- response: Response;
- sequence_number: number;
- type: "response.failed";
-};
-type ResponseFormatText = {
- type: "text";
-};
-type ResponseFormatJSONObject = {
- type: "json_object";
-};
-type ResponseFormatTextConfig = ResponseFormatText | ResponseFormatTextJSONSchemaConfig | ResponseFormatJSONObject;
-type ResponseFormatTextJSONSchemaConfig = {
- name: string;
- schema: {
- [key: string]: unknown;
- };
- type: "json_schema";
- description?: string;
- strict?: boolean | null;
-};
-type ResponseFunctionCallArgumentsDeltaEvent = {
- delta: string;
- item_id: string;
- output_index: number;
- sequence_number: number;
- type: "response.function_call_arguments.delta";
-};
-type ResponseFunctionCallArgumentsDoneEvent = {
- arguments: string;
- item_id: string;
- name: string;
- output_index: number;
- sequence_number: number;
- type: "response.function_call_arguments.done";
-};
-type ResponseFunctionCallOutputItem = ResponseInputTextContent | ResponseInputImageContent;
-type ResponseFunctionCallOutputItemList = Array;
-type ResponseFunctionToolCall = {
- arguments: string;
- call_id: string;
- name: string;
- type: "function_call";
- id?: string;
- status?: "in_progress" | "completed" | "incomplete";
-};
-interface ResponseFunctionToolCallItem extends ResponseFunctionToolCall {
- id: string;
-}
-type ResponseFunctionToolCallOutputItem = {
- id: string;
- call_id: string;
- output: string | Array;
- type: "function_call_output";
- status?: "in_progress" | "completed" | "incomplete";
-};
-type ResponseIncludable = "message.input_image.image_url" | "message.output_text.logprobs";
-type ResponseIncompleteEvent = {
- response: Response;
- sequence_number: number;
- type: "response.incomplete";
-};
-type ResponseInput = Array;
-type ResponseInputContent = ResponseInputText | ResponseInputImage;
-type ResponseInputImage = {
- detail: "low" | "high" | "auto";
- type: "input_image";
- /**
- * Base64 encoded image
- */
- image_url?: string | null;
-};
-type ResponseInputImageContent = {
- type: "input_image";
- detail?: "low" | "high" | "auto" | null;
- /**
- * Base64 encoded image
- */
- image_url?: string | null;
-};
-type ResponseInputItem = EasyInputMessage | ResponseInputItemMessage | ResponseOutputMessage | ResponseFunctionToolCall | ResponseInputItemFunctionCallOutput | ResponseReasoningItem;
-type ResponseInputItemFunctionCallOutput = {
- call_id: string;
- output: string | ResponseFunctionCallOutputItemList;
- type: "function_call_output";
- id?: string | null;
- status?: "in_progress" | "completed" | "incomplete" | null;
-};
-type ResponseInputItemMessage = {
- content: ResponseInputMessageContentList;
- role: "user" | "system" | "developer";
- status?: "in_progress" | "completed" | "incomplete";
- type?: "message";
-};
-type ResponseInputMessageContentList = Array;
-type ResponseInputMessageItem = {
- id: string;
- content: ResponseInputMessageContentList;
- role: "user" | "system" | "developer";
- status?: "in_progress" | "completed" | "incomplete";
- type?: "message";
-};
-type ResponseInputText = {
- text: string;
- type: "input_text";
-};
-type ResponseInputTextContent = {
- text: string;
- type: "input_text";
-};
-type ResponseItem = ResponseInputMessageItem | ResponseOutputMessage | ResponseFunctionToolCallItem | ResponseFunctionToolCallOutputItem;
-type ResponseOutputItem = ResponseOutputMessage | ResponseFunctionToolCall | ResponseReasoningItem;
-type ResponseOutputItemAddedEvent = {
- item: ResponseOutputItem;
- output_index: number;
- sequence_number: number;
- type: "response.output_item.added";
-};
-type ResponseOutputItemDoneEvent = {
- item: ResponseOutputItem;
- output_index: number;
- sequence_number: number;
- type: "response.output_item.done";
-};
-type ResponseOutputMessage = {
- id: string;
- content: Array;
- role: "assistant";
- status: "in_progress" | "completed" | "incomplete";
- type: "message";
-};
-type ResponseOutputRefusal = {
- refusal: string;
- type: "refusal";
-};
-type ResponseOutputText = {
- text: string;
- type: "output_text";
- logprobs?: Array;
-};
-type ResponseReasoningItem = {
- id: string;
- summary: Array;
- type: "reasoning";
- content?: Array;
- encrypted_content?: string | null;
- status?: "in_progress" | "completed" | "incomplete";
-};
-type ResponseReasoningSummaryItem = {
- text: string;
- type: "summary_text";
-};
-type ResponseReasoningContentItem = {
- text: string;
- type: "reasoning_text";
-};
-type ResponseReasoningTextDeltaEvent = {
- content_index: number;
- delta: string;
- item_id: string;
- output_index: number;
- sequence_number: number;
- type: "response.reasoning_text.delta";
-};
-type ResponseReasoningTextDoneEvent = {
- content_index: number;
- item_id: string;
- output_index: number;
- sequence_number: number;
- text: string;
- type: "response.reasoning_text.done";
-};
-type ResponseRefusalDeltaEvent = {
- content_index: number;
- delta: string;
- item_id: string;
- output_index: number;
- sequence_number: number;
- type: "response.refusal.delta";
-};
-type ResponseRefusalDoneEvent = {
- content_index: number;
- item_id: string;
- output_index: number;
- refusal: string;
- sequence_number: number;
- type: "response.refusal.done";
-};
-type ResponseStatus = "completed" | "failed" | "in_progress" | "cancelled" | "queued" | "incomplete";
-type ResponseStreamEvent = ResponseCompletedEvent | ResponseCreatedEvent | ResponseErrorEvent | ResponseFunctionCallArgumentsDeltaEvent | ResponseFunctionCallArgumentsDoneEvent | ResponseFailedEvent | ResponseIncompleteEvent | ResponseOutputItemAddedEvent | ResponseOutputItemDoneEvent | ResponseReasoningTextDeltaEvent | ResponseReasoningTextDoneEvent | ResponseRefusalDeltaEvent | ResponseRefusalDoneEvent | ResponseTextDeltaEvent | ResponseTextDoneEvent;
-type ResponseCompletedEvent = {
- response: Response;
- sequence_number: number;
- type: "response.completed";
-};
-type ResponseTextConfig = {
- format?: ResponseFormatTextConfig;
- verbosity?: "low" | "medium" | "high" | null;
-};
-type ResponseTextDeltaEvent = {
- content_index: number;
- delta: string;
- item_id: string;
- logprobs: Array;
- output_index: number;
- sequence_number: number;
- type: "response.output_text.delta";
-};
-type ResponseTextDoneEvent = {
- content_index: number;
- item_id: string;
- logprobs: Array;
- output_index: number;
- sequence_number: number;
- text: string;
- type: "response.output_text.done";
-};
-type Logprob = {
- token: string;
- logprob: number;
- top_logprobs?: Array;
-};
-type TopLogprob = {
- token?: string;
- logprob?: number;
-};
-type ResponseUsage = {
- input_tokens: number;
- output_tokens: number;
- total_tokens: number;
-};
-type Tool = ResponsesFunctionTool;
-type ToolChoiceFunction = {
- name: string;
- type: "function";
-};
-type ToolChoiceOptions = "none";
-type ReasoningEffort = "minimal" | "low" | "medium" | "high" | null;
-type StreamOptions = {
- include_obfuscation?: boolean;
-};
type Ai_Cf_Baai_Bge_Base_En_V1_5_Input = {
text: string | string[];
/**
@@ -3961,8 +2749,8 @@ type Ai_Cf_Baai_Bge_Base_En_V1_5_Output = {
* The pooling method used in the embedding process.
*/
pooling?: "mean" | "cls";
-} | Ai_Cf_Baai_Bge_Base_En_V1_5_AsyncResponse;
-interface Ai_Cf_Baai_Bge_Base_En_V1_5_AsyncResponse {
+} | AsyncResponse;
+interface AsyncResponse {
/**
* The async request id that can be used to obtain the results.
*/
@@ -4038,13 +2826,7 @@ type Ai_Cf_Meta_M2M100_1_2B_Output = {
* The translated text in the target language
*/
translated_text?: string;
-} | Ai_Cf_Meta_M2M100_1_2B_AsyncResponse;
-interface Ai_Cf_Meta_M2M100_1_2B_AsyncResponse {
- /**
- * The async request id that can be used to obtain the results.
- */
- request_id?: string;
-}
+} | AsyncResponse;
declare abstract class Base_Ai_Cf_Meta_M2M100_1_2B {
inputs: Ai_Cf_Meta_M2M100_1_2B_Input;
postProcessedOutputs: Ai_Cf_Meta_M2M100_1_2B_Output;
@@ -4077,13 +2859,7 @@ type Ai_Cf_Baai_Bge_Small_En_V1_5_Output = {
* The pooling method used in the embedding process.
*/
pooling?: "mean" | "cls";
-} | Ai_Cf_Baai_Bge_Small_En_V1_5_AsyncResponse;
-interface Ai_Cf_Baai_Bge_Small_En_V1_5_AsyncResponse {
- /**
- * The async request id that can be used to obtain the results.
- */
- request_id?: string;
-}
+} | AsyncResponse;
declare abstract class Base_Ai_Cf_Baai_Bge_Small_En_V1_5 {
inputs: Ai_Cf_Baai_Bge_Small_En_V1_5_Input;
postProcessedOutputs: Ai_Cf_Baai_Bge_Small_En_V1_5_Output;
@@ -4116,13 +2892,7 @@ type Ai_Cf_Baai_Bge_Large_En_V1_5_Output = {
* The pooling method used in the embedding process.
*/
pooling?: "mean" | "cls";
-} | Ai_Cf_Baai_Bge_Large_En_V1_5_AsyncResponse;
-interface Ai_Cf_Baai_Bge_Large_En_V1_5_AsyncResponse {
- /**
- * The async request id that can be used to obtain the results.
- */
- request_id?: string;
-}
+} | AsyncResponse;
declare abstract class Base_Ai_Cf_Baai_Bge_Large_En_V1_5 {
inputs: Ai_Cf_Baai_Bge_Large_En_V1_5_Input;
postProcessedOutputs: Ai_Cf_Baai_Bge_Large_En_V1_5_Output;
@@ -4308,13 +3078,13 @@ declare abstract class Base_Ai_Cf_Openai_Whisper_Large_V3_Turbo {
inputs: Ai_Cf_Openai_Whisper_Large_V3_Turbo_Input;
postProcessedOutputs: Ai_Cf_Openai_Whisper_Large_V3_Turbo_Output;
}
-type Ai_Cf_Baai_Bge_M3_Input = Ai_Cf_Baai_Bge_M3_Input_QueryAnd_Contexts | Ai_Cf_Baai_Bge_M3_Input_Embedding | {
+type Ai_Cf_Baai_Bge_M3_Input = BGEM3InputQueryAndContexts | BGEM3InputEmbedding | {
/**
* Batch of the embeddings requests to run using async-queue
*/
- requests: (Ai_Cf_Baai_Bge_M3_Input_QueryAnd_Contexts_1 | Ai_Cf_Baai_Bge_M3_Input_Embedding_1)[];
+ requests: (BGEM3InputQueryAndContexts1 | BGEM3InputEmbedding1)[];
};
-interface Ai_Cf_Baai_Bge_M3_Input_QueryAnd_Contexts {
+interface BGEM3InputQueryAndContexts {
/**
* A query you wish to perform against the provided contexts. If no query is provided the model with respond with embeddings for contexts
*/
@@ -4333,14 +3103,14 @@ interface Ai_Cf_Baai_Bge_M3_Input_QueryAnd_Contexts {
*/
truncate_inputs?: boolean;
}
-interface Ai_Cf_Baai_Bge_M3_Input_Embedding {
+interface BGEM3InputEmbedding {
text: string | string[];
/**
* When provided with too long context should the model error out or truncate the context to fit?
*/
truncate_inputs?: boolean;
}
-interface Ai_Cf_Baai_Bge_M3_Input_QueryAnd_Contexts_1 {
+interface BGEM3InputQueryAndContexts1 {
/**
* A query you wish to perform against the provided contexts. If no query is provided the model with respond with embeddings for contexts
*/
@@ -4359,15 +3129,15 @@ interface Ai_Cf_Baai_Bge_M3_Input_QueryAnd_Contexts_1 {
*/
truncate_inputs?: boolean;
}
-interface Ai_Cf_Baai_Bge_M3_Input_Embedding_1 {
+interface BGEM3InputEmbedding1 {
text: string | string[];
/**
* When provided with too long context should the model error out or truncate the context to fit?
*/
truncate_inputs?: boolean;
}
-type Ai_Cf_Baai_Bge_M3_Output = Ai_Cf_Baai_Bge_M3_Ouput_Query | Ai_Cf_Baai_Bge_M3_Output_EmbeddingFor_Contexts | Ai_Cf_Baai_Bge_M3_Ouput_Embedding | Ai_Cf_Baai_Bge_M3_AsyncResponse;
-interface Ai_Cf_Baai_Bge_M3_Ouput_Query {
+type Ai_Cf_Baai_Bge_M3_Output = BGEM3OuputQuery | BGEM3OutputEmbeddingForContexts | BGEM3OuputEmbedding | AsyncResponse;
+interface BGEM3OuputQuery {
response?: {
/**
* Index of the context in the request
@@ -4379,7 +3149,7 @@ interface Ai_Cf_Baai_Bge_M3_Ouput_Query {
score?: number;
}[];
}
-interface Ai_Cf_Baai_Bge_M3_Output_EmbeddingFor_Contexts {
+interface BGEM3OutputEmbeddingForContexts {
response?: number[][];
shape?: number[];
/**
@@ -4387,7 +3157,7 @@ interface Ai_Cf_Baai_Bge_M3_Output_EmbeddingFor_Contexts {
*/
pooling?: "mean" | "cls";
}
-interface Ai_Cf_Baai_Bge_M3_Ouput_Embedding {
+interface BGEM3OuputEmbedding {
shape?: number[];
/**
* Embeddings of the requested text values
@@ -4398,12 +3168,6 @@ interface Ai_Cf_Baai_Bge_M3_Ouput_Embedding {
*/
pooling?: "mean" | "cls";
}
-interface Ai_Cf_Baai_Bge_M3_AsyncResponse {
- /**
- * The async request id that can be used to obtain the results.
- */
- request_id?: string;
-}
declare abstract class Base_Ai_Cf_Baai_Bge_M3 {
inputs: Ai_Cf_Baai_Bge_M3_Input;
postProcessedOutputs: Ai_Cf_Baai_Bge_M3_Output;
@@ -4428,8 +3192,8 @@ declare abstract class Base_Ai_Cf_Black_Forest_Labs_Flux_1_Schnell {
inputs: Ai_Cf_Black_Forest_Labs_Flux_1_Schnell_Input;
postProcessedOutputs: Ai_Cf_Black_Forest_Labs_Flux_1_Schnell_Output;
}
-type Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct_Input = Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct_Prompt | Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct_Messages;
-interface Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct_Prompt {
+type Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct_Input = Prompt | Messages;
+interface Prompt {
/**
* The input text prompt for the model to generate a response.
*/
@@ -4480,7 +3244,7 @@ interface Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct_Prompt {
*/
lora?: string;
}
-interface Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct_Messages {
+interface Messages {
/**
* An array of message objects representing the conversation history.
*/
@@ -4671,8 +3435,8 @@ declare abstract class Base_Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct {
inputs: Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct_Input;
postProcessedOutputs: Ai_Cf_Meta_Llama_3_2_11B_Vision_Instruct_Output;
}
-type Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Input = Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Prompt | Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Messages | Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Async_Batch;
-interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Prompt {
+type Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Input = Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Prompt | Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Messages | AsyncBatch;
+interface Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Prompt {
/**
* The input text prompt for the model to generate a response.
*/
@@ -4681,7 +3445,7 @@ interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Prompt {
* Name of the LoRA (Low-Rank Adaptation) model to fine-tune the base model.
*/
lora?: string;
- response_format?: Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_JSON_Mode;
+ response_format?: JSONMode;
/**
* If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
*/
@@ -4723,11 +3487,11 @@ interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Prompt {
*/
presence_penalty?: number;
}
-interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_JSON_Mode {
+interface JSONMode {
type?: "json_object" | "json_schema";
json_schema?: unknown;
}
-interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Messages {
+interface Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Messages {
/**
* An array of message objects representing the conversation history.
*/
@@ -4832,7 +3596,7 @@ interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Messages {
};
};
})[];
- response_format?: Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_JSON_Mode_1;
+ response_format?: JSONMode;
/**
* If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
*/
@@ -4874,11 +3638,7 @@ interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Messages {
*/
presence_penalty?: number;
}
-interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_JSON_Mode_1 {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Async_Batch {
+interface AsyncBatch {
requests?: {
/**
* User-supplied reference. This field will be present in the response as well it can be used to reference the request and response. It's NOT validated to be unique.
@@ -4920,13 +3680,9 @@ interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Async_Batch {
* Increases the likelihood of the model introducing new topics.
*/
presence_penalty?: number;
- response_format?: Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_JSON_Mode_2;
+ response_format?: JSONMode;
}[];
}
-interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_JSON_Mode_2 {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
type Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Output = {
/**
* The generated text response from the model
@@ -4962,13 +3718,7 @@ type Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Output = {
*/
name?: string;
}[];
-} | string | Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_AsyncResponse;
-interface Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_AsyncResponse {
- /**
- * The async request id that can be used to obtain the results.
- */
- request_id?: string;
-}
+} | AsyncResponse;
declare abstract class Base_Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast {
inputs: Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Input;
postProcessedOutputs: Ai_Cf_Meta_Llama_3_3_70B_Instruct_Fp8_Fast_Output;
@@ -5042,6 +3792,7 @@ interface Ai_Cf_Baai_Bge_Reranker_Base_Input {
/**
* A query you wish to perform against the provided contexts.
*/
+ query: string;
/**
* Number of returned results starting with the best score.
*/
@@ -5072,8 +3823,8 @@ declare abstract class Base_Ai_Cf_Baai_Bge_Reranker_Base {
inputs: Ai_Cf_Baai_Bge_Reranker_Base_Input;
postProcessedOutputs: Ai_Cf_Baai_Bge_Reranker_Base_Output;
}
-type Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Input = Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Prompt | Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Messages;
-interface Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Prompt {
+type Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Input = Qwen2_5_Coder_32B_Instruct_Prompt | Qwen2_5_Coder_32B_Instruct_Messages;
+interface Qwen2_5_Coder_32B_Instruct_Prompt {
/**
* The input text prompt for the model to generate a response.
*/
@@ -5082,7 +3833,7 @@ interface Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Prompt {
* Name of the LoRA (Low-Rank Adaptation) model to fine-tune the base model.
*/
lora?: string;
- response_format?: Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_JSON_Mode;
+ response_format?: JSONMode;
/**
* If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
*/
@@ -5124,11 +3875,7 @@ interface Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Prompt {
*/
presence_penalty?: number;
}
-interface Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_JSON_Mode {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-interface Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Messages {
+interface Qwen2_5_Coder_32B_Instruct_Messages {
/**
* An array of message objects representing the conversation history.
*/
@@ -5233,7 +3980,7 @@ interface Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Messages {
};
};
})[];
- response_format?: Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_JSON_Mode_1;
+ response_format?: JSONMode;
/**
* If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
*/
@@ -5275,10 +4022,6 @@ interface Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Messages {
*/
presence_penalty?: number;
}
-interface Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_JSON_Mode_1 {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
type Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Output = {
/**
* The generated text response from the model
@@ -5319,8 +4062,8 @@ declare abstract class Base_Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct {
inputs: Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Input;
postProcessedOutputs: Ai_Cf_Qwen_Qwen2_5_Coder_32B_Instruct_Output;
}
-type Ai_Cf_Qwen_Qwq_32B_Input = Ai_Cf_Qwen_Qwq_32B_Prompt | Ai_Cf_Qwen_Qwq_32B_Messages;
-interface Ai_Cf_Qwen_Qwq_32B_Prompt {
+type Ai_Cf_Qwen_Qwq_32B_Input = Qwen_Qwq_32B_Prompt | Qwen_Qwq_32B_Messages;
+interface Qwen_Qwq_32B_Prompt {
/**
* The input text prompt for the model to generate a response.
*/
@@ -5370,7 +4113,7 @@ interface Ai_Cf_Qwen_Qwq_32B_Prompt {
*/
presence_penalty?: number;
}
-interface Ai_Cf_Qwen_Qwq_32B_Messages {
+interface Qwen_Qwq_32B_Messages {
/**
* An array of message objects representing the conversation history.
*/
@@ -5585,8 +4328,8 @@ declare abstract class Base_Ai_Cf_Qwen_Qwq_32B {
inputs: Ai_Cf_Qwen_Qwq_32B_Input;
postProcessedOutputs: Ai_Cf_Qwen_Qwq_32B_Output;
}
-type Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct_Input = Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct_Prompt | Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct_Messages;
-interface Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct_Prompt {
+type Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct_Input = Mistral_Small_3_1_24B_Instruct_Prompt | Mistral_Small_3_1_24B_Instruct_Messages;
+interface Mistral_Small_3_1_24B_Instruct_Prompt {
/**
* The input text prompt for the model to generate a response.
*/
@@ -5636,7 +4379,7 @@ interface Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct_Prompt {
*/
presence_penalty?: number;
}
-interface Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct_Messages {
+interface Mistral_Small_3_1_24B_Instruct_Messages {
/**
* An array of message objects representing the conversation history.
*/
@@ -5851,8 +4594,8 @@ declare abstract class Base_Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct {
inputs: Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct_Input;
postProcessedOutputs: Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct_Output;
}
-type Ai_Cf_Google_Gemma_3_12B_It_Input = Ai_Cf_Google_Gemma_3_12B_It_Prompt | Ai_Cf_Google_Gemma_3_12B_It_Messages;
-interface Ai_Cf_Google_Gemma_3_12B_It_Prompt {
+type Ai_Cf_Google_Gemma_3_12B_It_Input = Google_Gemma_3_12B_It_Prompt | Google_Gemma_3_12B_It_Messages;
+interface Google_Gemma_3_12B_It_Prompt {
/**
* The input text prompt for the model to generate a response.
*/
@@ -5902,7 +4645,7 @@ interface Ai_Cf_Google_Gemma_3_12B_It_Prompt {
*/
presence_penalty?: number;
}
-interface Ai_Cf_Google_Gemma_3_12B_It_Messages {
+interface Google_Gemma_3_12B_It_Messages {
/**
* An array of message objects representing the conversation history.
*/
@@ -5923,7 +4666,19 @@ interface Ai_Cf_Google_Gemma_3_12B_It_Messages {
*/
url?: string;
};
- }[];
+ }[] | {
+ /**
+ * Type of the content provided
+ */
+ type?: string;
+ text?: string;
+ image_url?: {
+ /**
+ * image uri with data (e.g. data:image/jpeg;base64,/9j/...). HTTP URL will not be accepted
+ */
+ url?: string;
+ };
+ };
}[];
functions?: {
name: string;
@@ -6101,8 +4856,8 @@ declare abstract class Base_Ai_Cf_Google_Gemma_3_12B_It {
inputs: Ai_Cf_Google_Gemma_3_12B_It_Input;
postProcessedOutputs: Ai_Cf_Google_Gemma_3_12B_It_Output;
}
-type Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Input = Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Prompt | Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Messages | Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Async_Batch;
-interface Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Prompt {
+type Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Input = Ai_Cf_Meta_Llama_4_Prompt | Ai_Cf_Meta_Llama_4_Messages;
+interface Ai_Cf_Meta_Llama_4_Prompt {
/**
* The input text prompt for the model to generate a response.
*/
@@ -6111,7 +4866,7 @@ interface Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Prompt {
* JSON schema that should be fulfilled for the response.
*/
guided_json?: object;
- response_format?: Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_JSON_Mode;
+ response_format?: JSONMode;
/**
* If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
*/
@@ -6153,11 +4908,7 @@ interface Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Prompt {
*/
presence_penalty?: number;
}
-interface Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_JSON_Mode {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-interface Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Messages {
+interface Ai_Cf_Meta_Llama_4_Messages {
/**
* An array of message objects representing the conversation history.
*/
@@ -6287,2074 +5038,104 @@ interface Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Messages {
};
};
})[];
- response_format?: Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_JSON_Mode;
+ response_format?: JSONMode;
/**
* JSON schema that should be fufilled for the response.
*/
- guided_json?: object;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Async_Batch {
- requests: (Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Prompt_Inner | Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Messages_Inner)[];
-}
-interface Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Prompt_Inner {
- /**
- * The input text prompt for the model to generate a response.
- */
- prompt: string;
- /**
- * JSON schema that should be fulfilled for the response.
- */
- guided_json?: object;
- response_format?: Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_JSON_Mode;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Messages_Inner {
- /**
- * An array of message objects representing the conversation history.
- */
- messages: {
- /**
- * The role of the message sender (e.g., 'user', 'assistant', 'system', 'tool').
- */
- role?: string;
- /**
- * The tool call id. If you don't know what to put here you can fall back to 000000001
- */
- tool_call_id?: string;
- content?: string | {
- /**
- * Type of the content provided
- */
- type?: string;
- text?: string;
- image_url?: {
- /**
- * image uri with data (e.g. data:image/jpeg;base64,/9j/...). HTTP URL will not be accepted
- */
- url?: string;
- };
- }[] | {
- /**
- * Type of the content provided
- */
- type?: string;
- text?: string;
- image_url?: {
- /**
- * image uri with data (e.g. data:image/jpeg;base64,/9j/...). HTTP URL will not be accepted
- */
- url?: string;
- };
- };
- }[];
- functions?: {
- name: string;
- code: string;
- }[];
- /**
- * A list of tools available for the assistant to use.
- */
- tools?: ({
- /**
- * The name of the tool. More descriptive the better.
- */
- name: string;
- /**
- * A brief description of what the tool does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the tool.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- } | {
- /**
- * Specifies the type of tool (e.g., 'function').
- */
- type: string;
- /**
- * Details of the function tool.
- */
- function: {
- /**
- * The name of the function.
- */
- name: string;
- /**
- * A brief description of what the function does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the function.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- };
- })[];
- response_format?: Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_JSON_Mode;
- /**
- * JSON schema that should be fufilled for the response.
- */
- guided_json?: object;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-type Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Output = {
- /**
- * The generated text response from the model
- */
- response: string;
- /**
- * Usage statistics for the inference request
- */
- usage?: {
- /**
- * Total number of tokens in input
- */
- prompt_tokens?: number;
- /**
- * Total number of tokens in output
- */
- completion_tokens?: number;
- /**
- * Total number of input and output tokens
- */
- total_tokens?: number;
- };
- /**
- * An array of tool calls requests made during the response generation
- */
- tool_calls?: {
- /**
- * The tool call id.
- */
- id?: string;
- /**
- * Specifies the type of tool (e.g., 'function').
- */
- type?: string;
- /**
- * Details of the function tool.
- */
- function?: {
- /**
- * The name of the tool to be called
- */
- name?: string;
- /**
- * The arguments passed to be passed to the tool call request
- */
- arguments?: object;
- };
- }[];
-};
-declare abstract class Base_Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct {
- inputs: Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Input;
- postProcessedOutputs: Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Output;
-}
-type Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Input = Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Prompt | Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Messages | Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Async_Batch;
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Prompt {
- /**
- * The input text prompt for the model to generate a response.
- */
- prompt: string;
- /**
- * Name of the LoRA (Low-Rank Adaptation) model to fine-tune the base model.
- */
- lora?: string;
- response_format?: Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_JSON_Mode;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_JSON_Mode {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Messages {
- /**
- * An array of message objects representing the conversation history.
- */
- messages: {
- /**
- * The role of the message sender (e.g., 'user', 'assistant', 'system', 'tool').
- */
- role: string;
- /**
- * The content of the message as a string.
- */
- content: string;
- }[];
- functions?: {
- name: string;
- code: string;
- }[];
- /**
- * A list of tools available for the assistant to use.
- */
- tools?: ({
- /**
- * The name of the tool. More descriptive the better.
- */
- name: string;
- /**
- * A brief description of what the tool does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the tool.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- } | {
- /**
- * Specifies the type of tool (e.g., 'function').
- */
- type: string;
- /**
- * Details of the function tool.
- */
- function: {
- /**
- * The name of the function.
- */
- name: string;
- /**
- * A brief description of what the function does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the function.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- };
- })[];
- response_format?: Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_JSON_Mode_1;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_JSON_Mode_1 {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Async_Batch {
- requests: (Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Prompt_1 | Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Messages_1)[];
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Prompt_1 {
- /**
- * The input text prompt for the model to generate a response.
- */
- prompt: string;
- /**
- * Name of the LoRA (Low-Rank Adaptation) model to fine-tune the base model.
- */
- lora?: string;
- response_format?: Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_JSON_Mode_2;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_JSON_Mode_2 {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Messages_1 {
- /**
- * An array of message objects representing the conversation history.
- */
- messages: {
- /**
- * The role of the message sender (e.g., 'user', 'assistant', 'system', 'tool').
- */
- role: string;
- /**
- * The content of the message as a string.
- */
- content: string;
- }[];
- functions?: {
- name: string;
- code: string;
- }[];
- /**
- * A list of tools available for the assistant to use.
- */
- tools?: ({
- /**
- * The name of the tool. More descriptive the better.
- */
- name: string;
- /**
- * A brief description of what the tool does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the tool.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- } | {
- /**
- * Specifies the type of tool (e.g., 'function').
- */
- type: string;
- /**
- * Details of the function tool.
- */
- function: {
- /**
- * The name of the function.
- */
- name: string;
- /**
- * A brief description of what the function does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the function.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- };
- })[];
- response_format?: Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_JSON_Mode_3;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_JSON_Mode_3 {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-type Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Output = Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Chat_Completion_Response | Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Text_Completion_Response | string | Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_AsyncResponse;
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Chat_Completion_Response {
- /**
- * Unique identifier for the completion
- */
- id?: string;
- /**
- * Object type identifier
- */
- object?: "chat.completion";
- /**
- * Unix timestamp of when the completion was created
- */
- created?: number;
- /**
- * Model used for the completion
- */
- model?: string;
- /**
- * List of completion choices
- */
- choices?: {
- /**
- * Index of the choice in the list
- */
- index?: number;
- /**
- * The message generated by the model
- */
- message?: {
- /**
- * Role of the message author
- */
- role: string;
- /**
- * The content of the message
- */
- content: string;
- /**
- * Internal reasoning content (if available)
- */
- reasoning_content?: string;
- /**
- * Tool calls made by the assistant
- */
- tool_calls?: {
- /**
- * Unique identifier for the tool call
- */
- id: string;
- /**
- * Type of tool call
- */
- type: "function";
- function: {
- /**
- * Name of the function to call
- */
- name: string;
- /**
- * JSON string of arguments for the function
- */
- arguments: string;
- };
- }[];
- };
- /**
- * Reason why the model stopped generating
- */
- finish_reason?: string;
- /**
- * Stop reason (may be null)
- */
- stop_reason?: string | null;
- /**
- * Log probabilities (if requested)
- */
- logprobs?: {} | null;
- }[];
- /**
- * Usage statistics for the inference request
- */
- usage?: {
- /**
- * Total number of tokens in input
- */
- prompt_tokens?: number;
- /**
- * Total number of tokens in output
- */
- completion_tokens?: number;
- /**
- * Total number of input and output tokens
- */
- total_tokens?: number;
- };
- /**
- * Log probabilities for the prompt (if requested)
- */
- prompt_logprobs?: {} | null;
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Text_Completion_Response {
- /**
- * Unique identifier for the completion
- */
- id?: string;
- /**
- * Object type identifier
- */
- object?: "text_completion";
- /**
- * Unix timestamp of when the completion was created
- */
- created?: number;
- /**
- * Model used for the completion
- */
- model?: string;
- /**
- * List of completion choices
- */
- choices?: {
- /**
- * Index of the choice in the list
- */
- index: number;
- /**
- * The generated text completion
- */
- text: string;
- /**
- * Reason why the model stopped generating
- */
- finish_reason: string;
- /**
- * Stop reason (may be null)
- */
- stop_reason?: string | null;
- /**
- * Log probabilities (if requested)
- */
- logprobs?: {} | null;
- /**
- * Log probabilities for the prompt (if requested)
- */
- prompt_logprobs?: {} | null;
- }[];
- /**
- * Usage statistics for the inference request
- */
- usage?: {
- /**
- * Total number of tokens in input
- */
- prompt_tokens?: number;
- /**
- * Total number of tokens in output
- */
- completion_tokens?: number;
- /**
- * Total number of input and output tokens
- */
- total_tokens?: number;
- };
-}
-interface Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_AsyncResponse {
- /**
- * The async request id that can be used to obtain the results.
- */
- request_id?: string;
-}
-declare abstract class Base_Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8 {
- inputs: Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Input;
- postProcessedOutputs: Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8_Output;
-}
-interface Ai_Cf_Deepgram_Nova_3_Input {
- audio: {
- body: object;
- contentType: string;
- };
- /**
- * Sets how the model will interpret strings submitted to the custom_topic param. When strict, the model will only return topics submitted using the custom_topic param. When extended, the model will return its own detected topics in addition to those submitted using the custom_topic param.
- */
- custom_topic_mode?: "extended" | "strict";
- /**
- * Custom topics you want the model to detect within your input audio or text if present Submit up to 100
- */
- custom_topic?: string;
- /**
- * Sets how the model will interpret intents submitted to the custom_intent param. When strict, the model will only return intents submitted using the custom_intent param. When extended, the model will return its own detected intents in addition those submitted using the custom_intents param
- */
- custom_intent_mode?: "extended" | "strict";
- /**
- * Custom intents you want the model to detect within your input audio if present
- */
- custom_intent?: string;
- /**
- * Identifies and extracts key entities from content in submitted audio
- */
- detect_entities?: boolean;
- /**
- * Identifies the dominant language spoken in submitted audio
- */
- detect_language?: boolean;
- /**
- * Recognize speaker changes. Each word in the transcript will be assigned a speaker number starting at 0
- */
- diarize?: boolean;
- /**
- * Identify and extract key entities from content in submitted audio
- */
- dictation?: boolean;
- /**
- * Specify the expected encoding of your submitted audio
- */
- encoding?: "linear16" | "flac" | "mulaw" | "amr-nb" | "amr-wb" | "opus" | "speex" | "g729";
- /**
- * Arbitrary key-value pairs that are attached to the API response for usage in downstream processing
- */
- extra?: string;
- /**
- * Filler Words can help transcribe interruptions in your audio, like 'uh' and 'um'
- */
- filler_words?: boolean;
- /**
- * Key term prompting can boost or suppress specialized terminology and brands.
- */
- keyterm?: string;
- /**
- * Keywords can boost or suppress specialized terminology and brands.
- */
- keywords?: string;
- /**
- * The BCP-47 language tag that hints at the primary spoken language. Depending on the Model and API endpoint you choose only certain languages are available.
- */
- language?: string;
- /**
- * Spoken measurements will be converted to their corresponding abbreviations.
- */
- measurements?: boolean;
- /**
- * Opts out requests from the Deepgram Model Improvement Program. Refer to our Docs for pricing impacts before setting this to true. https://dpgr.am/deepgram-mip.
- */
- mip_opt_out?: boolean;
- /**
- * Mode of operation for the model representing broad area of topic that will be talked about in the supplied audio
- */
- mode?: "general" | "medical" | "finance";
- /**
- * Transcribe each audio channel independently.
- */
- multichannel?: boolean;
- /**
- * Numerals converts numbers from written format to numerical format.
- */
- numerals?: boolean;
- /**
- * Splits audio into paragraphs to improve transcript readability.
- */
- paragraphs?: boolean;
- /**
- * Profanity Filter looks for recognized profanity and converts it to the nearest recognized non-profane word or removes it from the transcript completely.
- */
- profanity_filter?: boolean;
- /**
- * Add punctuation and capitalization to the transcript.
- */
- punctuate?: boolean;
- /**
- * Redaction removes sensitive information from your transcripts.
- */
- redact?: string;
- /**
- * Search for terms or phrases in submitted audio and replaces them.
- */
- replace?: string;
- /**
- * Search for terms or phrases in submitted audio.
- */
- search?: string;
- /**
- * Recognizes the sentiment throughout a transcript or text.
- */
- sentiment?: boolean;
- /**
- * Apply formatting to transcript output. When set to true, additional formatting will be applied to transcripts to improve readability.
- */
- smart_format?: boolean;
- /**
- * Detect topics throughout a transcript or text.
- */
- topics?: boolean;
- /**
- * Segments speech into meaningful semantic units.
- */
- utterances?: boolean;
- /**
- * Seconds to wait before detecting a pause between words in submitted audio.
- */
- utt_split?: number;
- /**
- * The number of channels in the submitted audio
- */
- channels?: number;
- /**
- * Specifies whether the streaming endpoint should provide ongoing transcription updates as more audio is received. When set to true, the endpoint sends continuous updates, meaning transcription results may evolve over time. Note: Supported only for webosockets.
- */
- interim_results?: boolean;
- /**
- * Indicates how long model will wait to detect whether a speaker has finished speaking or pauses for a significant period of time. When set to a value, the streaming endpoint immediately finalizes the transcription for the processed time range and returns the transcript with a speech_final parameter set to true. Can also be set to false to disable endpointing
- */
- endpointing?: string;
- /**
- * Indicates that speech has started. You'll begin receiving Speech Started messages upon speech starting. Note: Supported only for webosockets.
- */
- vad_events?: boolean;
- /**
- * Indicates how long model will wait to send an UtteranceEnd message after a word has been transcribed. Use with interim_results. Note: Supported only for webosockets.
- */
- utterance_end_ms?: boolean;
-}
-interface Ai_Cf_Deepgram_Nova_3_Output {
- results?: {
- channels?: {
- alternatives?: {
- confidence?: number;
- transcript?: string;
- words?: {
- confidence?: number;
- end?: number;
- start?: number;
- word?: string;
- }[];
- }[];
- }[];
- summary?: {
- result?: string;
- short?: string;
- };
- sentiments?: {
- segments?: {
- text?: string;
- start_word?: number;
- end_word?: number;
- sentiment?: string;
- sentiment_score?: number;
- }[];
- average?: {
- sentiment?: string;
- sentiment_score?: number;
- };
- };
- };
-}
-declare abstract class Base_Ai_Cf_Deepgram_Nova_3 {
- inputs: Ai_Cf_Deepgram_Nova_3_Input;
- postProcessedOutputs: Ai_Cf_Deepgram_Nova_3_Output;
-}
-interface Ai_Cf_Qwen_Qwen3_Embedding_0_6B_Input {
- queries?: string | string[];
- /**
- * Optional instruction for the task
- */
- instruction?: string;
- documents?: string | string[];
- text?: string | string[];
-}
-interface Ai_Cf_Qwen_Qwen3_Embedding_0_6B_Output {
- data?: number[][];
- shape?: number[];
-}
-declare abstract class Base_Ai_Cf_Qwen_Qwen3_Embedding_0_6B {
- inputs: Ai_Cf_Qwen_Qwen3_Embedding_0_6B_Input;
- postProcessedOutputs: Ai_Cf_Qwen_Qwen3_Embedding_0_6B_Output;
-}
-type Ai_Cf_Pipecat_Ai_Smart_Turn_V2_Input = {
- /**
- * readable stream with audio data and content-type specified for that data
- */
- audio: {
- body: object;
- contentType: string;
- };
- /**
- * type of data PCM data that's sent to the inference server as raw array
- */
- dtype?: "uint8" | "float32" | "float64";
-} | {
- /**
- * base64 encoded audio data
- */
- audio: string;
- /**
- * type of data PCM data that's sent to the inference server as raw array
- */
- dtype?: "uint8" | "float32" | "float64";
-};
-interface Ai_Cf_Pipecat_Ai_Smart_Turn_V2_Output {
- /**
- * if true, end-of-turn was detected
- */
- is_complete?: boolean;
- /**
- * probability of the end-of-turn detection
- */
- probability?: number;
-}
-declare abstract class Base_Ai_Cf_Pipecat_Ai_Smart_Turn_V2 {
- inputs: Ai_Cf_Pipecat_Ai_Smart_Turn_V2_Input;
- postProcessedOutputs: Ai_Cf_Pipecat_Ai_Smart_Turn_V2_Output;
-}
-declare abstract class Base_Ai_Cf_Openai_Gpt_Oss_120B {
- inputs: ResponsesInput;
- postProcessedOutputs: ResponsesOutput;
-}
-declare abstract class Base_Ai_Cf_Openai_Gpt_Oss_20B {
- inputs: ResponsesInput;
- postProcessedOutputs: ResponsesOutput;
-}
-interface Ai_Cf_Leonardo_Phoenix_1_0_Input {
- /**
- * A text description of the image you want to generate.
- */
- prompt: string;
- /**
- * Controls how closely the generated image should adhere to the prompt; higher values make the image more aligned with the prompt
- */
- guidance?: number;
- /**
- * Random seed for reproducibility of the image generation
- */
- seed?: number;
- /**
- * The height of the generated image in pixels
- */
- height?: number;
- /**
- * The width of the generated image in pixels
- */
- width?: number;
- /**
- * The number of diffusion steps; higher values can improve quality but take longer
- */
- num_steps?: number;
- /**
- * Specify what to exclude from the generated images
- */
- negative_prompt?: string;
-}
-/**
- * The generated image in JPEG format
- */
-type Ai_Cf_Leonardo_Phoenix_1_0_Output = string;
-declare abstract class Base_Ai_Cf_Leonardo_Phoenix_1_0 {
- inputs: Ai_Cf_Leonardo_Phoenix_1_0_Input;
- postProcessedOutputs: Ai_Cf_Leonardo_Phoenix_1_0_Output;
-}
-interface Ai_Cf_Leonardo_Lucid_Origin_Input {
- /**
- * A text description of the image you want to generate.
- */
- prompt: string;
- /**
- * Controls how closely the generated image should adhere to the prompt; higher values make the image more aligned with the prompt
- */
- guidance?: number;
- /**
- * Random seed for reproducibility of the image generation
- */
- seed?: number;
- /**
- * The height of the generated image in pixels
- */
- height?: number;
- /**
- * The width of the generated image in pixels
- */
- width?: number;
- /**
- * The number of diffusion steps; higher values can improve quality but take longer
- */
- num_steps?: number;
- /**
- * The number of diffusion steps; higher values can improve quality but take longer
- */
- steps?: number;
-}
-interface Ai_Cf_Leonardo_Lucid_Origin_Output {
- /**
- * The generated image in Base64 format.
- */
- image?: string;
-}
-declare abstract class Base_Ai_Cf_Leonardo_Lucid_Origin {
- inputs: Ai_Cf_Leonardo_Lucid_Origin_Input;
- postProcessedOutputs: Ai_Cf_Leonardo_Lucid_Origin_Output;
-}
-interface Ai_Cf_Deepgram_Aura_1_Input {
- /**
- * Speaker used to produce the audio.
- */
- speaker?: "angus" | "asteria" | "arcas" | "orion" | "orpheus" | "athena" | "luna" | "zeus" | "perseus" | "helios" | "hera" | "stella";
- /**
- * Encoding of the output audio.
- */
- encoding?: "linear16" | "flac" | "mulaw" | "alaw" | "mp3" | "opus" | "aac";
- /**
- * Container specifies the file format wrapper for the output audio. The available options depend on the encoding type..
- */
- container?: "none" | "wav" | "ogg";
- /**
- * The text content to be converted to speech
- */
- text: string;
- /**
- * Sample Rate specifies the sample rate for the output audio. Based on the encoding, different sample rates are supported. For some encodings, the sample rate is not configurable
- */
- sample_rate?: number;
- /**
- * The bitrate of the audio in bits per second. Choose from predefined ranges or specific values based on the encoding type.
- */
- bit_rate?: number;
-}
-/**
- * The generated audio in MP3 format
- */
-type Ai_Cf_Deepgram_Aura_1_Output = string;
-declare abstract class Base_Ai_Cf_Deepgram_Aura_1 {
- inputs: Ai_Cf_Deepgram_Aura_1_Input;
- postProcessedOutputs: Ai_Cf_Deepgram_Aura_1_Output;
-}
-interface Ai_Cf_Ai4Bharat_Indictrans2_En_Indic_1B_Input {
- /**
- * Input text to translate. Can be a single string or a list of strings.
- */
- text: string | string[];
- /**
- * Target langauge to translate to
- */
- target_language: "asm_Beng" | "awa_Deva" | "ben_Beng" | "bho_Deva" | "brx_Deva" | "doi_Deva" | "eng_Latn" | "gom_Deva" | "gon_Deva" | "guj_Gujr" | "hin_Deva" | "hne_Deva" | "kan_Knda" | "kas_Arab" | "kas_Deva" | "kha_Latn" | "lus_Latn" | "mag_Deva" | "mai_Deva" | "mal_Mlym" | "mar_Deva" | "mni_Beng" | "mni_Mtei" | "npi_Deva" | "ory_Orya" | "pan_Guru" | "san_Deva" | "sat_Olck" | "snd_Arab" | "snd_Deva" | "tam_Taml" | "tel_Telu" | "urd_Arab" | "unr_Deva";
-}
-interface Ai_Cf_Ai4Bharat_Indictrans2_En_Indic_1B_Output {
- /**
- * Translated texts
- */
- translations: string[];
-}
-declare abstract class Base_Ai_Cf_Ai4Bharat_Indictrans2_En_Indic_1B {
- inputs: Ai_Cf_Ai4Bharat_Indictrans2_En_Indic_1B_Input;
- postProcessedOutputs: Ai_Cf_Ai4Bharat_Indictrans2_En_Indic_1B_Output;
-}
-type Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Input = Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Prompt | Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Messages | Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Async_Batch;
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Prompt {
- /**
- * The input text prompt for the model to generate a response.
- */
- prompt: string;
- /**
- * Name of the LoRA (Low-Rank Adaptation) model to fine-tune the base model.
- */
- lora?: string;
- response_format?: Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_JSON_Mode;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_JSON_Mode {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Messages {
- /**
- * An array of message objects representing the conversation history.
- */
- messages: {
- /**
- * The role of the message sender (e.g., 'user', 'assistant', 'system', 'tool').
- */
- role: string;
- /**
- * The content of the message as a string.
- */
- content: string;
- }[];
- functions?: {
- name: string;
- code: string;
- }[];
- /**
- * A list of tools available for the assistant to use.
- */
- tools?: ({
- /**
- * The name of the tool. More descriptive the better.
- */
- name: string;
- /**
- * A brief description of what the tool does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the tool.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- } | {
- /**
- * Specifies the type of tool (e.g., 'function').
- */
- type: string;
- /**
- * Details of the function tool.
- */
- function: {
- /**
- * The name of the function.
- */
- name: string;
- /**
- * A brief description of what the function does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the function.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- };
- })[];
- response_format?: Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_JSON_Mode_1;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_JSON_Mode_1 {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Async_Batch {
- requests: (Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Prompt_1 | Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Messages_1)[];
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Prompt_1 {
- /**
- * The input text prompt for the model to generate a response.
- */
- prompt: string;
- /**
- * Name of the LoRA (Low-Rank Adaptation) model to fine-tune the base model.
- */
- lora?: string;
- response_format?: Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_JSON_Mode_2;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_JSON_Mode_2 {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Messages_1 {
- /**
- * An array of message objects representing the conversation history.
- */
- messages: {
- /**
- * The role of the message sender (e.g., 'user', 'assistant', 'system', 'tool').
- */
- role: string;
- /**
- * The content of the message as a string.
- */
- content: string;
- }[];
- functions?: {
- name: string;
- code: string;
- }[];
- /**
- * A list of tools available for the assistant to use.
- */
- tools?: ({
- /**
- * The name of the tool. More descriptive the better.
- */
- name: string;
- /**
- * A brief description of what the tool does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the tool.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- } | {
- /**
- * Specifies the type of tool (e.g., 'function').
- */
- type: string;
- /**
- * Details of the function tool.
- */
- function: {
- /**
- * The name of the function.
- */
- name: string;
- /**
- * A brief description of what the function does.
- */
- description: string;
- /**
- * Schema defining the parameters accepted by the function.
- */
- parameters: {
- /**
- * The type of the parameters object (usually 'object').
- */
- type: string;
- /**
- * List of required parameter names.
- */
- required?: string[];
- /**
- * Definitions of each parameter.
- */
- properties: {
- [k: string]: {
- /**
- * The data type of the parameter.
- */
- type: string;
- /**
- * A description of the expected parameter.
- */
- description: string;
- };
- };
- };
- };
- })[];
- response_format?: Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_JSON_Mode_3;
- /**
- * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
- */
- raw?: boolean;
- /**
- * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
- */
- stream?: boolean;
- /**
- * The maximum number of tokens to generate in the response.
- */
- max_tokens?: number;
- /**
- * Controls the randomness of the output; higher values produce more random results.
- */
- temperature?: number;
- /**
- * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
- */
- top_p?: number;
- /**
- * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
- */
- top_k?: number;
- /**
- * Random seed for reproducibility of the generation.
- */
- seed?: number;
- /**
- * Penalty for repeated tokens; higher values discourage repetition.
- */
- repetition_penalty?: number;
- /**
- * Decreases the likelihood of the model repeating the same lines verbatim.
- */
- frequency_penalty?: number;
- /**
- * Increases the likelihood of the model introducing new topics.
- */
- presence_penalty?: number;
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_JSON_Mode_3 {
- type?: "json_object" | "json_schema";
- json_schema?: unknown;
-}
-type Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Output = Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Chat_Completion_Response | Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Text_Completion_Response | string | Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_AsyncResponse;
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Chat_Completion_Response {
- /**
- * Unique identifier for the completion
- */
- id?: string;
- /**
- * Object type identifier
- */
- object?: "chat.completion";
- /**
- * Unix timestamp of when the completion was created
- */
- created?: number;
- /**
- * Model used for the completion
- */
- model?: string;
- /**
- * List of completion choices
- */
- choices?: {
- /**
- * Index of the choice in the list
- */
- index?: number;
- /**
- * The message generated by the model
- */
- message?: {
- /**
- * Role of the message author
- */
- role: string;
- /**
- * The content of the message
- */
- content: string;
- /**
- * Internal reasoning content (if available)
- */
- reasoning_content?: string;
- /**
- * Tool calls made by the assistant
- */
- tool_calls?: {
- /**
- * Unique identifier for the tool call
- */
- id: string;
- /**
- * Type of tool call
- */
- type: "function";
- function: {
- /**
- * Name of the function to call
- */
- name: string;
- /**
- * JSON string of arguments for the function
- */
- arguments: string;
- };
- }[];
- };
- /**
- * Reason why the model stopped generating
- */
- finish_reason?: string;
- /**
- * Stop reason (may be null)
- */
- stop_reason?: string | null;
- /**
- * Log probabilities (if requested)
- */
- logprobs?: {} | null;
- }[];
- /**
- * Usage statistics for the inference request
- */
- usage?: {
- /**
- * Total number of tokens in input
- */
- prompt_tokens?: number;
- /**
- * Total number of tokens in output
- */
- completion_tokens?: number;
- /**
- * Total number of input and output tokens
- */
- total_tokens?: number;
- };
- /**
- * Log probabilities for the prompt (if requested)
- */
- prompt_logprobs?: {} | null;
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Text_Completion_Response {
- /**
- * Unique identifier for the completion
- */
- id?: string;
- /**
- * Object type identifier
- */
- object?: "text_completion";
- /**
- * Unix timestamp of when the completion was created
- */
- created?: number;
- /**
- * Model used for the completion
- */
- model?: string;
- /**
- * List of completion choices
- */
- choices?: {
- /**
- * Index of the choice in the list
- */
- index: number;
- /**
- * The generated text completion
- */
- text: string;
- /**
- * Reason why the model stopped generating
- */
- finish_reason: string;
- /**
- * Stop reason (may be null)
- */
- stop_reason?: string | null;
- /**
- * Log probabilities (if requested)
- */
- logprobs?: {} | null;
- /**
- * Log probabilities for the prompt (if requested)
- */
- prompt_logprobs?: {} | null;
- }[];
- /**
- * Usage statistics for the inference request
- */
- usage?: {
- /**
- * Total number of tokens in input
- */
- prompt_tokens?: number;
- /**
- * Total number of tokens in output
- */
- completion_tokens?: number;
- /**
- * Total number of input and output tokens
- */
- total_tokens?: number;
- };
-}
-interface Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_AsyncResponse {
- /**
- * The async request id that can be used to obtain the results.
- */
- request_id?: string;
-}
-declare abstract class Base_Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It {
- inputs: Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Input;
- postProcessedOutputs: Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It_Output;
-}
-interface Ai_Cf_Pfnet_Plamo_Embedding_1B_Input {
- /**
- * Input text to embed. Can be a single string or a list of strings.
- */
- text: string | string[];
-}
-interface Ai_Cf_Pfnet_Plamo_Embedding_1B_Output {
- /**
- * Embedding vectors, where each vector is a list of floats.
- */
- data: number[][];
- /**
- * Shape of the embedding data as [number_of_embeddings, embedding_dimension].
- *
- * @minItems 2
- * @maxItems 2
- */
- shape: [
- number,
- number
- ];
-}
-declare abstract class Base_Ai_Cf_Pfnet_Plamo_Embedding_1B {
- inputs: Ai_Cf_Pfnet_Plamo_Embedding_1B_Input;
- postProcessedOutputs: Ai_Cf_Pfnet_Plamo_Embedding_1B_Output;
-}
-interface Ai_Cf_Deepgram_Flux_Input {
- /**
- * Encoding of the audio stream. Currently only supports raw signed little-endian 16-bit PCM.
- */
- encoding: "linear16";
- /**
- * Sample rate of the audio stream in Hz.
- */
- sample_rate: string;
- /**
- * End-of-turn confidence required to fire an eager end-of-turn event. When set, enables EagerEndOfTurn and TurnResumed events. Valid Values 0.3 - 0.9.
- */
- eager_eot_threshold?: string;
+ guided_json?: object;
/**
- * End-of-turn confidence required to finish a turn. Valid Values 0.5 - 0.9.
+ * If true, a chat template is not applied and you must adhere to the specific model's expected formatting.
*/
- eot_threshold?: string;
+ raw?: boolean;
/**
- * A turn will be finished when this much time has passed after speech, regardless of EOT confidence.
+ * If true, the response will be streamed back incrementally using SSE, Server Sent Events.
*/
- eot_timeout_ms?: string;
+ stream?: boolean;
/**
- * Keyterm prompting can improve recognition of specialized terminology. Pass multiple keyterm query parameters to boost multiple keyterms.
+ * The maximum number of tokens to generate in the response.
*/
- keyterm?: string;
+ max_tokens?: number;
/**
- * Opts out requests from the Deepgram Model Improvement Program. Refer to Deepgram Docs for pricing impacts before setting this to true. https://dpgr.am/deepgram-mip
+ * Controls the randomness of the output; higher values produce more random results.
*/
- mip_opt_out?: "true" | "false";
+ temperature?: number;
/**
- * Label your requests for the purpose of identification during usage reporting
+ * Adjusts the creativity of the AI's responses by controlling how many possible words it considers. Lower values make outputs more predictable; higher values allow for more varied and creative responses.
*/
- tag?: string;
-}
-/**
- * Output will be returned as websocket messages.
- */
-interface Ai_Cf_Deepgram_Flux_Output {
+ top_p?: number;
/**
- * The unique identifier of the request (uuid)
+ * Limits the AI to choose from the top 'k' most probable words. Lower values make responses more focused; higher values introduce more variety and potential surprises.
*/
- request_id?: string;
+ top_k?: number;
/**
- * Starts at 0 and increments for each message the server sends to the client.
+ * Random seed for reproducibility of the generation.
*/
- sequence_id?: number;
+ seed?: number;
/**
- * The type of event being reported.
+ * Penalty for repeated tokens; higher values discourage repetition.
*/
- event?: "Update" | "StartOfTurn" | "EagerEndOfTurn" | "TurnResumed" | "EndOfTurn";
+ repetition_penalty?: number;
/**
- * The index of the current turn
+ * Decreases the likelihood of the model repeating the same lines verbatim.
*/
- turn_index?: number;
+ frequency_penalty?: number;
/**
- * Start time in seconds of the audio range that was transcribed
+ * Increases the likelihood of the model introducing new topics.
*/
- audio_window_start?: number;
+ presence_penalty?: number;
+}
+type Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Output = {
/**
- * End time in seconds of the audio range that was transcribed
+ * The generated text response from the model
*/
- audio_window_end?: number;
+ response: string;
/**
- * Text that was said over the course of the current turn
+ * Usage statistics for the inference request
*/
- transcript?: string;
+ usage?: {
+ /**
+ * Total number of tokens in input
+ */
+ prompt_tokens?: number;
+ /**
+ * Total number of tokens in output
+ */
+ completion_tokens?: number;
+ /**
+ * Total number of input and output tokens
+ */
+ total_tokens?: number;
+ };
/**
- * The words in the transcript
+ * An array of tool calls requests made during the response generation
*/
- words?: {
+ tool_calls?: {
/**
- * The individual punctuated, properly-cased word from the transcript
+ * The tool call id.
*/
- word: string;
+ id?: string;
+ /**
+ * Specifies the type of tool (e.g., 'function').
+ */
+ type?: string;
/**
- * Confidence that this word was transcribed correctly
+ * Details of the function tool.
*/
- confidence: number;
+ function?: {
+ /**
+ * The name of the tool to be called
+ */
+ name?: string;
+ /**
+ * The arguments passed to be passed to the tool call request
+ */
+ arguments?: object;
+ };
}[];
- /**
- * Confidence that no more speech is coming in this turn
- */
- end_of_turn_confidence?: number;
-}
-declare abstract class Base_Ai_Cf_Deepgram_Flux {
- inputs: Ai_Cf_Deepgram_Flux_Input;
- postProcessedOutputs: Ai_Cf_Deepgram_Flux_Output;
-}
-interface Ai_Cf_Deepgram_Aura_2_En_Input {
- /**
- * Speaker used to produce the audio.
- */
- speaker?: "amalthea" | "andromeda" | "apollo" | "arcas" | "aries" | "asteria" | "athena" | "atlas" | "aurora" | "callista" | "cora" | "cordelia" | "delia" | "draco" | "electra" | "harmonia" | "helena" | "hera" | "hermes" | "hyperion" | "iris" | "janus" | "juno" | "jupiter" | "luna" | "mars" | "minerva" | "neptune" | "odysseus" | "ophelia" | "orion" | "orpheus" | "pandora" | "phoebe" | "pluto" | "saturn" | "thalia" | "theia" | "vesta" | "zeus";
- /**
- * Encoding of the output audio.
- */
- encoding?: "linear16" | "flac" | "mulaw" | "alaw" | "mp3" | "opus" | "aac";
- /**
- * Container specifies the file format wrapper for the output audio. The available options depend on the encoding type..
- */
- container?: "none" | "wav" | "ogg";
- /**
- * The text content to be converted to speech
- */
- text: string;
- /**
- * Sample Rate specifies the sample rate for the output audio. Based on the encoding, different sample rates are supported. For some encodings, the sample rate is not configurable
- */
- sample_rate?: number;
- /**
- * The bitrate of the audio in bits per second. Choose from predefined ranges or specific values based on the encoding type.
- */
- bit_rate?: number;
-}
-/**
- * The generated audio in MP3 format
- */
-type Ai_Cf_Deepgram_Aura_2_En_Output = string;
-declare abstract class Base_Ai_Cf_Deepgram_Aura_2_En {
- inputs: Ai_Cf_Deepgram_Aura_2_En_Input;
- postProcessedOutputs: Ai_Cf_Deepgram_Aura_2_En_Output;
-}
-interface Ai_Cf_Deepgram_Aura_2_Es_Input {
- /**
- * Speaker used to produce the audio.
- */
- speaker?: "sirio" | "nestor" | "carina" | "celeste" | "alvaro" | "diana" | "aquila" | "selena" | "estrella" | "javier";
- /**
- * Encoding of the output audio.
- */
- encoding?: "linear16" | "flac" | "mulaw" | "alaw" | "mp3" | "opus" | "aac";
- /**
- * Container specifies the file format wrapper for the output audio. The available options depend on the encoding type..
- */
- container?: "none" | "wav" | "ogg";
- /**
- * The text content to be converted to speech
- */
- text: string;
- /**
- * Sample Rate specifies the sample rate for the output audio. Based on the encoding, different sample rates are supported. For some encodings, the sample rate is not configurable
- */
- sample_rate?: number;
- /**
- * The bitrate of the audio in bits per second. Choose from predefined ranges or specific values based on the encoding type.
- */
- bit_rate?: number;
-}
-/**
- * The generated audio in MP3 format
- */
-type Ai_Cf_Deepgram_Aura_2_Es_Output = string;
-declare abstract class Base_Ai_Cf_Deepgram_Aura_2_Es {
- inputs: Ai_Cf_Deepgram_Aura_2_Es_Input;
- postProcessedOutputs: Ai_Cf_Deepgram_Aura_2_Es_Output;
+};
+declare abstract class Base_Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct {
+ inputs: Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Input;
+ postProcessedOutputs: Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct_Output;
}
interface AiModels {
"@cf/huggingface/distilbert-sst-2-int8": BaseAiTextClassification;
@@ -8364,8 +5145,8 @@ interface AiModels {
"@cf/lykon/dreamshaper-8-lcm": BaseAiTextToImage;
"@cf/bytedance/stable-diffusion-xl-lightning": BaseAiTextToImage;
"@cf/myshell-ai/melotts": BaseAiTextToSpeech;
- "@cf/google/embeddinggemma-300m": BaseAiTextEmbeddings;
"@cf/microsoft/resnet-50": BaseAiImageClassification;
+ "@cf/facebook/detr-resnet-50": BaseAiObjectDetection;
"@cf/meta/llama-2-7b-chat-int8": BaseAiTextGeneration;
"@cf/mistral/mistral-7b-instruct-v0.1": BaseAiTextGeneration;
"@cf/meta/llama-2-7b-chat-fp16": BaseAiTextGeneration;
@@ -8399,12 +5180,13 @@ interface AiModels {
"@cf/meta/llama-3-8b-instruct": BaseAiTextGeneration;
"@cf/fblgit/una-cybertron-7b-v2-bf16": BaseAiTextGeneration;
"@cf/meta/llama-3-8b-instruct-awq": BaseAiTextGeneration;
+ "@hf/meta-llama/meta-llama-3-8b-instruct": BaseAiTextGeneration;
+ "@cf/meta/llama-3.1-8b-instruct": BaseAiTextGeneration;
"@cf/meta/llama-3.1-8b-instruct-fp8": BaseAiTextGeneration;
"@cf/meta/llama-3.1-8b-instruct-awq": BaseAiTextGeneration;
"@cf/meta/llama-3.2-3b-instruct": BaseAiTextGeneration;
"@cf/meta/llama-3.2-1b-instruct": BaseAiTextGeneration;
"@cf/deepseek-ai/deepseek-r1-distill-qwen-32b": BaseAiTextGeneration;
- "@cf/ibm-granite/granite-4.0-h-micro": BaseAiTextGeneration;
"@cf/facebook/bart-large-cnn": BaseAiSummarization;
"@cf/llava-hf/llava-1.5-7b-hf": BaseAiImageToText;
"@cf/baai/bge-base-en-v1.5": Base_Ai_Cf_Baai_Bge_Base_En_V1_5;
@@ -8426,21 +5208,6 @@ interface AiModels {
"@cf/mistralai/mistral-small-3.1-24b-instruct": Base_Ai_Cf_Mistralai_Mistral_Small_3_1_24B_Instruct;
"@cf/google/gemma-3-12b-it": Base_Ai_Cf_Google_Gemma_3_12B_It;
"@cf/meta/llama-4-scout-17b-16e-instruct": Base_Ai_Cf_Meta_Llama_4_Scout_17B_16E_Instruct;
- "@cf/qwen/qwen3-30b-a3b-fp8": Base_Ai_Cf_Qwen_Qwen3_30B_A3B_Fp8;
- "@cf/deepgram/nova-3": Base_Ai_Cf_Deepgram_Nova_3;
- "@cf/qwen/qwen3-embedding-0.6b": Base_Ai_Cf_Qwen_Qwen3_Embedding_0_6B;
- "@cf/pipecat-ai/smart-turn-v2": Base_Ai_Cf_Pipecat_Ai_Smart_Turn_V2;
- "@cf/openai/gpt-oss-120b": Base_Ai_Cf_Openai_Gpt_Oss_120B;
- "@cf/openai/gpt-oss-20b": Base_Ai_Cf_Openai_Gpt_Oss_20B;
- "@cf/leonardo/phoenix-1.0": Base_Ai_Cf_Leonardo_Phoenix_1_0;
- "@cf/leonardo/lucid-origin": Base_Ai_Cf_Leonardo_Lucid_Origin;
- "@cf/deepgram/aura-1": Base_Ai_Cf_Deepgram_Aura_1;
- "@cf/ai4bharat/indictrans2-en-indic-1B": Base_Ai_Cf_Ai4Bharat_Indictrans2_En_Indic_1B;
- "@cf/aisingapore/gemma-sea-lion-v4-27b-it": Base_Ai_Cf_Aisingapore_Gemma_Sea_Lion_V4_27B_It;
- "@cf/pfnet/plamo-embedding-1b": Base_Ai_Cf_Pfnet_Plamo_Embedding_1B;
- "@cf/deepgram/flux": Base_Ai_Cf_Deepgram_Flux;
- "@cf/deepgram/aura-2-en": Base_Ai_Cf_Deepgram_Aura_2_En;
- "@cf/deepgram/aura-2-es": Base_Ai_Cf_Deepgram_Aura_2_Es;
}
type AiOptions = {
/**
@@ -8448,25 +5215,18 @@ type AiOptions = {
* https://developers.cloudflare.com/workers-ai/features/batch-api
*/
queueRequest?: boolean;
- /**
- * Establish websocket connections, only works for supported models
- */
- websocket?: boolean;
- /**
- * Tag your requests to group and view them in Cloudflare dashboard.
- *
- * Rules:
- * Tags must only contain letters, numbers, and the symbols: : - . / @
- * Each tag can have maximum 50 characters.
- * Maximum 5 tags are allowed each request.
- * Duplicate tags will removed.
- */
- tags?: string[];
gateway?: GatewayOptions;
returnRawResponse?: boolean;
prefix?: string;
extraHeaders?: object;
};
+type ConversionResponse = {
+ name: string;
+ mimeType: string;
+ format: "markdown";
+ tokens: number;
+ data: string;
+};
type AiModelsSearchParams = {
author?: string;
hide_experimental?: boolean;
@@ -8503,15 +5263,24 @@ declare abstract class Ai {
autorag(autoragId: string): AutoRAG;
run(model: Name, inputs: InputOptions, options?: Options): Promise;
models(params?: AiModelsSearchParams): Promise;
- toMarkdown(): ToMarkdownService;
- toMarkdown(files: MarkdownDocument[], options?: ConversionRequestOptions): Promise;
- toMarkdown(files: MarkdownDocument, options?: ConversionRequestOptions): Promise;
+ toMarkdown(files: {
+ name: string;
+ blob: Blob;
+ }[], options?: {
+ gateway?: GatewayOptions;
+ extraHeaders?: object;
+ }): Promise;
+ toMarkdown(files: {
+ name: string;
+ blob: Blob;
+ }, options?: {
+ gateway?: GatewayOptions;
+ extraHeaders?: object;
+ }): Promise;
}
type GatewayRetries = {
maxAttempts?: 1 | 2 | 3 | 4 | 5;
@@ -8529,12 +5298,6 @@ type GatewayOptions = {
requestTimeoutMs?: number;
retries?: GatewayRetries;
};
-type UniversalGatewayOptions = Exclude & {
- /**
- ** @deprecated
- */
- id?: string;
-};
type AiGatewayPatchLog = {
score?: number | null;
feedback?: -1 | 1 | null;
@@ -8603,7 +5366,7 @@ declare abstract class AiGateway {
patchLog(logId: string, data: AiGatewayPatchLog): Promise;
getLog(logId: string): Promise;
run(data: AIGatewayUniversalRequest | AIGatewayUniversalRequest[], options?: {
- gateway?: UniversalGatewayOptions;
+ gateway?: GatewayOptions;
extraHeaders?: object;
}): Promise;
getUrl(provider?: AIGatewayProviders | string): Promise; // eslint-disable-line
@@ -8633,15 +5396,10 @@ type AutoRagSearchRequest = {
ranker?: string;
score_threshold?: number;
};
- reranking?: {
- enabled?: boolean;
- model?: string;
- };
rewrite_query?: boolean;
};
type AutoRagAiSearchRequest = AutoRagSearchRequest & {
stream?: boolean;
- system_prompt?: string;
};
type AutoRagAiSearchRequestStreaming = Omit & {
stream: true;
@@ -8717,12 +5475,6 @@ interface BasicImageTransformations {
* breaks aspect ratio
*/
fit?: "scale-down" | "contain" | "cover" | "crop" | "pad" | "squeeze";
- /**
- * Image segmentation using artificial intelligence models. Sets pixels not
- * within selected segment area to transparent e.g "foreground" sets every
- * background pixel as transparent.
- */
- segment?: "foreground";
/**
* When cropping with fit: "cover", this defines the side or point that should
* be left uncropped. The value is either a string
@@ -8735,7 +5487,7 @@ interface BasicImageTransformations {
* preserve as much as possible around a point at 20% of the height of the
* source image.
*/
- gravity?: 'face' | 'left' | 'right' | 'top' | 'bottom' | 'center' | 'auto' | 'entropy' | BasicImageTransformationsGravityCoordinates;
+ gravity?: 'left' | 'right' | 'top' | 'bottom' | 'center' | 'auto' | 'entropy' | BasicImageTransformationsGravityCoordinates;
/**
* Background color to add underneath the image. Applies only to images with
* transparency (such as PNG). Accepts any CSS color (#RRGGBB, rgba(…),
@@ -9022,13 +5774,13 @@ interface IncomingRequestCfPropertiesBase extends Record {
*
* @example 395747
*/
- asn?: number;
+ asn: number;
/**
* The organization which owns the ASN of the incoming request.
*
* @example "Google Cloud"
*/
- asOrganization?: string;
+ asOrganization: string;
/**
* The original value of the `Accept-Encoding` header if Cloudflare modified it.
*
@@ -9152,7 +5904,7 @@ interface IncomingRequestCfPropertiesCloudflareForSaaSEnterprise {
* This field is only present if you have Cloudflare for SaaS enabled on your account
* and you have followed the [required steps to enable it]((https://developers.cloudflare.com/cloudflare-for-platforms/cloudflare-for-saas/domain-support/custom-metadata/)).
*/
- hostMetadata?: HostMetadata;
+ hostMetadata: HostMetadata;
}
interface IncomingRequestCfPropertiesCloudflareAccessOrApiShield {
/**
@@ -9439,11 +6191,6 @@ interface D1Meta {
*/
sql_duration_ms: number;
};
- /**
- * Number of total attempts to execute the query, due to automatic retries.
- * Note: All other fields in the response like `timings` only apply to the last attempt.
- */
- total_attempts?: number;
}
interface D1Response {
success: true;
@@ -9461,11 +6208,11 @@ type D1SessionConstraint =
// Indicates that the first query should go to the primary, and the rest queries
// using the same D1DatabaseSession will go to any replica that is consistent with
// the bookmark maintained by the session (returned by the first query).
-'first-primary'
+"first-primary"
// Indicates that the first query can go anywhere (primary or replica), and the rest queries
// using the same D1DatabaseSession will go to any replica that is consistent with
// the bookmark maintained by the session (returned by the first query).
- | 'first-unconstrained';
+ | "first-unconstrained";
type D1SessionBookmark = string;
declare abstract class D1Database {
prepare(query: string): D1PreparedStatement;
@@ -9583,22 +6330,6 @@ declare module "cloudflare:email" {
};
export { _EmailMessage as EmailMessage };
}
-/**
- * Hello World binding to serve as an explanatory example. DO NOT USE
- */
-interface HelloWorldBinding {
- /**
- * Retrieve the current stored value
- */
- get(): Promise<{
- value: string;
- ms?: number;
- }>;
- /**
- * Set a new stored value
- */
- set(value: string): Promise;
-}
interface Hyperdrive {
/**
* Connect directly to Hyperdrive as if it's your database, returning a TCP socket.
@@ -9676,8 +6407,7 @@ type ImageTransform = {
fit?: 'scale-down' | 'contain' | 'pad' | 'squeeze' | 'cover' | 'crop';
flip?: 'h' | 'v' | 'hv';
gamma?: number;
- segment?: 'foreground';
- gravity?: 'face' | 'left' | 'right' | 'top' | 'bottom' | 'center' | 'auto' | 'entropy' | {
+ gravity?: 'left' | 'right' | 'top' | 'bottom' | 'center' | 'auto' | 'entropy' | {
x?: number;
y?: number;
mode: 'remainder' | 'box-center';
@@ -9685,7 +6415,7 @@ type ImageTransform = {
rotate?: 0 | 90 | 180 | 270;
saturation?: number;
sharpen?: number;
- trim?: 'border' | {
+ trim?: "border" | {
top?: number;
bottom?: number;
left?: number;
@@ -9707,14 +6437,10 @@ type ImageDrawOptions = {
bottom?: number;
right?: number;
};
-type ImageInputOptions = {
- encoding?: 'base64';
-};
type ImageOutputOptions = {
format: 'image/jpeg' | 'image/png' | 'image/gif' | 'image/webp' | 'image/avif' | 'rgb' | 'rgba';
quality?: number;
background?: string;
- anim?: boolean;
};
interface ImagesBinding {
/**
@@ -9722,13 +6448,13 @@ interface ImagesBinding {
* @throws {@link ImagesError} with code 9412 if input is not an image
* @param stream The image bytes
*/
- info(stream: ReadableStream, options?: ImageInputOptions): Promise;
+ info(stream: ReadableStream): Promise;
/**
* Begin applying a series of transformations to an image
* @param stream The image bytes
* @returns A transform handle
*/
- input(stream: ReadableStream, options?: ImageInputOptions): ImageTransformer;
+ input(stream: ReadableStream): ImageTransformer;
}
interface ImageTransformer {
/**
@@ -9751,9 +6477,6 @@ interface ImageTransformer {
*/
output(options: ImageOutputOptions): Promise;
}
-type ImageTransformationOutputOptions = {
- encoding?: 'base64';
-};
interface ImageTransformationResult {
/**
* The image as a response, ready to store in cache or return to users
@@ -9766,132 +6489,13 @@ interface ImageTransformationResult {
/**
* The bytes of the response
*/
- image(options?: ImageTransformationOutputOptions): ReadableStream;
+ image(): ReadableStream;
}
interface ImagesError extends Error {
readonly code: number;
readonly message: string;
readonly stack?: string;
}
-/**
- * Media binding for transforming media streams.
- * Provides the entry point for media transformation operations.
- */
-interface MediaBinding {
- /**
- * Creates a media transformer from an input stream.
- * @param media - The input media bytes
- * @returns A MediaTransformer instance for applying transformations
- */
- input(media: ReadableStream): MediaTransformer;
-}
-/**
- * Media transformer for applying transformation operations to media content.
- * Handles sizing, fitting, and other input transformation parameters.
- */
-interface MediaTransformer {
- /**
- * Applies transformation options to the media content.
- * @param transform - Configuration for how the media should be transformed
- * @returns A generator for producing the transformed media output
- */
- transform(transform: MediaTransformationInputOptions): MediaTransformationGenerator;
-}
-/**
- * Generator for producing media transformation results.
- * Configures the output format and parameters for the transformed media.
- */
-interface MediaTransformationGenerator {
- /**
- * Generates the final media output with specified options.
- * @param output - Configuration for the output format and parameters
- * @returns The final transformation result containing the transformed media
- */
- output(output: MediaTransformationOutputOptions): MediaTransformationResult;
-}
-/**
- * Result of a media transformation operation.
- * Provides multiple ways to access the transformed media content.
- */
-interface MediaTransformationResult {
- /**
- * Returns the transformed media as a readable stream of bytes.
- * @returns A stream containing the transformed media data
- */
- media(): ReadableStream;
- /**
- * Returns the transformed media as an HTTP response object.
- * @returns The transformed media as a Response, ready to store in cache or return to users
- */
- response(): Response;
- /**
- * Returns the MIME type of the transformed media.
- * @returns The content type string (e.g., 'image/jpeg', 'video/mp4')
- */
- contentType(): string;
-}
-/**
- * Configuration options for transforming media input.
- * Controls how the media should be resized and fitted.
- */
-type MediaTransformationInputOptions = {
- /** How the media should be resized to fit the specified dimensions */
- fit?: 'contain' | 'cover' | 'scale-down';
- /** Target width in pixels */
- width?: number;
- /** Target height in pixels */
- height?: number;
-};
-/**
- * Configuration options for Media Transformations output.
- * Controls the format, timing, and type of the generated output.
- */
-type MediaTransformationOutputOptions = {
- /**
- * Output mode determining the type of media to generate
- */
- mode?: 'video' | 'spritesheet' | 'frame' | 'audio';
- /** Whether to include audio in the output */
- audio?: boolean;
- /**
- * Starting timestamp for frame extraction or start time for clips. (e.g. '2s').
- */
- time?: string;
- /**
- * Duration for video clips, audio extraction, and spritesheet generation (e.g. '5s').
- */
- duration?: string;
- /**
- * Number of frames in the spritesheet.
- */
- imageCount?: number;
- /**
- * Output format for the generated media.
- */
- format?: 'jpg' | 'png' | 'm4a';
-};
-/**
- * Error object for media transformation operations.
- * Extends the standard Error interface with additional media-specific information.
- */
-interface MediaError extends Error {
- readonly code: number;
- readonly message: string;
- readonly stack?: string;
-}
-declare module 'cloudflare:node' {
- interface NodeStyleServer {
- listen(...args: unknown[]): this;
- address(): {
- port?: number | null | undefined;
- };
- }
- export function httpServerHandler(port: number): ExportedHandler;
- export function httpServerHandler(options: {
- port: number;
- }): ExportedHandler;
- export function httpServerHandler(server: NodeStyleServer): ExportedHandler;
-}
type Params
= Record
;
type EventContext = {
request: Request>;
@@ -10102,54 +6706,15 @@ declare namespace Rpc {
// Base type for all other types providing RPC-like interfaces.
// Rewrites all methods/properties to be `MethodOrProperty`s, while preserving callable types.
// `Reserved` names (e.g. stub method names like `dup()`) and symbols can't be accessed over RPC.
- export type Provider = MaybeCallableProvider & Pick<{
- [K in keyof T]: MethodOrProperty;
- }, Exclude>>;
+ export type Provider = MaybeCallableProvider & {
+ [K in Exclude>]: MethodOrProperty;
+ };
}
declare namespace Cloudflare {
- // Type of `env`.
- //
- // The specific project can extend `Env` by redeclaring it in project-specific files. Typescript
- // will merge all declarations.
- //
- // You can use `wrangler types` to generate the `Env` type automatically.
interface Env {
}
- // Project-specific parameters used to inform types.
- //
- // This interface is, again, intended to be declared in project-specific files, and then that
- // declaration will be merged with this one.
- //
- // A project should have a declaration like this:
- //
- // interface GlobalProps {
- // // Declares the main module's exports. Used to populate Cloudflare.Exports aka the type
- // // of `ctx.exports`.
- // mainModule: typeof import("my-main-module");
- //
- // // Declares which of the main module's exports are configured with durable storage, and
- // // thus should behave as Durable Object namsepace bindings.
- // durableNamespaces: "MyDurableObject" | "AnotherDurableObject";
- // }
- //
- // You can use `wrangler types` to generate `GlobalProps` automatically.
- interface GlobalProps {
- }
- // Evaluates to the type of a property in GlobalProps, defaulting to `Default` if it is not
- // present.
- type GlobalProp = K extends keyof GlobalProps ? GlobalProps[K] : Default;
- // The type of the program's main module exports, if known. Requires `GlobalProps` to declare the
- // `mainModule` property.
- type MainModule = GlobalProp<"mainModule", {}>;
- // The type of ctx.exports, which contains loopback bindings for all top-level exports.
- type Exports = {
- [K in keyof MainModule]: LoopbackForExport
- // If the export is listed in `durableNamespaces`, then it is also a
- // DurableObjectNamespace.
- & (K extends GlobalProp<"durableNamespaces", never> ? MainModule[K] extends new (...args: any[]) => infer DoInstance ? DoInstance extends Rpc.DurableObjectBranded ? DurableObjectNamespace : DurableObjectNamespace : DurableObjectNamespace : {});
- };
}
-declare namespace CloudflareWorkersModule {
+declare module 'cloudflare:workers' {
export type RpcStub = Rpc.Stub;
export const RpcStub: {
new (value: T): Rpc.Stub;
@@ -10158,27 +6723,25 @@ declare namespace CloudflareWorkersModule {
[Rpc.__RPC_TARGET_BRAND]: never;
}
// `protected` fields don't appear in `keyof`s, so can't be accessed over RPC
- export abstract class WorkerEntrypoint