computer-agents 2.1.0 → 2.3.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/README.md CHANGED
@@ -1,15 +1,14 @@
1
1
  # Computer Agents SDK
2
2
 
3
- Official TypeScript/JavaScript SDK for the [Computer Agents Cloud API](https://api.computer-agents.com).
3
+ [![npm version](https://img.shields.io/npm/v/computer-agents.svg?color=success)](https://www.npmjs.com/package/computer-agents)
4
+ [![License: MIT](https://img.shields.io/badge/License-MIT-blue.svg)](https://opensource.org/licenses/MIT)
5
+
6
+ Official TypeScript/JavaScript SDK for the [Computer Agents Cloud API](https://computer-agents.com). Execute Claude-powered AI agents in isolated cloud containers.
4
7
 
5
8
  ## Installation
6
9
 
7
10
  ```bash
8
11
  npm install computer-agents
9
- # or
10
- pnpm add computer-agents
11
- # or
12
- yarn add computer-agents
13
12
  ```
14
13
 
15
14
  ## Quick Start
@@ -23,7 +22,6 @@ const client = new ComputerAgentsClient({
23
22
 
24
23
  // Execute a task
25
24
  const result = await client.run('Create a REST API with Flask', {
26
- environmentId: 'env_xxx',
27
25
  onEvent: (event) => console.log(event.type)
28
26
  });
29
27
 
@@ -32,54 +30,57 @@ console.log(result.content);
32
30
 
33
31
  ## Features
34
32
 
35
- - Full TypeScript support with complete type definitions
36
- - SSE streaming for real-time execution progress
37
- - Simple, intuitive API that mirrors the REST API structure
38
- - Zero dependencies - uses native `fetch`
33
+ - **Claude-powered** agents run on Claude Opus 4.6, Sonnet 4.5, or Haiku 4.5
34
+ - **Cloud execution** isolated containers with persistent workspaces
35
+ - **SSE streaming** real-time execution progress and tool calls
36
+ - **Session continuity** — multi-turn conversations via threads
37
+ - **MCP integration** — extend capabilities with Model Context Protocol servers
38
+ - **Skills** — web search, image generation, deep research
39
+ - **Zero dependencies** — uses native `fetch`
40
+ - **Full TypeScript support** — complete type definitions
41
+
42
+ ## Supported Models
43
+
44
+ | Model | ID | Use Case |
45
+ |-------|-----|----------|
46
+ | Claude 4.6 Opus | `claude-opus-4-6` | Most capable, complex tasks |
47
+ | Claude 4.5 Sonnet | `claude-sonnet-4-5` | Balanced (default) |
48
+ | Claude 4.5 Haiku | `claude-haiku-4-5` | Fast, efficient |
39
49
 
40
50
  ## API Reference
41
51
 
42
- ### Creating a Client
52
+ ### Client
43
53
 
44
54
  ```typescript
45
55
  const client = new ComputerAgentsClient({
46
- apiKey: 'tb_xxx', // Required
47
- baseUrl: 'https://api.computer-agents.com', // Optional (default)
48
- timeout: 60000, // Optional (default: 60s)
49
- debug: false // Optional
56
+ apiKey: 'your-api-key', // Required
57
+ baseUrl: 'https://api.computer-agents.com', // Optional (default)
58
+ timeout: 60000, // Optional (default: 60s)
59
+ debug: false // Optional
50
60
  });
51
61
  ```
52
62
 
53
63
  ### Running Tasks
54
64
 
55
- The simplest way to execute a task:
56
-
57
65
  ```typescript
58
66
  // One-shot execution
59
67
  const result = await client.run('Fix the TypeScript errors', {
60
68
  environmentId: 'env_xxx'
61
69
  });
62
70
 
63
- // With streaming progress
71
+ // With streaming
64
72
  const result = await client.run('Build a REST API', {
65
- environmentId: 'env_xxx',
66
73
  onEvent: (event) => {
67
74
  if (event.type === 'response.item.completed') {
68
- console.log(event.item);
75
+ console.log(event);
69
76
  }
70
77
  }
71
78
  });
72
-
73
- // Continue a conversation
74
- const followUp = await client.run('Add authentication', {
75
- environmentId: 'env_xxx',
76
- threadId: result.threadId
77
- });
78
79
  ```
79
80
 
80
81
  ### Threads
81
82
 
82
- For multi-turn conversations:
83
+ Multi-turn conversations with persistent context:
83
84
 
84
85
  ```typescript
85
86
  // Create a thread
@@ -87,154 +88,103 @@ const thread = await client.threads.create({
87
88
  environmentId: 'env_xxx'
88
89
  });
89
90
 
90
- // Send a message
91
- const result = await client.threads.sendMessage(thread.id, {
92
- content: 'Create a REST API',
91
+ // Send messages — the agent remembers the full context
92
+ await client.threads.sendMessage(thread.id, {
93
+ content: 'Create a Python web server',
93
94
  onEvent: (event) => console.log(event)
94
95
  });
95
96
 
96
- // List threads
97
- const threads = await client.threads.list();
98
-
99
- // Get a specific thread
100
- const thread = await client.threads.get('thread_xxx');
101
-
102
- // Delete a thread
103
- await client.threads.delete('thread_xxx');
104
- ```
105
-
106
- ### Environments
107
-
108
- Manage isolated execution environments:
109
-
110
- ```typescript
111
- // Create an environment with custom configuration
112
- const env = await client.environments.create({
113
- name: 'data-science',
114
- description: 'Environment for data processing',
115
- runtimes: { python: '3.12', nodejs: '20' },
116
- packages: {
117
- system: ['ffmpeg'],
118
- python: ['pandas', 'numpy'],
119
- node: ['typescript']
120
- },
121
- internetAccess: true
97
+ await client.threads.sendMessage(thread.id, {
98
+ content: 'Add authentication to it',
99
+ onEvent: (event) => console.log(event)
122
100
  });
123
101
 
124
- // List environments
125
- const environments = await client.environments.list();
126
-
127
- // Get an environment
128
- const env = await client.environments.get('env_xxx');
129
-
130
- // Get default environment (creates one if doesn't exist)
131
- const defaultEnv = await client.environments.getDefault();
132
-
133
- // Update an environment
134
- await client.environments.update('env_xxx', {
135
- description: 'Updated description'
102
+ // Copy a thread to fork the conversation
103
+ const copy = await client.threads.copy(thread.id, {
104
+ title: 'Experiment v2'
136
105
  });
137
106
 
138
- // Delete an environment
139
- await client.environments.delete('env_xxx');
140
- ```
141
-
142
- #### Runtime Management
143
-
144
- ```typescript
145
- // List all available runtimes and versions
146
- const available = await client.environments.listAvailableRuntimes();
147
- // { python: ['3.9', '3.10', '3.11', '3.12', '3.13'], nodejs: ['18', '20', '22'], ... }
148
-
149
- // Get current runtimes for an environment
150
- const runtimes = await client.environments.getRuntimes('env_xxx');
151
- // { python: '3.12', nodejs: '20' }
152
-
153
- // Set runtime versions (triggers rebuild)
154
- await client.environments.setRuntimes('env_xxx', {
155
- python: '3.12',
156
- nodejs: '20',
157
- go: '1.22'
107
+ // Search across threads
108
+ const results = await client.threads.search({
109
+ query: 'REST API',
110
+ limit: 10
158
111
  });
159
- ```
160
-
161
- #### Package Management
162
-
163
- ```typescript
164
- // List installed packages
165
- const packages = await client.environments.listPackages('env_xxx');
166
- // { system: ['ffmpeg'], python: ['pandas'], node: ['typescript'] }
167
112
 
168
- // Install packages (triggers rebuild)
169
- await client.environments.installPackages('env_xxx', 'python', ['requests', 'beautifulsoup4']);
170
- await client.environments.installPackages('env_xxx', 'system', ['imagemagick']);
171
- await client.environments.installPackages('env_xxx', 'node', ['tsx']);
113
+ // Get execution logs
114
+ const logs = await client.threads.getLogs(thread.id);
172
115
 
173
- // Uninstall a package (triggers rebuild)
174
- await client.environments.uninstallPackage('env_xxx', 'python', 'requests');
116
+ // List, get, update, delete
117
+ const threads = await client.threads.list();
118
+ const t = await client.threads.get('thread_xxx');
119
+ await client.threads.update('thread_xxx', { title: 'New title' });
120
+ await client.threads.delete('thread_xxx');
175
121
  ```
176
122
 
177
- #### Dockerfile Customization
178
-
179
- ```typescript
180
- // Get Dockerfile configuration
181
- const dockerfile = await client.environments.getDockerfile('env_xxx');
182
- // { baseImage: '...', dockerfileExtensions: '...', effectiveDockerfile: '...' }
183
-
184
- // Set Dockerfile extensions (triggers rebuild)
185
- await client.environments.setDockerfileExtensions('env_xxx',
186
- 'RUN pip install custom-package\nRUN apt-get install -y custom-tool'
187
- );
188
-
189
- // Validate Dockerfile syntax without building
190
- const validation = await client.environments.validateDockerfile('env_xxx',
191
- 'RUN pip install something'
192
- );
193
- // { valid: true, warnings: [], effectiveDockerfile: '...' }
194
- ```
123
+ ### Agents
195
124
 
196
- #### Build Management
125
+ Configure agent behavior with specific models and instructions:
197
126
 
198
127
  ```typescript
199
- // Trigger a build
200
- const build = await client.environments.triggerBuild('env_xxx');
201
- // { buildId: 'build_xxx', status: 'building', message: 'Build started' }
202
-
203
- // Force rebuild even if up to date
204
- await client.environments.triggerBuild('env_xxx', true);
205
-
206
- // Get build status
207
- const status = await client.environments.getBuildStatus('env_xxx');
208
- // { buildStatus: 'ready', buildHash: '...', imageTag: '...', lastBuildAt: '...' }
209
-
210
- // Get build logs
211
- const logs = await client.environments.getBuildLogs('env_xxx');
212
- // { logs: '...', buildStatus: 'ready' }
128
+ const agent = await client.agents.create({
129
+ name: 'Senior Developer',
130
+ model: 'claude-sonnet-4-5',
131
+ instructions: 'You are a senior developer. Write clean, tested code.',
132
+ reasoningEffort: 'high'
133
+ });
213
134
 
214
- // Test build (validates without caching)
215
- const test = await client.environments.testBuild('env_xxx');
216
- // { success: true, logs: '...', duration: 45000 }
135
+ // Use the agent in a thread
136
+ const thread = await client.threads.create({
137
+ environmentId: 'env_xxx',
138
+ agentId: agent.id
139
+ });
217
140
  ```
218
141
 
219
- ### Agents
142
+ ### Environments
220
143
 
221
- Configure agent behavior:
144
+ Isolated containers with custom runtimes, packages, and configuration:
222
145
 
223
146
  ```typescript
224
- // Create an agent
225
- const agent = await client.agents.create({
226
- name: 'Code Assistant',
227
- model: 'gpt-4o',
228
- instructions: 'You are a helpful coding assistant.'
147
+ // Create an environment
148
+ const env = await client.environments.create({
149
+ name: 'python-dev',
150
+ internetAccess: true
229
151
  });
230
152
 
231
- // List agents
232
- const agents = await client.agents.list();
153
+ // Configure runtimes
154
+ await client.environments.setRuntimes(env.id, {
155
+ python: '3.12',
156
+ nodejs: '20'
157
+ });
158
+
159
+ // Install packages
160
+ await client.environments.installPackages(env.id, {
161
+ packages: [
162
+ { type: 'python', name: 'flask' },
163
+ { type: 'python', name: 'pytest' },
164
+ { type: 'system', name: 'curl' }
165
+ ]
166
+ });
233
167
 
234
- // Update an agent
235
- await client.agents.update('agent_xxx', {
236
- instructions: 'Updated instructions'
168
+ // Add MCP servers
169
+ await client.environments.update(env.id, {
170
+ mcpServers: [
171
+ {
172
+ type: 'stdio',
173
+ name: 'filesystem',
174
+ command: 'npx',
175
+ args: ['-y', '@modelcontextprotocol/server-filesystem', '/workspace']
176
+ },
177
+ {
178
+ type: 'http',
179
+ name: 'notion',
180
+ url: 'https://mcp.notion.com/mcp',
181
+ bearerToken: process.env.NOTION_TOKEN
182
+ }
183
+ ]
237
184
  });
185
+
186
+ // Trigger a build
187
+ await client.environments.build(env.id);
238
188
  ```
239
189
 
240
190
  ### Files
@@ -242,89 +192,92 @@ await client.agents.update('agent_xxx', {
242
192
  Manage files in environment workspaces:
243
193
 
244
194
  ```typescript
245
- // List files in an environment
246
- const files = await client.files.listFiles('env_xxx');
247
-
248
195
  // Upload a file
249
196
  await client.files.uploadFile({
250
197
  environmentId: 'env_xxx',
251
- filename: 'app.py',
252
- path: 'src', // optional subdirectory
198
+ path: 'src/app.py',
253
199
  content: 'print("hello")'
254
200
  });
255
201
 
256
202
  // Download file content
257
203
  const content = await client.files.getFile('env_xxx', 'src/app.py');
258
204
 
259
- // Download as Buffer
260
- const buffer = await client.files.downloadFile('env_xxx', 'src/app.py');
261
-
262
- // Move/rename a file
263
- await client.files.moveFile({
264
- environmentId: 'env_xxx',
265
- sourcePath: 'old-name.py',
266
- destPath: 'new-name.py'
267
- });
205
+ // List files
206
+ const files = await client.files.listFiles('env_xxx');
268
207
 
269
208
  // Delete a file
270
209
  await client.files.deleteFile('env_xxx', 'src/app.py');
271
210
  ```
272
211
 
212
+ ### Git
213
+
214
+ Version control on workspaces:
215
+
216
+ ```typescript
217
+ // View uncommitted changes
218
+ const diff = await client.git.diff('env_xxx');
219
+
220
+ // Commit and push
221
+ await client.git.commit('env_xxx', { message: 'Add new feature' });
222
+ await client.git.push('env_xxx');
223
+ ```
224
+
273
225
  ### Schedules
274
226
 
275
- Automate task execution:
227
+ Automate recurring tasks:
276
228
 
277
229
  ```typescript
278
- // Create a schedule
279
230
  const schedule = await client.schedules.create({
280
- name: 'Daily Report',
281
- agentId: 'agent_xxx',
282
- agentName: 'Reporter',
283
- task: 'Generate daily report',
284
- scheduleType: 'recurring',
285
- cronExpression: '0 9 * * *'
231
+ name: 'Daily Code Review',
232
+ type: 'cron',
233
+ cronExpression: '0 9 * * *',
234
+ task: 'Review all uncommitted changes',
235
+ environmentId: 'env_xxx'
286
236
  });
287
237
 
288
- // List schedules
289
- const schedules = await client.schedules.list();
290
-
291
- // Trigger a schedule manually
292
- await client.schedules.trigger('schedule_xxx');
238
+ // Trigger manually
239
+ await client.schedules.trigger(schedule.id);
293
240
  ```
294
241
 
295
- ### Billing
242
+ ### Budget
296
243
 
297
- Track usage and manage budgets:
244
+ Monitor spending and control execution:
298
245
 
299
246
  ```typescript
300
- // Get budget status
301
247
  const status = await client.budget.getStatus();
248
+ console.log(`Balance: $${(status.balance / 100).toFixed(2)}`);
302
249
 
303
- // Check if can execute
304
250
  const canRun = await client.budget.canExecute();
305
-
306
- // Get billing records
307
- const records = await client.billing.listRecords({ limit: 10 });
308
-
309
- // Get usage stats
310
- const stats = await client.billing.getStats({ period: 'month' });
251
+ if (!canRun.canExecute) {
252
+ console.log('Budget exceeded:', canRun.reason);
253
+ }
311
254
  ```
312
255
 
313
- ### Git Operations
314
-
315
- Manage version control:
256
+ ## Streaming Events
316
257
 
317
258
  ```typescript
318
- // Get diff
319
- const diff = await client.git.diff('env_xxx');
320
-
321
- // Commit changes
322
- await client.git.commit('env_xxx', {
323
- message: 'Add new feature'
259
+ await client.threads.sendMessage(threadId, {
260
+ content: 'Build a REST API',
261
+ onEvent: (event) => {
262
+ switch (event.type) {
263
+ case 'response.started':
264
+ console.log('Execution started');
265
+ break;
266
+ case 'response.item.completed':
267
+ console.log('Item:', event);
268
+ break;
269
+ case 'response.completed':
270
+ console.log('Response finished');
271
+ break;
272
+ case 'stream.completed':
273
+ console.log('Done');
274
+ break;
275
+ case 'stream.error':
276
+ console.error('Error:', event);
277
+ break;
278
+ }
279
+ }
324
280
  });
325
-
326
- // Push to remote
327
- await client.git.push('env_xxx');
328
281
  ```
329
282
 
330
283
  ## Error Handling
@@ -333,7 +286,7 @@ await client.git.push('env_xxx');
333
286
  import { ComputerAgentsClient, ApiClientError } from 'computer-agents';
334
287
 
335
288
  try {
336
- await client.run('Task', { environmentId: 'env_xxx' });
289
+ await client.run('Task');
337
290
  } catch (error) {
338
291
  if (error instanceof ApiClientError) {
339
292
  console.error(`API Error: ${error.message}`);
@@ -343,11 +296,31 @@ try {
343
296
  }
344
297
  ```
345
298
 
346
- ## Environment Variables
299
+ ## Examples
300
+
301
+ See the [`examples/`](./examples) directory for complete, runnable examples:
347
302
 
348
- | Variable | Description |
349
- |----------|-------------|
350
- | `COMPUTER_AGENTS_API_KEY` | API key for authentication |
303
+ | Example | Description |
304
+ |---------|-------------|
305
+ | [Hello World](./examples/01-hello-world.ts) | Simplest possible usage |
306
+ | [Multi-turn Conversation](./examples/02-multi-turn-conversation.ts) | Thread-based conversations |
307
+ | [Streaming](./examples/03-streaming.ts) | Real-time SSE event handling |
308
+ | [Custom Agent](./examples/04-custom-agent.ts) | Agent configuration with models and instructions |
309
+ | [Environments](./examples/05-environments.ts) | Environment management |
310
+ | [File Operations](./examples/06-file-operations.ts) | Upload, download, and manage files |
311
+ | [Copy Thread](./examples/07-copy-thread.ts) | Fork conversations |
312
+ | [Search Threads](./examples/08-search-threads.ts) | Full-text search across threads |
313
+ | [MCP Servers](./examples/09-mcp-servers.ts) | Model Context Protocol integration |
314
+ | [Git Operations](./examples/10-git-operations.ts) | Diffs, commits, and pushes |
315
+ | [Budget Management](./examples/11-budget-management.ts) | Monitor spending |
316
+ | [Schedules](./examples/12-schedules.ts) | Automate recurring tasks |
317
+ | [Execution Logs](./examples/13-execution-logs.ts) | Logs and deep research sessions |
318
+
319
+ Run any example:
320
+
321
+ ```bash
322
+ COMPUTER_AGENTS_API_KEY=your-key npx tsx examples/01-hello-world.ts
323
+ ```
351
324
 
352
325
  ## TypeScript
353
326
 
@@ -355,25 +328,29 @@ Full type definitions are included:
355
328
 
356
329
  ```typescript
357
330
  import type {
358
- // Core types
359
331
  Thread,
360
332
  Environment,
361
333
  CloudAgent,
362
334
  Schedule,
363
- BudgetStatus,
335
+ Run,
336
+ AgentModel,
337
+ ReasoningEffort,
364
338
  MessageStreamEvent,
365
-
366
- // Environment configuration
367
- RuntimeConfig,
368
- PackagesConfig,
369
- AvailableRuntimes,
370
- PackageType,
371
- BuildStatus,
372
- BuildStatusResult,
373
- DockerfileResult,
339
+ McpServer,
340
+ BudgetStatus,
341
+ CopyThreadParams,
342
+ SearchThreadsResponse,
343
+ ThreadLogEntry,
344
+ ResearchSession,
374
345
  } from 'computer-agents';
375
346
  ```
376
347
 
377
348
  ## License
378
349
 
379
350
  MIT
351
+
352
+ ## Links
353
+
354
+ - [Website](https://computer-agents.com)
355
+ - [npm](https://www.npmjs.com/package/computer-agents)
356
+ - [GitHub](https://github.com/computer-agents/computer-agents-sdk)
@@ -31,7 +31,7 @@
31
31
  */
32
32
  import { ApiClientError } from './cloud/ApiClient';
33
33
  import type { ApiClientConfig } from './cloud/ApiClient';
34
- import { EnvironmentsResource, ThreadsResource, AgentsResource, BudgetResource, BillingResource, SchedulesResource, GitResource, FilesResource } from './cloud/resources';
34
+ import { EnvironmentsResource, ThreadsResource, AgentsResource, BudgetResource, BillingResource, SchedulesResource, TriggersResource, OrchestrationsResource, GitResource, FilesResource } from './cloud/resources';
35
35
  import type { HealthCheck, Metrics, Project, Environment, MessageStreamEvent } from './cloud/types';
36
36
  export { ApiClientError };
37
37
  export type { ApiClientConfig };
@@ -234,6 +234,46 @@ export declare class ComputerAgentsClient {
234
234
  * ```
235
235
  */
236
236
  readonly schedules: SchedulesResource;
237
+ /**
238
+ * Event-driven triggers
239
+ *
240
+ * Create triggers that fire agents in response to events from
241
+ * GitHub, Slack, email, webhooks, and more.
242
+ *
243
+ * @example
244
+ * ```typescript
245
+ * const trigger = await client.triggers.create({
246
+ * name: 'On Push to Main',
247
+ * environmentId: 'env_xxx',
248
+ * source: 'github',
249
+ * event: 'push',
250
+ * filters: { branch: 'main' },
251
+ * action: { type: 'send_message', message: 'Run tests and report results' }
252
+ * });
253
+ * ```
254
+ */
255
+ readonly triggers: TriggersResource;
256
+ /**
257
+ * Agent-to-agent orchestration
258
+ *
259
+ * Create multi-agent workflows where agents collaborate in parallel,
260
+ * sequential, conditional, or map-reduce patterns.
261
+ *
262
+ * @example
263
+ * ```typescript
264
+ * const orch = await client.orchestrations.create({
265
+ * name: 'Code Review Pipeline',
266
+ * environmentId: 'env_xxx',
267
+ * strategy: 'sequential',
268
+ * steps: [
269
+ * { agentId: 'agent_lint', name: 'Lint' },
270
+ * { agentId: 'agent_test', name: 'Test' },
271
+ * { agentId: 'agent_review', name: 'Review' }
272
+ * ]
273
+ * });
274
+ * ```
275
+ */
276
+ readonly orchestrations: OrchestrationsResource;
237
277
  /**
238
278
  * Budget management
239
279
  *
@@ -160,6 +160,46 @@ class ComputerAgentsClient {
160
160
  * ```
161
161
  */
162
162
  schedules;
163
+ /**
164
+ * Event-driven triggers
165
+ *
166
+ * Create triggers that fire agents in response to events from
167
+ * GitHub, Slack, email, webhooks, and more.
168
+ *
169
+ * @example
170
+ * ```typescript
171
+ * const trigger = await client.triggers.create({
172
+ * name: 'On Push to Main',
173
+ * environmentId: 'env_xxx',
174
+ * source: 'github',
175
+ * event: 'push',
176
+ * filters: { branch: 'main' },
177
+ * action: { type: 'send_message', message: 'Run tests and report results' }
178
+ * });
179
+ * ```
180
+ */
181
+ triggers;
182
+ /**
183
+ * Agent-to-agent orchestration
184
+ *
185
+ * Create multi-agent workflows where agents collaborate in parallel,
186
+ * sequential, conditional, or map-reduce patterns.
187
+ *
188
+ * @example
189
+ * ```typescript
190
+ * const orch = await client.orchestrations.create({
191
+ * name: 'Code Review Pipeline',
192
+ * environmentId: 'env_xxx',
193
+ * strategy: 'sequential',
194
+ * steps: [
195
+ * { agentId: 'agent_lint', name: 'Lint' },
196
+ * { agentId: 'agent_test', name: 'Test' },
197
+ * { agentId: 'agent_review', name: 'Review' }
198
+ * ]
199
+ * });
200
+ * ```
201
+ */
202
+ orchestrations;
163
203
  /**
164
204
  * Budget management
165
205
  *
@@ -230,6 +270,8 @@ class ComputerAgentsClient {
230
270
  this.agents = new resources_1.AgentsResource(this.api);
231
271
  this.files = new resources_1.FilesResource(this.api);
232
272
  this.schedules = new resources_1.SchedulesResource(this.api);
273
+ this.triggers = new resources_1.TriggersResource(this.api);
274
+ this.orchestrations = new resources_1.OrchestrationsResource(this.api);
233
275
  this.budget = new resources_1.BudgetResource(this.api);
234
276
  this.billing = new resources_1.BillingResource(this.api);
235
277
  this.git = new resources_1.GitResource(this.api);
@@ -1 +1 @@
1
- {"version":3,"file":"ComputerAgentsClient.js","sourceRoot":"","sources":["../src/ComputerAgentsClient.ts"],"names":[],"mappings":";AAAA;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;GA8BG;;;AAEH,iDAA8D;AAuBrD,+FAvBW,0BAAc,OAuBX;AArBvB,iDAW2B;AAwG3B;;;;;;;;;;;;;;;;GAgBG;AACH,MAAa,oBAAoB;IAC/B;;;OAGG;IACM,GAAG,CAAY;IAExB;;;;;;;;;;;;;;;;;OAiBG;IACM,OAAO,CAAkB;IAElC;;;;;;;;;;;;;OAaG;IACM,YAAY,CAAuB;IAE5C;;;;;;;;;;;;;;OAcG;IACM,MAAM,CAAiB;IAEhC;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;OAgCG;IACM,KAAK,CAAgB;IAE9B;;;;;;;;;;;;;;;;OAgBG;IACM,SAAS,CAAoB;IAEtC;;;;;;;;;;OAUG;IACM,MAAM,CAAiB;IAEhC;;;;;;;;;;OAUG;IACM,OAAO,CAAkB;IAElC;;;;;;;;;;;OAWG;IACM,GAAG,CAAc;IAE1B;;;OAGG;IACM,IAAI,CAAe;IAE5B;;;OAGG;IACM,QAAQ,CAAmB;IAEpC,YAAY,SAAqC,EAAE;QACjD,kDAAkD;QAClD,MAAM,MAAM,GAAG,MAAM,CAAC,MAAM;eACvB,OAAO,CAAC,GAAG,CAAC,uBAAuB;eACnC,OAAO,CAAC,GAAG,CAAC,gBAAgB,CAAC;QAElC,IAAI,CAAC,MAAM,EAAE,CAAC;YACZ,MAAM,IAAI,KAAK,CACb,6DAA6D;gBAC7D,+DAA+D;gBAC/D,kDAAkD,CACnD,CAAC;QACJ,CAAC;QAED,8BAA8B;QAC9B,IAAI,CAAC,GAAG,GAAG,IAAI,qBAAS,CAAC;YACvB,MAAM;YACN,OAAO,EAAE,MAAM,CAAC,OAAO;YACvB,OAAO,EAAE,MAAM,CAAC,OAAO;YACvB,KAAK,EAAE,MAAM,CAAC,KAAK;SACpB,CAAC,CAAC;QAEH,mCAAmC;QACnC,IAAI,CAAC,OAAO,GAAG,IAAI,2BAAe,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC7C,IAAI,CAAC,YAAY,GAAG,IAAI,gCAAoB,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACvD,IAAI,CAAC,MAAM,GAAG,IAAI,0BAAc,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC3C,IAAI,CAAC,KAAK,GAAG,IAAI,yBAAa,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACzC,IAAI,CAAC,SAAS,GAAG,IAAI,6BAAiB,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACjD,IAAI,CAAC,MAAM,GAAG,IAAI,0BAAc,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC3C,IAAI,CAAC,OAAO,GAAG,IAAI,2BAAe,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC7C,IAAI,CAAC,GAAG,GAAG,IAAI,uBAAW,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACrC,IAAI,CAAC,IAAI,GAAG,IAAI,wBAAY,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACvC,IAAI,CAAC,QAAQ,GAAG,IAAI,4BAAgB,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;IACjD,CAAC;IAED,4EAA4E;IAC5E,iCAAiC;IACjC,4EAA4E;IAE5E;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;OAoCG;IACH,KAAK,CAAC,GAAG,CAAC,IAAY,EAAE,OAAmB;QACzC,yBAAyB;QACzB,IAAI,QAAQ,GAAG,OAAO,CAAC,QAAQ,CAAC;QAChC,IAAI,CAAC,QAAQ,EAAE,CAAC;YACd,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,OAAO,CAAC,MAAM,CAAC;gBACvC,aAAa,EAAE,OAAO,CAAC,aAAa;aACrC,CAAC,CAAC;YACH,QAAQ,GAAG,MAAM,CAAC,EAAE,CAAC;QACvB,CAAC;QAED,mCAAmC;QACnC,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,OAAO,CAAC,WAAW,CAAC,QAAQ,EAAE;YACtD,OAAO,EAAE,IAAI;YACb,WAAW,EAAE,OAAO,CAAC,WAAW;YAChC,OAAO,EAAE,OAAO,CAAC,OAAO;YACxB,OAAO,EAAE,OAAO,CAAC,OAAO;SACzB,CAAC,CAAC;QAEH,OAAO;YACL,OAAO,EAAE,MAAM,CAAC,OAAO;YACvB,QAAQ;YACR,GAAG,EAAE,MAAM,CAAC,GAAG;SAChB,CAAC;IACJ,CAAC;IAED;;;;;;;;;;;;;;;;;OAiBG;IACH,KAAK,CAAC,UAAU,CAAC,UAGb,EAAE;QAIJ,qCAAqC;QACrC,MAAM,OAAO,GAAG,MAAM,IAAI,CAAC,QAAQ,CAAC,GAAG,EAAE,CAAC;QAE1C,yCAAyC;QACzC,MAAM,YAAY,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,IAAI,EAAE,CAAC;QACpD,IAAI,WAAW,GAAG,YAAY,CAAC,IAAI,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,SAAS,CAAC,CAAC;QAEtD,4CAA4C;QAC5C,IAAI,CAAC,WAAW,EAAE,CAAC;YACjB,WAAW,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,MAAM,CAAC;gBAC3C,IAAI,EAAE,OAAO,CAAC,eAAe,IAAI,SAAS;gBAC1C,cAAc,EAAE,OAAO,CAAC,cAAc,IAAI,IAAI;gBAC9C,SAAS,EAAE,IAAI;aAChB,CAAC,CAAC;QACL,CAAC;QAED,OAAO,EAAE,OAAO,EAAE,WAAW,EAAE,CAAC;IAClC,CAAC;IAED,4EAA4E;IAC5E,sBAAsB;IACtB,4EAA4E;IAE5E;;OAEG;IACH,KAAK,CAAC,MAAM;QACV,OAAO,IAAI,CAAC,GAAG,CAAC,GAAG,CAAc,SAAS,CAAC,CAAC;IAC9C,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,OAAO;QACX,OAAO,IAAI,CAAC,GAAG,CAAC,GAAG,CAAU,UAAU,CAAC,CAAC;IAC3C,CAAC;IAED;;OAEG;IACH,UAAU;QACR,OAAO,IAAI,CAAC,GAAG,CAAC,UAAU,EAAE,CAAC;IAC/B,CAAC;CACF;AA/UD,oDA+UC;AASgC,2CAAW;AAKX,8CAAc"}
1
+ {"version":3,"file":"ComputerAgentsClient.js","sourceRoot":"","sources":["../src/ComputerAgentsClient.ts"],"names":[],"mappings":";AAAA;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;GA8BG;;;AAEH,iDAA8D;AAyBrD,+FAzBW,0BAAc,OAyBX;AAvBvB,iDAa2B;AAwG3B;;;;;;;;;;;;;;;;GAgBG;AACH,MAAa,oBAAoB;IAC/B;;;OAGG;IACM,GAAG,CAAY;IAExB;;;;;;;;;;;;;;;;;OAiBG;IACM,OAAO,CAAkB;IAElC;;;;;;;;;;;;;OAaG;IACM,YAAY,CAAuB;IAE5C;;;;;;;;;;;;;;OAcG;IACM,MAAM,CAAiB;IAEhC;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;OAgCG;IACM,KAAK,CAAgB;IAE9B;;;;;;;;;;;;;;;;OAgBG;IACM,SAAS,CAAoB;IAEtC;;;;;;;;;;;;;;;;;OAiBG;IACM,QAAQ,CAAmB;IAEpC;;;;;;;;;;;;;;;;;;;OAmBG;IACM,cAAc,CAAyB;IAEhD;;;;;;;;;;OAUG;IACM,MAAM,CAAiB;IAEhC;;;;;;;;;;OAUG;IACM,OAAO,CAAkB;IAElC;;;;;;;;;;;OAWG;IACM,GAAG,CAAc;IAE1B;;;OAGG;IACM,IAAI,CAAe;IAE5B;;;OAGG;IACM,QAAQ,CAAmB;IAEpC,YAAY,SAAqC,EAAE;QACjD,kDAAkD;QAClD,MAAM,MAAM,GAAG,MAAM,CAAC,MAAM;eACvB,OAAO,CAAC,GAAG,CAAC,uBAAuB;eACnC,OAAO,CAAC,GAAG,CAAC,gBAAgB,CAAC;QAElC,IAAI,CAAC,MAAM,EAAE,CAAC;YACZ,MAAM,IAAI,KAAK,CACb,6DAA6D;gBAC7D,+DAA+D;gBAC/D,kDAAkD,CACnD,CAAC;QACJ,CAAC;QAED,8BAA8B;QAC9B,IAAI,CAAC,GAAG,GAAG,IAAI,qBAAS,CAAC;YACvB,MAAM;YACN,OAAO,EAAE,MAAM,CAAC,OAAO;YACvB,OAAO,EAAE,MAAM,CAAC,OAAO;YACvB,KAAK,EAAE,MAAM,CAAC,KAAK;SACpB,CAAC,CAAC;QAEH,mCAAmC;QACnC,IAAI,CAAC,OAAO,GAAG,IAAI,2BAAe,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC7C,IAAI,CAAC,YAAY,GAAG,IAAI,gCAAoB,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACvD,IAAI,CAAC,MAAM,GAAG,IAAI,0BAAc,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC3C,IAAI,CAAC,KAAK,GAAG,IAAI,yBAAa,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACzC,IAAI,CAAC,SAAS,GAAG,IAAI,6BAAiB,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACjD,IAAI,CAAC,QAAQ,GAAG,IAAI,4BAAgB,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC/C,IAAI,CAAC,cAAc,GAAG,IAAI,kCAAsB,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC3D,IAAI,CAAC,MAAM,GAAG,IAAI,0BAAc,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC3C,IAAI,CAAC,OAAO,GAAG,IAAI,2BAAe,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QAC7C,IAAI,CAAC,GAAG,GAAG,IAAI,uBAAW,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACrC,IAAI,CAAC,IAAI,GAAG,IAAI,wBAAY,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;QACvC,IAAI,CAAC,QAAQ,GAAG,IAAI,4BAAgB,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;IACjD,CAAC;IAED,4EAA4E;IAC5E,iCAAiC;IACjC,4EAA4E;IAE5E;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;OAoCG;IACH,KAAK,CAAC,GAAG,CAAC,IAAY,EAAE,OAAmB;QACzC,yBAAyB;QACzB,IAAI,QAAQ,GAAG,OAAO,CAAC,QAAQ,CAAC;QAChC,IAAI,CAAC,QAAQ,EAAE,CAAC;YACd,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,OAAO,CAAC,MAAM,CAAC;gBACvC,aAAa,EAAE,OAAO,CAAC,aAAa;aACrC,CAAC,CAAC;YACH,QAAQ,GAAG,MAAM,CAAC,EAAE,CAAC;QACvB,CAAC;QAED,mCAAmC;QACnC,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,OAAO,CAAC,WAAW,CAAC,QAAQ,EAAE;YACtD,OAAO,EAAE,IAAI;YACb,WAAW,EAAE,OAAO,CAAC,WAAW;YAChC,OAAO,EAAE,OAAO,CAAC,OAAO;YACxB,OAAO,EAAE,OAAO,CAAC,OAAO;SACzB,CAAC,CAAC;QAEH,OAAO;YACL,OAAO,EAAE,MAAM,CAAC,OAAO;YACvB,QAAQ;YACR,GAAG,EAAE,MAAM,CAAC,GAAG;SAChB,CAAC;IACJ,CAAC;IAED;;;;;;;;;;;;;;;;;OAiBG;IACH,KAAK,CAAC,UAAU,CAAC,UAGb,EAAE;QAIJ,qCAAqC;QACrC,MAAM,OAAO,GAAG,MAAM,IAAI,CAAC,QAAQ,CAAC,GAAG,EAAE,CAAC;QAE1C,yCAAyC;QACzC,MAAM,YAAY,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,IAAI,EAAE,CAAC;QACpD,IAAI,WAAW,GAAG,YAAY,CAAC,IAAI,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,SAAS,CAAC,CAAC;QAEtD,4CAA4C;QAC5C,IAAI,CAAC,WAAW,EAAE,CAAC;YACjB,WAAW,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,MAAM,CAAC;gBAC3C,IAAI,EAAE,OAAO,CAAC,eAAe,IAAI,SAAS;gBAC1C,cAAc,EAAE,OAAO,CAAC,cAAc,IAAI,IAAI;gBAC9C,SAAS,EAAE,IAAI;aAChB,CAAC,CAAC;QACL,CAAC;QAED,OAAO,EAAE,OAAO,EAAE,WAAW,EAAE,CAAC;IAClC,CAAC;IAED,4EAA4E;IAC5E,sBAAsB;IACtB,4EAA4E;IAE5E;;OAEG;IACH,KAAK,CAAC,MAAM;QACV,OAAO,IAAI,CAAC,GAAG,CAAC,GAAG,CAAc,SAAS,CAAC,CAAC;IAC9C,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,OAAO;QACX,OAAO,IAAI,CAAC,GAAG,CAAC,GAAG,CAAU,UAAU,CAAC,CAAC;IAC3C,CAAC;IAED;;OAEG;IACH,UAAU;QACR,OAAO,IAAI,CAAC,GAAG,CAAC,UAAU,EAAE,CAAC;IAC/B,CAAC;CACF;AA3XD,oDA2XC;AASgC,2CAAW;AAKX,8CAAc"}
@@ -157,11 +157,11 @@ export declare class EnvironmentsResource {
157
157
  */
158
158
  getStatus(environmentId: string): Promise<ContainerStatus>;
159
159
  /**
160
- * Get the Codex configuration for an environment
160
+ * Get the agent configuration for an environment
161
161
  */
162
162
  getConfig(environmentId: string): Promise<string>;
163
163
  /**
164
- * Update the Codex configuration for an environment
164
+ * Update the agent configuration for an environment
165
165
  */
166
166
  updateConfig(environmentId: string, config: string): Promise<void>;
167
167
  }
@@ -239,14 +239,14 @@ class EnvironmentsResource {
239
239
  // Configuration Management
240
240
  // =========================================================================
241
241
  /**
242
- * Get the Codex configuration for an environment
242
+ * Get the agent configuration for an environment
243
243
  */
244
244
  async getConfig(environmentId) {
245
245
  const response = await this.client.get(`/environments/${environmentId}/config`);
246
246
  return response.config;
247
247
  }
248
248
  /**
249
- * Update the Codex configuration for an environment
249
+ * Update the agent configuration for an environment
250
250
  */
251
251
  async updateConfig(environmentId, config) {
252
252
  await this.client.put(`/environments/${environmentId}/config`, { config });
@@ -0,0 +1,56 @@
1
+ /**
2
+ * Orchestrations Resource Manager
3
+ *
4
+ * Handles agent-to-agent orchestration including CRUD operations,
5
+ * running orchestrations, and tracking run status.
6
+ *
7
+ * Note: projectId is now embedded in the API key, so routes use
8
+ * simplified paths without /projects/:projectId prefix.
9
+ */
10
+ import type { ApiClient } from '../ApiClient';
11
+ import type { Orchestration, CreateOrchestrationParams, UpdateOrchestrationParams, OrchestrationRun } from '../types';
12
+ export declare class OrchestrationsResource {
13
+ private readonly client;
14
+ constructor(client: ApiClient);
15
+ /**
16
+ * Create a new orchestration
17
+ */
18
+ create(params: CreateOrchestrationParams): Promise<Orchestration>;
19
+ /**
20
+ * List all orchestrations
21
+ */
22
+ list(params?: {
23
+ environmentId?: string;
24
+ limit?: number;
25
+ offset?: number;
26
+ }): Promise<Orchestration[]>;
27
+ /**
28
+ * Get an orchestration by ID
29
+ */
30
+ get(orchestrationId: string): Promise<Orchestration>;
31
+ /**
32
+ * Update an orchestration
33
+ */
34
+ update(orchestrationId: string, params: UpdateOrchestrationParams): Promise<Orchestration>;
35
+ /**
36
+ * Delete an orchestration
37
+ */
38
+ delete(orchestrationId: string): Promise<void>;
39
+ /**
40
+ * Execute an orchestration
41
+ */
42
+ run(orchestrationId: string, options?: {
43
+ inputs?: Record<string, unknown>;
44
+ }): Promise<OrchestrationRun>;
45
+ /**
46
+ * Get a specific run
47
+ */
48
+ getRun(orchestrationId: string, runId: string): Promise<OrchestrationRun>;
49
+ /**
50
+ * List all runs for an orchestration
51
+ */
52
+ listRuns(orchestrationId: string, params?: {
53
+ limit?: number;
54
+ offset?: number;
55
+ }): Promise<OrchestrationRun[]>;
56
+ }
@@ -0,0 +1,78 @@
1
+ "use strict";
2
+ /**
3
+ * Orchestrations Resource Manager
4
+ *
5
+ * Handles agent-to-agent orchestration including CRUD operations,
6
+ * running orchestrations, and tracking run status.
7
+ *
8
+ * Note: projectId is now embedded in the API key, so routes use
9
+ * simplified paths without /projects/:projectId prefix.
10
+ */
11
+ Object.defineProperty(exports, "__esModule", { value: true });
12
+ exports.OrchestrationsResource = void 0;
13
+ class OrchestrationsResource {
14
+ client;
15
+ constructor(client) {
16
+ this.client = client;
17
+ }
18
+ /**
19
+ * Create a new orchestration
20
+ */
21
+ async create(params) {
22
+ const response = await this.client.post(`/orchestrations`, params);
23
+ return response.orchestration;
24
+ }
25
+ /**
26
+ * List all orchestrations
27
+ */
28
+ async list(params) {
29
+ const response = await this.client.get(`/orchestrations`, params);
30
+ return response.data;
31
+ }
32
+ /**
33
+ * Get an orchestration by ID
34
+ */
35
+ async get(orchestrationId) {
36
+ const response = await this.client.get(`/orchestrations/${orchestrationId}`);
37
+ return response.orchestration;
38
+ }
39
+ /**
40
+ * Update an orchestration
41
+ */
42
+ async update(orchestrationId, params) {
43
+ const response = await this.client.patch(`/orchestrations/${orchestrationId}`, params);
44
+ return response.orchestration;
45
+ }
46
+ /**
47
+ * Delete an orchestration
48
+ */
49
+ async delete(orchestrationId) {
50
+ await this.client.delete(`/orchestrations/${orchestrationId}`);
51
+ }
52
+ // =========================================================================
53
+ // Orchestration Runs
54
+ // =========================================================================
55
+ /**
56
+ * Execute an orchestration
57
+ */
58
+ async run(orchestrationId, options) {
59
+ const response = await this.client.post(`/orchestrations/${orchestrationId}/runs`, options);
60
+ return response.run;
61
+ }
62
+ /**
63
+ * Get a specific run
64
+ */
65
+ async getRun(orchestrationId, runId) {
66
+ const response = await this.client.get(`/orchestrations/${orchestrationId}/runs/${runId}`);
67
+ return response.run;
68
+ }
69
+ /**
70
+ * List all runs for an orchestration
71
+ */
72
+ async listRuns(orchestrationId, params) {
73
+ const response = await this.client.get(`/orchestrations/${orchestrationId}/runs`, params);
74
+ return response.data;
75
+ }
76
+ }
77
+ exports.OrchestrationsResource = OrchestrationsResource;
78
+ //# sourceMappingURL=OrchestrationsResource.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"OrchestrationsResource.js","sourceRoot":"","sources":["../../../src/cloud/resources/OrchestrationsResource.ts"],"names":[],"mappings":";AAAA;;;;;;;;GAQG;;;AAUH,MAAa,sBAAsB;IACJ;IAA7B,YAA6B,MAAiB;QAAjB,WAAM,GAAN,MAAM,CAAW;IAAG,CAAC;IAElD;;OAEG;IACH,KAAK,CAAC,MAAM,CAAC,MAAiC;QAC5C,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,IAAI,CACrC,iBAAiB,EACjB,MAAM,CACP,CAAC;QACF,OAAO,QAAQ,CAAC,aAAa,CAAC;IAChC,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,IAAI,CACR,MAAoE;QAEpE,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,GAAG,CAKnC,iBAAiB,EAAE,MAAM,CAAC,CAAC;QAC9B,OAAO,QAAQ,CAAC,IAAI,CAAC;IACvB,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,GAAG,CAAC,eAAuB;QAC/B,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,GAAG,CACpC,mBAAmB,eAAe,EAAE,CACrC,CAAC;QACF,OAAO,QAAQ,CAAC,aAAa,CAAC;IAChC,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,MAAM,CACV,eAAuB,EACvB,MAAiC;QAEjC,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,KAAK,CACtC,mBAAmB,eAAe,EAAE,EACpC,MAAM,CACP,CAAC;QACF,OAAO,QAAQ,CAAC,aAAa,CAAC;IAChC,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,MAAM,CAAC,eAAuB;QAClC,MAAM,IAAI,CAAC,MAAM,CAAC,MAAM,CAAC,mBAAmB,eAAe,EAAE,CAAC,CAAC;IACjE,CAAC;IAED,4EAA4E;IAC5E,qBAAqB;IACrB,4EAA4E;IAE5E;;OAEG;IACH,KAAK,CAAC,GAAG,CACP,eAAuB,EACvB,OAA8C;QAE9C,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,IAAI,CACrC,mBAAmB,eAAe,OAAO,EACzC,OAAO,CACR,CAAC;QACF,OAAO,QAAQ,CAAC,GAAG,CAAC;IACtB,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,MAAM,CACV,eAAuB,EACvB,KAAa;QAEb,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,GAAG,CACpC,mBAAmB,eAAe,SAAS,KAAK,EAAE,CACnD,CAAC;QACF,OAAO,QAAQ,CAAC,GAAG,CAAC;IACtB,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,QAAQ,CACZ,eAAuB,EACvB,MAA4C;QAE5C,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,GAAG,CAKnC,mBAAmB,eAAe,OAAO,EAAE,MAAM,CAAC,CAAC;QACtD,OAAO,QAAQ,CAAC,IAAI,CAAC;IACvB,CAAC;CACF;AA1GD,wDA0GC"}
@@ -0,0 +1,59 @@
1
+ /**
2
+ * Triggers Resource Manager
3
+ *
4
+ * Handles event-driven trigger management including CRUD operations,
5
+ * enable/disable control, testing, and execution history.
6
+ *
7
+ * Note: projectId is now embedded in the API key, so routes use
8
+ * simplified paths without /projects/:projectId prefix.
9
+ */
10
+ import type { ApiClient } from '../ApiClient';
11
+ import type { Trigger, CreateTriggerParams, UpdateTriggerParams, TriggerExecution } from '../types';
12
+ export declare class TriggersResource {
13
+ private readonly client;
14
+ constructor(client: ApiClient);
15
+ /**
16
+ * Create a new trigger
17
+ */
18
+ create(params: CreateTriggerParams): Promise<Trigger>;
19
+ /**
20
+ * List all triggers
21
+ */
22
+ list(params?: {
23
+ environmentId?: string;
24
+ enabled?: boolean;
25
+ limit?: number;
26
+ offset?: number;
27
+ }): Promise<Trigger[]>;
28
+ /**
29
+ * Get a trigger by ID
30
+ */
31
+ get(triggerId: string): Promise<Trigger>;
32
+ /**
33
+ * Update a trigger
34
+ */
35
+ update(triggerId: string, params: UpdateTriggerParams): Promise<Trigger>;
36
+ /**
37
+ * Delete a trigger
38
+ */
39
+ delete(triggerId: string): Promise<void>;
40
+ /**
41
+ * Enable a trigger
42
+ */
43
+ enable(triggerId: string): Promise<Trigger>;
44
+ /**
45
+ * Disable a trigger
46
+ */
47
+ disable(triggerId: string): Promise<Trigger>;
48
+ /**
49
+ * Test-fire a trigger with an optional payload
50
+ */
51
+ test(triggerId: string, payload?: Record<string, unknown>): Promise<TriggerExecution>;
52
+ /**
53
+ * List past executions for a trigger
54
+ */
55
+ listExecutions(triggerId: string, params?: {
56
+ limit?: number;
57
+ offset?: number;
58
+ }): Promise<TriggerExecution[]>;
59
+ }
@@ -0,0 +1,88 @@
1
+ "use strict";
2
+ /**
3
+ * Triggers Resource Manager
4
+ *
5
+ * Handles event-driven trigger management including CRUD operations,
6
+ * enable/disable control, testing, and execution history.
7
+ *
8
+ * Note: projectId is now embedded in the API key, so routes use
9
+ * simplified paths without /projects/:projectId prefix.
10
+ */
11
+ Object.defineProperty(exports, "__esModule", { value: true });
12
+ exports.TriggersResource = void 0;
13
+ class TriggersResource {
14
+ client;
15
+ constructor(client) {
16
+ this.client = client;
17
+ }
18
+ /**
19
+ * Create a new trigger
20
+ */
21
+ async create(params) {
22
+ const response = await this.client.post(`/triggers`, params);
23
+ return response.trigger;
24
+ }
25
+ /**
26
+ * List all triggers
27
+ */
28
+ async list(params) {
29
+ const response = await this.client.get(`/triggers`, params);
30
+ return response.data;
31
+ }
32
+ /**
33
+ * Get a trigger by ID
34
+ */
35
+ async get(triggerId) {
36
+ const response = await this.client.get(`/triggers/${triggerId}`);
37
+ return response.trigger;
38
+ }
39
+ /**
40
+ * Update a trigger
41
+ */
42
+ async update(triggerId, params) {
43
+ const response = await this.client.patch(`/triggers/${triggerId}`, params);
44
+ return response.trigger;
45
+ }
46
+ /**
47
+ * Delete a trigger
48
+ */
49
+ async delete(triggerId) {
50
+ await this.client.delete(`/triggers/${triggerId}`);
51
+ }
52
+ // =========================================================================
53
+ // Trigger Control
54
+ // =========================================================================
55
+ /**
56
+ * Enable a trigger
57
+ */
58
+ async enable(triggerId) {
59
+ const response = await this.client.patch(`/triggers/${triggerId}/enable`);
60
+ return response.trigger;
61
+ }
62
+ /**
63
+ * Disable a trigger
64
+ */
65
+ async disable(triggerId) {
66
+ const response = await this.client.patch(`/triggers/${triggerId}/disable`);
67
+ return response.trigger;
68
+ }
69
+ /**
70
+ * Test-fire a trigger with an optional payload
71
+ */
72
+ async test(triggerId, payload) {
73
+ const response = await this.client.post(`/triggers/${triggerId}/test`, payload ? { payload } : undefined);
74
+ return response.execution;
75
+ }
76
+ // =========================================================================
77
+ // Execution History
78
+ // =========================================================================
79
+ /**
80
+ * List past executions for a trigger
81
+ */
82
+ async listExecutions(triggerId, params) {
83
+ const response = await this.client.get(`/triggers/${triggerId}/executions`, params);
84
+ return response.data;
85
+ }
86
+ }
87
+ exports.TriggersResource = TriggersResource;
88
+ //# sourceMappingURL=TriggersResource.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"TriggersResource.js","sourceRoot":"","sources":["../../../src/cloud/resources/TriggersResource.ts"],"names":[],"mappings":";AAAA;;;;;;;;GAQG;;;AAUH,MAAa,gBAAgB;IACE;IAA7B,YAA6B,MAAiB;QAAjB,WAAM,GAAN,MAAM,CAAW;IAAG,CAAC;IAElD;;OAEG;IACH,KAAK,CAAC,MAAM,CAAC,MAA2B;QACtC,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,IAAI,CACrC,WAAW,EACX,MAAM,CACP,CAAC;QACF,OAAO,QAAQ,CAAC,OAAO,CAAC;IAC1B,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,IAAI,CACR,MAAuF;QAEvF,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,GAAG,CAKnC,WAAW,EAAE,MAAM,CAAC,CAAC;QACxB,OAAO,QAAQ,CAAC,IAAI,CAAC;IACvB,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,GAAG,CAAC,SAAiB;QACzB,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,GAAG,CACpC,aAAa,SAAS,EAAE,CACzB,CAAC;QACF,OAAO,QAAQ,CAAC,OAAO,CAAC;IAC1B,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,MAAM,CACV,SAAiB,EACjB,MAA2B;QAE3B,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,KAAK,CACtC,aAAa,SAAS,EAAE,EACxB,MAAM,CACP,CAAC;QACF,OAAO,QAAQ,CAAC,OAAO,CAAC;IAC1B,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,MAAM,CAAC,SAAiB;QAC5B,MAAM,IAAI,CAAC,MAAM,CAAC,MAAM,CAAC,aAAa,SAAS,EAAE,CAAC,CAAC;IACrD,CAAC;IAED,4EAA4E;IAC5E,kBAAkB;IAClB,4EAA4E;IAE5E;;OAEG;IACH,KAAK,CAAC,MAAM,CAAC,SAAiB;QAC5B,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,KAAK,CACtC,aAAa,SAAS,SAAS,CAChC,CAAC;QACF,OAAO,QAAQ,CAAC,OAAO,CAAC;IAC1B,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,OAAO,CAAC,SAAiB;QAC7B,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,KAAK,CACtC,aAAa,SAAS,UAAU,CACjC,CAAC;QACF,OAAO,QAAQ,CAAC,OAAO,CAAC;IAC1B,CAAC;IAED;;OAEG;IACH,KAAK,CAAC,IAAI,CAAC,SAAiB,EAAE,OAAiC;QAC7D,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,IAAI,CACrC,aAAa,SAAS,OAAO,EAC7B,OAAO,CAAC,CAAC,CAAC,EAAE,OAAO,EAAE,CAAC,CAAC,CAAC,SAAS,CAClC,CAAC;QACF,OAAO,QAAQ,CAAC,SAAS,CAAC;IAC5B,CAAC;IAED,4EAA4E;IAC5E,oBAAoB;IACpB,4EAA4E;IAE5E;;OAEG;IACH,KAAK,CAAC,cAAc,CAClB,SAAiB,EACjB,MAA4C;QAE5C,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,GAAG,CAKnC,aAAa,SAAS,aAAa,EAAE,MAAM,CAAC,CAAC;QAChD,OAAO,QAAQ,CAAC,IAAI,CAAC;IACvB,CAAC;CACF;AAlHD,4CAkHC"}
@@ -12,6 +12,8 @@ export { RunsResource } from './RunsResource';
12
12
  export { AgentsResource } from './AgentsResource';
13
13
  export { BudgetResource, BillingResource } from './BudgetResource';
14
14
  export { SchedulesResource } from './SchedulesResource';
15
+ export { TriggersResource } from './TriggersResource';
16
+ export { OrchestrationsResource } from './OrchestrationsResource';
15
17
  export { GitResource } from './GitResource';
16
18
  export { FilesResource } from './FilesResource';
17
19
  export type { EnvironmentFile, ListFilesResult, UploadFileParams, UploadFileResult, MoveFileParams, MoveFileResult, DeleteFileResult, CreateDirectoryResult, } from './FilesResource';
@@ -5,7 +5,7 @@
5
5
  * Export all resource managers for use in CloudClient.
6
6
  */
7
7
  Object.defineProperty(exports, "__esModule", { value: true });
8
- exports.FilesResource = exports.GitResource = exports.SchedulesResource = exports.BillingResource = exports.BudgetResource = exports.AgentsResource = exports.RunsResource = exports.ThreadsResource = exports.EnvironmentsResource = exports.ProjectsResource = void 0;
8
+ exports.FilesResource = exports.GitResource = exports.OrchestrationsResource = exports.TriggersResource = exports.SchedulesResource = exports.BillingResource = exports.BudgetResource = exports.AgentsResource = exports.RunsResource = exports.ThreadsResource = exports.EnvironmentsResource = exports.ProjectsResource = void 0;
9
9
  var ProjectsResource_1 = require("./ProjectsResource");
10
10
  Object.defineProperty(exports, "ProjectsResource", { enumerable: true, get: function () { return ProjectsResource_1.ProjectsResource; } });
11
11
  var EnvironmentsResource_1 = require("./EnvironmentsResource");
@@ -21,6 +21,10 @@ Object.defineProperty(exports, "BudgetResource", { enumerable: true, get: functi
21
21
  Object.defineProperty(exports, "BillingResource", { enumerable: true, get: function () { return BudgetResource_1.BillingResource; } });
22
22
  var SchedulesResource_1 = require("./SchedulesResource");
23
23
  Object.defineProperty(exports, "SchedulesResource", { enumerable: true, get: function () { return SchedulesResource_1.SchedulesResource; } });
24
+ var TriggersResource_1 = require("./TriggersResource");
25
+ Object.defineProperty(exports, "TriggersResource", { enumerable: true, get: function () { return TriggersResource_1.TriggersResource; } });
26
+ var OrchestrationsResource_1 = require("./OrchestrationsResource");
27
+ Object.defineProperty(exports, "OrchestrationsResource", { enumerable: true, get: function () { return OrchestrationsResource_1.OrchestrationsResource; } });
24
28
  var GitResource_1 = require("./GitResource");
25
29
  Object.defineProperty(exports, "GitResource", { enumerable: true, get: function () { return GitResource_1.GitResource; } });
26
30
  var FilesResource_1 = require("./FilesResource");
@@ -1 +1 @@
1
- {"version":3,"file":"index.js","sourceRoot":"","sources":["../../../src/cloud/resources/index.ts"],"names":[],"mappings":";AAAA;;;;GAIG;;;AAEH,uDAAsD;AAA7C,oHAAA,gBAAgB,OAAA;AACzB,+DAA8D;AAArD,4HAAA,oBAAoB,OAAA;AAE7B,qDAAoD;AAA3C,kHAAA,eAAe,OAAA;AAExB,+CAA8C;AAArC,4GAAA,YAAY,OAAA;AACrB,mDAAkD;AAAzC,gHAAA,cAAc,OAAA;AACvB,mDAAmE;AAA1D,gHAAA,cAAc,OAAA;AAAE,iHAAA,eAAe,OAAA;AACxC,yDAAwD;AAA/C,sHAAA,iBAAiB,OAAA;AAC1B,6CAA4C;AAAnC,0GAAA,WAAW,OAAA;AACpB,iDAAgD;AAAvC,8GAAA,aAAa,OAAA"}
1
+ {"version":3,"file":"index.js","sourceRoot":"","sources":["../../../src/cloud/resources/index.ts"],"names":[],"mappings":";AAAA;;;;GAIG;;;AAEH,uDAAsD;AAA7C,oHAAA,gBAAgB,OAAA;AACzB,+DAA8D;AAArD,4HAAA,oBAAoB,OAAA;AAE7B,qDAAoD;AAA3C,kHAAA,eAAe,OAAA;AAExB,+CAA8C;AAArC,4GAAA,YAAY,OAAA;AACrB,mDAAkD;AAAzC,gHAAA,cAAc,OAAA;AACvB,mDAAmE;AAA1D,gHAAA,cAAc,OAAA;AAAE,iHAAA,eAAe,OAAA;AACxC,yDAAwD;AAA/C,sHAAA,iBAAiB,OAAA;AAC1B,uDAAsD;AAA7C,oHAAA,gBAAgB,OAAA;AACzB,mEAAkE;AAAzD,gIAAA,sBAAsB,OAAA;AAC/B,6CAA4C;AAAnC,0GAAA,WAAW,OAAA;AACpB,iDAAgD;AAAvC,8GAAA,aAAa,OAAA"}
@@ -698,6 +698,103 @@ export interface UpdateScheduleParams {
698
698
  enabled?: boolean;
699
699
  metadata?: Record<string, unknown>;
700
700
  }
701
+ export type TriggerSource = 'github' | 'slack' | 'email' | 'webhook' | 'cron' | 'custom';
702
+ export interface TriggerAction {
703
+ type: 'send_message';
704
+ message?: string;
705
+ template?: string;
706
+ }
707
+ export interface Trigger {
708
+ id: string;
709
+ name: string;
710
+ environmentId: string;
711
+ agentId?: string;
712
+ source: TriggerSource;
713
+ event: string;
714
+ filters?: Record<string, unknown>;
715
+ action: TriggerAction;
716
+ enabled: boolean;
717
+ lastTriggeredAt?: number;
718
+ createdAt: number;
719
+ updatedAt: number;
720
+ }
721
+ export interface CreateTriggerParams {
722
+ name: string;
723
+ environmentId: string;
724
+ agentId?: string;
725
+ source: TriggerSource;
726
+ event: string;
727
+ filters?: Record<string, unknown>;
728
+ action: TriggerAction;
729
+ enabled?: boolean;
730
+ }
731
+ export interface UpdateTriggerParams {
732
+ name?: string;
733
+ agentId?: string;
734
+ event?: string;
735
+ filters?: Record<string, unknown>;
736
+ action?: TriggerAction;
737
+ enabled?: boolean;
738
+ }
739
+ export interface TriggerExecution {
740
+ id: string;
741
+ triggerId: string;
742
+ threadId: string;
743
+ event: Record<string, unknown>;
744
+ status: 'pending' | 'running' | 'completed' | 'failed';
745
+ createdAt: number;
746
+ }
747
+ export type OrchestrationStrategy = 'parallel' | 'sequential' | 'conditional' | 'map_reduce';
748
+ export interface OrchestrationStep {
749
+ id: string;
750
+ agentId: string;
751
+ name: string;
752
+ instructions?: string;
753
+ inputs?: Record<string, unknown>;
754
+ dependsOn?: string[];
755
+ condition?: string;
756
+ }
757
+ export interface Orchestration {
758
+ id: string;
759
+ name: string;
760
+ environmentId: string;
761
+ strategy: OrchestrationStrategy;
762
+ coordinatorAgentId?: string;
763
+ steps: OrchestrationStep[];
764
+ status: 'draft' | 'active' | 'archived';
765
+ createdAt: number;
766
+ updatedAt: number;
767
+ }
768
+ export interface CreateOrchestrationParams {
769
+ name: string;
770
+ environmentId: string;
771
+ strategy: OrchestrationStrategy;
772
+ coordinatorAgentId?: string;
773
+ steps: Omit<OrchestrationStep, 'id'>[];
774
+ }
775
+ export interface UpdateOrchestrationParams {
776
+ name?: string;
777
+ strategy?: OrchestrationStrategy;
778
+ coordinatorAgentId?: string;
779
+ steps?: Omit<OrchestrationStep, 'id'>[];
780
+ }
781
+ export interface OrchestrationStepResult {
782
+ stepId: string;
783
+ agentId: string;
784
+ status: 'pending' | 'running' | 'completed' | 'failed' | 'skipped';
785
+ output?: string;
786
+ error?: string;
787
+ durationMs?: number;
788
+ }
789
+ export interface OrchestrationRun {
790
+ id: string;
791
+ orchestrationId: string;
792
+ threadId: string;
793
+ status: 'pending' | 'running' | 'completed' | 'failed';
794
+ stepResults: OrchestrationStepResult[];
795
+ createdAt: number;
796
+ completedAt?: number;
797
+ }
701
798
  export interface HealthCheck {
702
799
  status: 'healthy' | 'unhealthy';
703
800
  timestamp: string;
package/dist/index.d.ts CHANGED
@@ -22,7 +22,7 @@
22
22
  */
23
23
  export { ComputerAgentsClient, CloudClient, TestbaseClient, ApiClientError, } from './ComputerAgentsClient';
24
24
  export type { ComputerAgentsClientConfig, RunOptions, RunResult, ApiClientConfig, } from './ComputerAgentsClient';
25
- export { ProjectsResource, EnvironmentsResource, ThreadsResource, RunsResource, AgentsResource, BudgetResource, BillingResource, SchedulesResource, GitResource, } from './cloud/resources';
25
+ export { ProjectsResource, EnvironmentsResource, ThreadsResource, RunsResource, AgentsResource, BudgetResource, BillingResource, SchedulesResource, TriggersResource, OrchestrationsResource, GitResource, } from './cloud/resources';
26
26
  export type { StreamEventCallback, SendMessageOptions, SendMessageResult, ListEnvironmentsParams, } from './cloud/resources';
27
- export type { PaginationParams, PaginatedResponse, ApiError, Project, CreateProjectParams, UpdateProjectParams, ProjectStats, ProjectType, ProjectSource, Environment, CreateEnvironmentParams, UpdateEnvironmentParams, EnvironmentStatus, EnvironmentVariable, McpServer, ContainerStatus, BuildResult, BuildStatus, BuildStatusResult, BuildLogsResult, TestBuildResult, DockerfileResult, ValidateDockerfileResult, RuntimeConfig, PackagesConfig, AvailableRuntimes, PackageType, InstallPackagesResult, StartContainerParams, StartContainerResult, Thread, CreateThreadParams, UpdateThreadParams, ListThreadsParams, SendMessageParams, ThreadMessage, ThreadStatus, AgentConfig, CopyThreadParams, SearchThreadsParams, SearchThreadResult, SearchThreadsResponse, ThreadLogEntry, ResearchSession, StreamEvent, MessageStreamEvent, ResponseStartedEvent, ResponseItemCompletedEvent, ResponseCompletedEvent, StreamCompletedEvent, StreamErrorEvent, Run, CreateRunParams, UpdateRunParams, ListRunsParams, RunStatus, RunLogEntry, RunDiff, TokenUsage, CloudAgent, CreateAgentParams, UpdateAgentParams, AgentModel, ReasoningEffort, DeepResearchModel, AgentBinary, BudgetStatus, CanExecuteResult, IncreaseBudgetParams, IncreaseBudgetResult, BillingRecord, ListBillingRecordsParams, BillingAccount, UsageStats, UsageStatsParams, FileEntry, ListFilesParams, UploadFileParams, CreateDirectoryParams, GitDiffFile, GitDiffResult, GitCommitParams, GitCommitResult, GitPushParams, GitPushResult, Schedule, CreateScheduleParams, UpdateScheduleParams, ScheduleType, HealthCheck, Metrics, } from './cloud/types';
27
+ export type { PaginationParams, PaginatedResponse, ApiError, Project, CreateProjectParams, UpdateProjectParams, ProjectStats, ProjectType, ProjectSource, Environment, CreateEnvironmentParams, UpdateEnvironmentParams, EnvironmentStatus, EnvironmentVariable, McpServer, ContainerStatus, BuildResult, BuildStatus, BuildStatusResult, BuildLogsResult, TestBuildResult, DockerfileResult, ValidateDockerfileResult, RuntimeConfig, PackagesConfig, AvailableRuntimes, PackageType, InstallPackagesResult, StartContainerParams, StartContainerResult, Thread, CreateThreadParams, UpdateThreadParams, ListThreadsParams, SendMessageParams, ThreadMessage, ThreadStatus, AgentConfig, CopyThreadParams, SearchThreadsParams, SearchThreadResult, SearchThreadsResponse, ThreadLogEntry, ResearchSession, StreamEvent, MessageStreamEvent, ResponseStartedEvent, ResponseItemCompletedEvent, ResponseCompletedEvent, StreamCompletedEvent, StreamErrorEvent, Run, CreateRunParams, UpdateRunParams, ListRunsParams, RunStatus, RunLogEntry, RunDiff, TokenUsage, CloudAgent, CreateAgentParams, UpdateAgentParams, AgentModel, ReasoningEffort, DeepResearchModel, AgentBinary, BudgetStatus, CanExecuteResult, IncreaseBudgetParams, IncreaseBudgetResult, BillingRecord, ListBillingRecordsParams, BillingAccount, UsageStats, UsageStatsParams, FileEntry, ListFilesParams, UploadFileParams, CreateDirectoryParams, GitDiffFile, GitDiffResult, GitCommitParams, GitCommitResult, GitPushParams, GitPushResult, Schedule, CreateScheduleParams, UpdateScheduleParams, ScheduleType, TriggerSource, Trigger, TriggerAction, CreateTriggerParams, UpdateTriggerParams, TriggerExecution, OrchestrationStrategy, OrchestrationStep, Orchestration, CreateOrchestrationParams, UpdateOrchestrationParams, OrchestrationRun, OrchestrationStepResult, HealthCheck, Metrics, } from './cloud/types';
28
28
  export { ApiClient } from './cloud/ApiClient';
package/dist/index.js CHANGED
@@ -22,7 +22,7 @@
22
22
  * ```
23
23
  */
24
24
  Object.defineProperty(exports, "__esModule", { value: true });
25
- exports.ApiClient = exports.GitResource = exports.SchedulesResource = exports.BillingResource = exports.BudgetResource = exports.AgentsResource = exports.RunsResource = exports.ThreadsResource = exports.EnvironmentsResource = exports.ProjectsResource = exports.ApiClientError = exports.TestbaseClient = exports.CloudClient = exports.ComputerAgentsClient = void 0;
25
+ exports.ApiClient = exports.GitResource = exports.OrchestrationsResource = exports.TriggersResource = exports.SchedulesResource = exports.BillingResource = exports.BudgetResource = exports.AgentsResource = exports.RunsResource = exports.ThreadsResource = exports.EnvironmentsResource = exports.ProjectsResource = exports.ApiClientError = exports.TestbaseClient = exports.CloudClient = exports.ComputerAgentsClient = void 0;
26
26
  // ============================================================================
27
27
  // Main Client
28
28
  // ============================================================================
@@ -45,6 +45,8 @@ Object.defineProperty(exports, "AgentsResource", { enumerable: true, get: functi
45
45
  Object.defineProperty(exports, "BudgetResource", { enumerable: true, get: function () { return resources_1.BudgetResource; } });
46
46
  Object.defineProperty(exports, "BillingResource", { enumerable: true, get: function () { return resources_1.BillingResource; } });
47
47
  Object.defineProperty(exports, "SchedulesResource", { enumerable: true, get: function () { return resources_1.SchedulesResource; } });
48
+ Object.defineProperty(exports, "TriggersResource", { enumerable: true, get: function () { return resources_1.TriggersResource; } });
49
+ Object.defineProperty(exports, "OrchestrationsResource", { enumerable: true, get: function () { return resources_1.OrchestrationsResource; } });
48
50
  Object.defineProperty(exports, "GitResource", { enumerable: true, get: function () { return resources_1.GitResource; } });
49
51
  // ============================================================================
50
52
  // Low-level API Client (for advanced usage)
package/dist/index.js.map CHANGED
@@ -1 +1 @@
1
- {"version":3,"file":"index.js","sourceRoot":"","sources":["../src/index.ts"],"names":[],"mappings":";AAAA;;;;;;;;;;;;;;;;;;;;;GAqBG;;;AAEH,+EAA+E;AAC/E,cAAc;AACd,+EAA+E;AAE/E,+DAOgC;AAN9B,4HAAA,oBAAoB,OAAA;AACpB,kCAAkC;AAClC,mHAAA,WAAW,OAAA;AACX,sHAAA,cAAc,OAAA;AACd,cAAc;AACd,sHAAA,cAAc,OAAA;AAUhB,+EAA+E;AAC/E,yCAAyC;AACzC,+EAA+E;AAE/E,+CAU2B;AATzB,6GAAA,gBAAgB,OAAA;AAChB,iHAAA,oBAAoB,OAAA;AACpB,4GAAA,eAAe,OAAA;AACf,yGAAA,YAAY,OAAA;AACZ,2GAAA,cAAc,OAAA;AACd,2GAAA,cAAc,OAAA;AACd,4GAAA,eAAe,OAAA;AACf,8GAAA,iBAAiB,OAAA;AACjB,wGAAA,WAAW,OAAA;AAmIb,+EAA+E;AAC/E,4CAA4C;AAC5C,+EAA+E;AAE/E,+CAA8C;AAArC,sGAAA,SAAS,OAAA"}
1
+ {"version":3,"file":"index.js","sourceRoot":"","sources":["../src/index.ts"],"names":[],"mappings":";AAAA;;;;;;;;;;;;;;;;;;;;;GAqBG;;;AAEH,+EAA+E;AAC/E,cAAc;AACd,+EAA+E;AAE/E,+DAOgC;AAN9B,4HAAA,oBAAoB,OAAA;AACpB,kCAAkC;AAClC,mHAAA,WAAW,OAAA;AACX,sHAAA,cAAc,OAAA;AACd,cAAc;AACd,sHAAA,cAAc,OAAA;AAUhB,+EAA+E;AAC/E,yCAAyC;AACzC,+EAA+E;AAE/E,+CAY2B;AAXzB,6GAAA,gBAAgB,OAAA;AAChB,iHAAA,oBAAoB,OAAA;AACpB,4GAAA,eAAe,OAAA;AACf,yGAAA,YAAY,OAAA;AACZ,2GAAA,cAAc,OAAA;AACd,2GAAA,cAAc,OAAA;AACd,4GAAA,eAAe,OAAA;AACf,8GAAA,iBAAiB,OAAA;AACjB,6GAAA,gBAAgB,OAAA;AAChB,mHAAA,sBAAsB,OAAA;AACtB,wGAAA,WAAW,OAAA;AAoJb,+EAA+E;AAC/E,4CAA4C;AAC5C,+EAA+E;AAE/E,+CAA8C;AAArC,sGAAA,SAAS,OAAA"}
package/package.json CHANGED
@@ -1,8 +1,8 @@
1
1
  {
2
2
  "name": "computer-agents",
3
- "repository": "https://github.com/TestBase-ai/computer-agents",
3
+ "repository": "https://github.com/computer-agents/computer-agents-sdk",
4
4
  "homepage": "https://computer-agents.com",
5
- "version": "2.1.0",
5
+ "version": "2.3.0",
6
6
  "description": "Official SDK for the Computer Agents Cloud API. Execute Claude-powered AI agents in isolated cloud containers.",
7
7
  "author": "Computer Agents",
8
8
  "main": "dist/index.js",