Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add filtering sandboxes by state in the SDKs #564

Closed
wants to merge 27 commits into from
Closed
Changes from all commits
Commits
Show all changes
27 commits
Select commit Hold shift + click to select a range
6504900
Adds filtering sandboxes by state in the SDKs
mishushakov Jan 30, 2025
039b7a3
regenerated api spec
mishushakov Jan 30, 2025
33f2c07
fixes types/unset
mishushakov Jan 30, 2025
60a75a8
pass sandbox.list test for snapshots
mishushakov Feb 1, 2025
1f95e44
updated openapi spec and tests for list
mishushakov Feb 1, 2025
8c096b1
added docs on Sandbox.list
mishushakov Feb 4, 2025
a90ebc4
added changes from #565
mishushakov Feb 4, 2025
76d8a94
added a changeset
mishushakov Feb 4, 2025
5e1c6ab
updated the doc
mishushakov Feb 4, 2025
d688463
use literals for python enums
mishushakov Feb 4, 2025
6bc1c1b
added docs for removing paused sandboxes
mishushakov Feb 5, 2025
8b48134
expanded how to kill arbitrary sandboxes
mishushakov Feb 5, 2025
5f0c179
Fix generator version
jakubno Feb 6, 2025
fe1ffa7
updated openapi spec to match the latest
mishushakov Feb 6, 2025
5803a4f
updated spec, made possible to filter state by array
mishushakov Feb 10, 2025
1898417
removed unnecessary global serializer
mishushakov Feb 10, 2025
20bb345
reversed startedAt nullability
mishushakov Feb 11, 2025
a8ec896
filter sandboxes by state in the cli
mishushakov Feb 11, 2025
f58ad17
added way to filter sandboxes by metadata in the cli
mishushakov Feb 11, 2025
bef333d
updated spec
mishushakov Mar 12, 2025
a08ea6e
sandbox list pagination with asynciterator/asyncgenerator
mishushakov Mar 13, 2025
7c42078
fixes breaking change in the CLI
mishushakov Mar 13, 2025
5af429c
updated Sandbox.list DX
mishushakov Mar 13, 2025
3e60bde
updated mdx docs for Sandbox.list
mishushakov Mar 13, 2025
a6bc67e
renamed cursor to nextToken
mishushakov Mar 14, 2025
bb86d48
added tests for pagination
mishushakov Mar 26, 2025
a12d9f9
remove extra running sandboxes
mishushakov Mar 27, 2025
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
7 changes: 7 additions & 0 deletions .changeset/stupid-pens-judge.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,7 @@
---
'@e2b/python-sdk': minor
'e2b': minor
'@e2b/cli': minor
---

Adds filtering sandboxes by state in the SDKs and display of the state in the CLI
24 changes: 12 additions & 12 deletions apps/web/src/app/(docs)/docs/sandbox/connect/page.mdx
Original file line number Diff line number Diff line change
@@ -12,28 +12,28 @@ To connect to a running sandbox, you first need to retrieve its ID. You can do t
import { Sandbox } from "@e2b/code-interpreter"

// Get all running sandboxes
const runningSandboxes = await Sandbox.list() // $HighlightLine
const { sandboxes } = await Sandbox.list({ state: ['running'] }) // $HighlightLine

if (runningSandboxes.length === 0) {
if (sandboxes.length === 0) {
throw new Error("No running sandboxes found")
}

// Get the ID of the sandbox you want to connect to
const sandboxId = runningSandboxes[0].sandboxId
const sandboxId = sandboxes[0].sandboxId
```

```python
from e2b_code_interpreter import Sandbox

# Get all running sandboxes
running_sandboxes = Sandbox.list() # $HighlightLine
running_sandboxes = Sandbox.list(state=['running']) # $HighlightLine

# Get the ID of the sandbox you want to connect to
if len(running_sandboxes) == 0:
if len(running_sandboxes.sandboxes) == 0:
raise Exception("No running sandboxes found")

# Get the ID of the sandbox you want to connect to
sandbox_id = running_sandboxes[0].sandbox_id
sandbox_id = running_sandboxes.sandboxes[0].sandbox_id
```
</CodeGroup>

@@ -46,14 +46,14 @@ Now that you have the sandbox ID, you can connect to the sandbox using the `Sand
import { Sandbox } from "@e2b/code-interpreter"

// Get all running sandboxes
const runningSandboxes = await Sandbox.list()
const { sandboxes } = await Sandbox.list({ state: ['running'] })

if (runningSandboxes.length === 0) {
if (sandboxes.length === 0) {
throw new Error("No running sandboxes found")
}

// Get the ID of the sandbox you want to connect to
const sandboxId = runningSandboxes[0].sandboxId
const sandboxId = sandboxes[0].sandboxId

// Connect to the sandbox
const sandbox = await Sandbox.connect(sandboxId) // $HighlightLine
@@ -65,13 +65,13 @@ const sandbox = await Sandbox.connect(sandboxId) // $HighlightLine
from e2b_code_interpreter import Sandbox

# Get all running sandboxes
running_sandboxes = Sandbox.list()
running_sandboxes = Sandbox.list(state=['running'])

# Get the ID of the sandbox you want to connect to
if len(running_sandboxes) == 0:
if len(running_sandboxes.sandboxes) == 0:
raise Exception("No running sandboxes found")

sandbox_id = running_sandboxes[0].sandbox_id
sandbox_id = running_sandboxes.sandboxes[0].sandbox_id

# Connect to the sandbox
sandbox = Sandbox.connect(sandbox_id) # $HighlightLine
15 changes: 9 additions & 6 deletions apps/web/src/app/(docs)/docs/sandbox/list/page.mdx
Original file line number Diff line number Diff line change
@@ -18,8 +18,8 @@ const sandbox = await Sandbox.create({
},
})

const runningSandboxes = await Sandbox.list() // $HighlightLine
const runningSandbox = runningSandboxes[0]
const runningSandboxes = await Sandbox.list({ state: ['running'] }) // $HighlightLine
const runningSandbox = runningSandboxes.sandboxes[0]
console.log('Running sandbox metadata:', runningSandbox.metadata)
console.log('Running sandbox id:', runningSandbox.sandboxId)
console.log('Running sandbox started at:', runningSandbox.startedAt)
@@ -34,8 +34,8 @@ sandbox = Sandbox({
},
})

running_sandboxes = sandbox.list() # $HighlightLine
running_sandbox = running_sandboxes[0]
running_sandboxes = sandbox.list(state=['running']) # $HighlightLine
running_sandbox = running_sandboxes.sandboxes[0]
print('Running sandbox metadata:', running_sandbox.metadata)
print('Running sandbox id:', running_sandbox.sandbox_id)
print('Running sandbox started at:', running_sandbox.started_at)
@@ -86,7 +86,8 @@ const sandbox = await Sandbox.create({
})

// List running sandboxes that has `userId` key with value `123` and `env` key with value `dev`.
const runningSandboxes = await Sandbox.list({
const { sandboxes } = await Sandbox.list({
state: ['running'],
filters: { userId: '123', env: 'dev' } // $HighlightLine
})
```
@@ -103,7 +104,9 @@ sandbox = Sandbox(
)

# List running sandboxes that has `userId` key with value `123` and `env` key with value `dev`.
running_sandboxes = Sandbox.list(filters={
running_sandboxes = Sandbox.list(
state=['running'],
filters={
"userId": "123", "env": "dev" # $HighlightLine
})
```
8 changes: 4 additions & 4 deletions apps/web/src/app/(docs)/docs/sandbox/metadata/page.mdx
Original file line number Diff line number Diff line change
@@ -23,12 +23,12 @@ const sandbox = await Sandbox.create({
})

// List running sandboxes and access metadata.
const runningSandboxes = await Sandbox.list()
const { sandboxes } = await Sandbox.list({ state: ['running'] })
// Will print:
// {
// 'userId': '123',
// }
console.log(runningSandboxes[0].metadata)
console.log(sandboxes[0].metadata)
```
```python
from e2b_code_interpreter import Sandbox
@@ -41,12 +41,12 @@ sandbox = Sandbox(
)

# List running sandboxes and access metadata.
running_sandboxes = Sandbox.list()
running_sandboxes = Sandbox.list(state=['running'])
# Will print:
# {
# 'userId': '123',
# }
print(running_sandboxes[0].metadata)
print(running_sandboxes.sandboxes[0].metadata)
```
</CodeGroup>

78 changes: 78 additions & 0 deletions apps/web/src/app/(docs)/docs/sandbox/persistence/page.mdx
Copy link
Member

@mlejva mlejva Feb 4, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@mishushakov will deleting paused sandboxes be included in a separate PR? I'm asking because the new docs addition doesn't mention anything about deleting paused sandboxes.

Other than that, this looks good to me on the docs level

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Yes, this will be a separate PR.

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Nevermind, I have decided to add it here as well to avoid merge conflicts

Original file line number Diff line number Diff line change
@@ -128,6 +128,84 @@ print('Sandbox resumed', same_sbx.sandbox_id) # $HighlightLine
```
</CodeGroup>

## 4. Listing paused sandboxes
You can list all paused sandboxes by calling the `Sandbox.list` method by supplying the `state` parameter.

<CodeGroup>
```js
import { Sandbox } from '@e2b/code-interpreter'
// or use Core: https://github.com/e2b-dev/e2b
// import { Sandbox } from 'e2b'
//
// or use Desktop: https://github.com/e2b-dev/desktop
// import { Sandbox } from '@e2b/desktop'

// List all paused sandboxes
const { sandboxes } = await Sandbox.list({ state: ['paused'] }) // $HighlightLine
console.log('Paused sandboxes', sandboxes) // $HighlightLine
```
```python
from e2b import Sandbox
# or use Core: https://github.com/e2b-dev/e2b
# from e2b import Sandbox
#
# or use Desktop: https://github.com/e2b-dev/desktop
# from e2b_desktop import Sandbox

# List all paused sandboxes
sandboxes = Sandbox.list(state=['paused']) # $HighlightLine
print('Paused sandboxes', sandboxes.sandboxes) # $HighlightLine
```
</CodeGroup>

## 5. Removing paused sandboxes
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

why is js and python little bit different, also could you unify word id, sometimes you have it in lowercase and it other instance in uppercase

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Can you give me an example?


You can remove paused (and running!) sandboxes by calling the `kill` method on the Sandbox instance.

<CodeGroup>
```js
import { Sandbox } from '@e2b/code-interpreter'
// or use Core: https://github.com/e2b-dev/e2b
// import { Sandbox } from 'e2b'
//
// or use Desktop: https://github.com/e2b-dev/desktop
// import { Sandbox } from '@e2b/desktop'

const sbx = await Sandbox.create()
console.log('Sandbox created', sbx.sandboxId)

// Pause the sandbox
// You can save the sandbox ID in your database
// to resume the sandbox later
const sandboxId = await sbx.pause()

// Remove the sandbox
await sbx.kill() // $HighlightLine

// Remove sandbox by id
await Sandbox.kill(sandboxId) // $HighlightLine
```
```python
from e2b import Sandbox
# or use Core: https://github.com/e2b-dev/e2b
# from e2b import Sandbox
#
# or use Desktop: https://github.com/e2b-dev/desktop
# from e2b_desktop import Sandbox

sbx = Sandbox()

# Pause the sandbox
sandbox_id = sbx.pause()

# Remove the sandbox
sbx.kill() # $HighlightLine

# Remove sandbox by id
Sandbox.kill(sandbox_id) # $HighlightLine
```
</CodeGroup>

## Sandbox's timeout
When you resume a sandbox, the sandbox's timeout is reset to the default timeout of an E2B sandbox - 5 minutes.

2 changes: 1 addition & 1 deletion apps/web/src/code/js/basics/metadata.js
Original file line number Diff line number Diff line change
@@ -10,7 +10,7 @@ await sandbox.keepAlive(60_000)

// Later, can be even from another process
// List all running sandboxes
const runningSandboxes = await Sandbox.list()
const runningSandboxes = await Sandbox.list({ state: ['running'] })
// Find the sandbox by metadata
const found = runningSandboxes.find(s => s.metadata?.userID === 'uniqueID')
if (found) {
4 changes: 2 additions & 2 deletions apps/web/src/code/python/basics/metadata.py
Original file line number Diff line number Diff line change
@@ -11,10 +11,10 @@

# Later, can be even from another process
# List all running sandboxes
running_sandboxes = Sandbox.list()
running_sandboxes = Sandbox.list(state=['running'])

# Find the sandbox by metadata
for running_sandbox in running_sandboxes:
for running_sandbox in running_sandboxes.sandboxes:
if running_sandbox.metadata.get("user_id", "") == 'uniqueID':
sandbox = Sandbox.reconnect(running_sandbox.sandbox_id)
break
18 changes: 9 additions & 9 deletions packages/cli/src/commands/sandbox/kill.ts
Original file line number Diff line number Diff line change
@@ -3,6 +3,7 @@ import * as commander from 'commander'
import { ensureAPIKey } from 'src/api'
import { asBold } from 'src/utils/format'
import * as e2b from 'e2b'
import { SandboxInfo } from 'e2b'

async function killSandbox(sandboxID: string, apiKey: string) {
const killed = await e2b.Sandbox.kill(sandboxID, { apiKey })
@@ -17,7 +18,7 @@ export const killCommand = new commander.Command('kill')
.description('kill sandbox')
.argument(
'[sandboxID]',
`kill the sandbox specified by ${asBold('[sandboxID]')}`,
`kill the sandbox specified by ${asBold('[sandboxID]')}`
)
.alias('kl')
.option('-a, --all', 'kill all running sandboxes')
@@ -28,31 +29,30 @@ export const killCommand = new commander.Command('kill')
if (!sandboxID && !all) {
console.error(
`You need to specify ${asBold('[sandboxID]')} or use ${asBold(
'-a/--all',
)} flag`,
'-a/--all'
)} flag`
)
process.exit(1)
}

if (all && sandboxID) {
console.error(
`You cannot use ${asBold('-a/--all')} flag while specifying ${asBold(
'[sandboxID]',
)}`,
'[sandboxID]'
)}`
)
process.exit(1)
}

if (all) {
const sandboxes = await e2b.Sandbox.list({ apiKey })

const { sandboxes } = await e2b.Sandbox.list({ apiKey })
if (sandboxes.length === 0) {
console.log('No running sandboxes')
console.log('No sandboxes found')
process.exit(0)
}

await Promise.all(
sandboxes.map((sandbox) => killSandbox(sandbox.sandboxId, apiKey)),
sandboxes.map((sandbox) => killSandbox(sandbox.sandboxId, apiKey))
)
} else {
await killSandbox(sandboxID, apiKey)
35 changes: 29 additions & 6 deletions packages/cli/src/commands/sandbox/list.ts
Original file line number Diff line number Diff line change
@@ -8,12 +8,19 @@ import { handleE2BRequestError } from '../../utils/errors'
export const listCommand = new commander.Command('list')
.description('list all running sandboxes')
.alias('ls')
.action(async () => {
.option('-s, --state <state>', 'filter by state', (value) => value.split(','))
.option('-f, --filters <filters>', 'filter by metadata', (value) =>
value.replace(/,/g, '&')
)
.action(async (options) => {
try {
const sandboxes = await listSandboxes()
const sandboxes = await listSandboxes({
state: options.state,
filters: options.filters,
})

if (!sandboxes?.length) {
console.log('No running sandboxes.')
console.log('No sandboxes found')
} else {
const table = new tablePrinter.Table({
title: 'Running sandboxes',
@@ -28,6 +35,7 @@ export const listCommand = new commander.Command('list')
{ name: 'alias', alignment: 'left', title: 'Alias' },
{ name: 'startedAt', alignment: 'left', title: 'Started at' },
{ name: 'endAt', alignment: 'left', title: 'End at' },
{ name: 'state', alignment: 'left', title: 'State' },
{ name: 'cpuCount', alignment: 'left', title: 'vCPUs' },
{ name: 'memoryMB', alignment: 'left', title: 'RAM MiB' },
{ name: 'metadata', alignment: 'left', title: 'Metadata' },
@@ -39,6 +47,8 @@ export const listCommand = new commander.Command('list')
sandboxID: `${sandbox.sandboxID}-${sandbox.clientID}`,
startedAt: new Date(sandbox.startedAt).toLocaleString(),
endAt: new Date(sandbox.endAt).toLocaleString(),
state:
sandbox.state.charAt(0).toUpperCase() + sandbox.state.slice(1), // capitalize
metadata: JSON.stringify(sandbox.metadata),
}))
.sort(
@@ -81,13 +91,26 @@ export const listCommand = new commander.Command('list')
}
})

export async function listSandboxes(): Promise<
e2b.components['schemas']['RunningSandbox'][]
type ListSandboxesOptions = {
state?: e2b.components['schemas']['SandboxState'][]
filters?: string
}

export async function listSandboxes({
state,
filters,
}: ListSandboxesOptions = {}): Promise<
e2b.components['schemas']['ListedSandbox'][]
> {
ensureAPIKey()

const signal = connectionConfig.getSignal()
const res = await client.api.GET('/sandboxes', { signal })
const res = await client.api.GET('/sandboxes', {
params: {
query: { state, query: filters },
},
signal,
})

handleE2BRequestError(res.error, 'Error getting running sandboxes')

4 changes: 2 additions & 2 deletions packages/cli/src/commands/sandbox/logs.ts
Original file line number Diff line number Diff line change
@@ -31,7 +31,7 @@ export function waitForSandboxEnd(sandboxID: string) {
break
}

const response = await listSandboxes()
const response = await listSandboxes({ state: ['running'] })
const sandbox = response.find(
(s) => s.sandboxID === getShortID(sandboxID)
)
@@ -153,7 +153,7 @@ export const logsCommand = new commander.Command('logs')
console.log(`\nLogs for sandbox ${asBold(sandboxID)}:`)
}

const isRunningPromise = listSandboxes()
const isRunningPromise = listSandboxes({ state: ['running'] })
.then((r) => r.find((s) => s.sandboxID === getShortID(sandboxID)))
.then((s) => !!s)

2 changes: 1 addition & 1 deletion packages/cli/src/commands/sandbox/metrics.ts
Original file line number Diff line number Diff line change
@@ -66,7 +66,7 @@ export const metricsCommand = new commander.Command('metrics')
console.log(`\nMetrics for sandbox ${asBold(sandboxID)}:`)
}

const isRunningPromise = listSandboxes()
const isRunningPromise = listSandboxes({ state: ['running'] })
.then((r) => r.find((s) => s.sandboxID === getShortID(sandboxID)))
.then((s) => !!s)

4 changes: 2 additions & 2 deletions packages/js-sdk/package.json
Original file line number Diff line number Diff line change
@@ -28,7 +28,7 @@
"dev": "tsup --watch",
"example": "tsx example.mts",
"test": "vitest run",
"generate": "python ./../../spec/remove_extra_tags.py sandboxes templates && openapi-typescript ../../spec/openapi_generated.yml -x api_key --support-array-length --alphabetize --output src/api/schema.gen.ts",
"generate": "python ./../../spec/remove_extra_tags.py sandboxes templates && openapi-typescript ../../spec/openapi_generated.yml -x api_key --array-length --alphabetize --output src/api/schema.gen.ts",
"generate-envd-api": "openapi-typescript ../../spec/envd/envd.yaml -x api_key --support-array-length --alphabetize --output src/envd/schema.gen.ts",
"generate-ref": "./scripts/generate_sdk_ref.sh",
"check-deps": "knip",
@@ -50,7 +50,7 @@
"dotenv": "^16.4.5",
"knip": "^5.17.3",
"npm-check-updates": "^16.14.20",
"openapi-typescript": "^6.7.6",
"openapi-typescript": "^7.6.1",
"playwright": "^1.48.0",
"react": "^18.3.1",
"tsup": "^8.0.2",
6 changes: 6 additions & 0 deletions packages/js-sdk/src/api/index.ts
Original file line number Diff line number Diff line change
@@ -59,6 +59,12 @@ class ApiClient {
Authorization: `Bearer ${config.accessToken}`,
}),
},
querySerializer: {
array: {
style: 'form',
explode: false,
},
},
})

if (config.logger) {
1,694 changes: 1,036 additions & 658 deletions packages/js-sdk/src/api/schema.gen.ts

Large diffs are not rendered by default.

120 changes: 92 additions & 28 deletions packages/js-sdk/src/sandbox/sandboxApi.ts
Original file line number Diff line number Diff line change
@@ -16,6 +16,21 @@ export interface SandboxListOpts extends SandboxApiOpts {
* Filter the list of sandboxes by metadata, e.g. `{"key": "value"}`, if there are multiple filters they are combined with AND.
*/
filters?: Record<string, string>

/**
* Filter the list of sandboxes by state.
*/
state?: Array<'running' | 'paused'> | undefined

/**
* Number of sandboxes to return.
*/
limit?: number

/**
* Token to the next page.
*/
nextToken?: string
}

/**
@@ -46,6 +61,11 @@ export interface SandboxInfo {
* Sandbox start time.
*/
startedAt: Date

/**
* Sandbox state.
*/
state: 'running' | 'paused'
}

export class SandboxApi {
@@ -94,41 +114,84 @@ export class SandboxApi {
*
* @returns list of running sandboxes.
*/
static async list(
opts?: SandboxListOpts): Promise<SandboxInfo[]> {
const config = new ConnectionConfig(opts)
static async list(opts: SandboxListOpts = {}): Promise<{
sandboxes: SandboxInfo[],
hasMoreItems: boolean,
nextToken: string | undefined,
iterator: AsyncGenerator<SandboxInfo>
}> {
const { filters, state, limit, nextToken, requestTimeoutMs } = opts
const config = new ConnectionConfig({ requestTimeoutMs })
const client = new ApiClient(config)

let query = undefined
if (opts?.filters) {
const encodedPairs: Record<string, string> = Object.fromEntries(Object.entries(opts.filters).map(([key, value]) => [encodeURIComponent(key),encodeURIComponent(value)]))
if (filters) {
const encodedPairs: Record<string, string> = Object.fromEntries(
Object.entries(filters).map(([key, value]) => [
encodeURIComponent(key),
encodeURIComponent(value),
])
)
query = new URLSearchParams(encodedPairs).toString()
}

const res = await client.api.GET('/sandboxes', {
params: {
query: {query},
params: {
query: {
query,
state,
limit,
nextToken,
},
signal: config.getSignal(opts?.requestTimeoutMs),
},
signal: config.getSignal(requestTimeoutMs),
})

const err = handleApiError(res)
if (err) {
throw err
}

return (
res.data?.map((sandbox: components['schemas']['RunningSandbox']) => ({
sandboxId: this.getSandboxId({
sandboxId: sandbox.sandboxID,
clientId: sandbox.clientID,
}),
templateId: sandbox.templateID,
...(sandbox.alias && { name: sandbox.alias }),
metadata: sandbox.metadata ?? {},
startedAt: new Date(sandbox.startedAt),
})) ?? []
)
const nextPageToken = res.response.headers.get('x-next-token') || undefined
const hasMoreItems = !!nextPageToken

const sandboxes = (res.data ?? []).map(sandbox => ({
sandboxId: this.getSandboxId({
sandboxId: sandbox.sandboxID,
clientId: sandbox.clientID,
}),
templateId: sandbox.templateID,
...(sandbox.alias && { name: sandbox.alias }),
metadata: sandbox.metadata ?? {},
startedAt: new Date(sandbox.startedAt),
state: sandbox.state,
}))

return {
sandboxes,
hasMoreItems,
nextToken: nextPageToken,
iterator: this.listIterator({ limit, nextToken: nextPageToken, filters, state, requestTimeoutMs })
}
}

private static async *listIterator(options: SandboxListOpts = {}): AsyncGenerator<SandboxInfo> {
let nextPage = true
let token = options.nextToken

while (nextPage) {
const { sandboxes, hasMoreItems, nextToken } = await this.list({
...options,
nextToken: token,
})

nextPage = hasMoreItems
token = nextToken

for (const sandbox of sandboxes) {
yield sandbox
}
}
}

/**
@@ -207,13 +270,13 @@ export class SandboxApi {
}

/**
* Pause the sandbox specified by sandbox ID.
*
* @param sandboxId sandbox ID.
* @param opts connection options.
*
* @returns `true` if the sandbox got paused, `false` if the sandbox was already paused.
*/
* Pause the sandbox specified by sandbox ID.
*
* @param sandboxId sandbox ID.
* @param opts connection options.
*
* @returns `true` if the sandbox got paused, `false` if the sandbox was already paused.
*/
protected static async pauseSandbox(
sandboxId: string,
opts?: SandboxApiOpts
@@ -247,7 +310,6 @@ export class SandboxApi {
return true
}


protected static async resumeSandbox(
sandboxId: string,
timeoutMs: number,
@@ -264,6 +326,7 @@ export class SandboxApi {
},
body: {
timeout: this.timeoutToSeconds(timeoutMs),
autoPause: false,
},
signal: config.getSignal(opts?.requestTimeoutMs),
})
@@ -305,6 +368,7 @@ export class SandboxApi {
metadata: opts?.metadata,
envVars: opts?.envs,
timeout: this.timeoutToSeconds(timeoutMs),
autoPause: false,
},
signal: config.getSignal(opts?.requestTimeoutMs),
})
4 changes: 2 additions & 2 deletions packages/js-sdk/tests/api/kill.test.ts
Original file line number Diff line number Diff line change
@@ -6,8 +6,8 @@ import { Sandbox } from '../../src'
sandboxTest.skipIf(isDebug)('kill existing sandbox', async ({ sandbox }) => {
await Sandbox.kill(sandbox.sandboxId)

const list = await Sandbox.list()
expect(list.map(s => s.sandboxId)).not.toContain(sandbox.sandboxId)
const { sandboxes } = await Sandbox.list()
expect(sandboxes.map((s) => s.sandboxId)).not.toContain(sandbox.sandboxId)
})

sandboxTest.skipIf(isDebug)('kill non-existing sandbox', async () => {
213 changes: 194 additions & 19 deletions packages/js-sdk/tests/api/list.test.ts
Original file line number Diff line number Diff line change
@@ -4,37 +4,212 @@ import { Sandbox } from '../../src'
import { sandboxTest, isDebug } from '../setup.js'

sandboxTest.skipIf(isDebug)('list sandboxes', async ({ sandbox }) => {
const sandboxes = await Sandbox.list()
const { sandboxes } = await Sandbox.list()

assert.isAtLeast(sandboxes.length, 1)
assert.include(
sandboxes.map((s) => s.sandboxId),
sandbox.sandboxId
)

// Check that sandboxes are sorted by startedAt in descending order (newest first)
for (let i = 0; i < sandboxes.length - 1; i++) {
assert.isAtLeast(
new Date(sandboxes[i + 1].startedAt).getTime(),
new Date(sandboxes[i].startedAt).getTime(),
'Sandboxes should be sorted by startedAt in descending order'
)
}
})

sandboxTest.skipIf(isDebug)('list sandboxes with filter', async () => {
const uniqueId = Date.now().toString()
// Create an extra sandbox with a uniqueId
const extraSbx = await Sandbox.create({ })
const extraSbx = await Sandbox.create({ metadata: { uniqueId } })

try {
const sbx = await Sandbox.create({metadata: {uniqueId: uniqueId}})
const { sandboxes } = await Sandbox.list({ filters: { uniqueId } })

assert.equal(sandboxes.length, 1)
assert.equal(sandboxes[0].sandboxId, extraSbx.sandboxId)
} finally {
await extraSbx.kill()
}
})

sandboxTest.skipIf(isDebug)('list paused sandboxes', async ({ sandbox }) => {
const pausedSandbox = await sandbox.pause()
const pausedSandboxId = pausedSandbox.split('-')[0] + '-' + '00000000'
const { sandboxes } = await Sandbox.list({ state: ['paused'] })

assert.isAtLeast(sandboxes.length, 1)
assert.include(
sandboxes.map((s) => s.sandboxId),
pausedSandboxId
)
})

sandboxTest.skipIf(isDebug)('list running sandboxes', async ({ sandbox }) => {
const extraSbx = await Sandbox.create()
const { sandboxes } = await Sandbox.list({ state: ['running'] })

assert.isAtLeast(sandboxes.length, 1)
assert.include(
sandboxes.map((s) => s.sandboxId),
extraSbx.sandboxId
)
})

sandboxTest.skipIf(isDebug)(
'list sandboxes with limit',
async ({ sandbox }) => {
const { sandboxes } = await Sandbox.list({ limit: 1 })
assert.equal(sandboxes.length, 1)
assert.include(
sandboxes.map((s) => s.sandboxId),
sandbox.sandboxId
)
}
)

sandboxTest.skipIf(isDebug)(
'paginate running sandboxes',
async ({ sandbox }) => {
const extraSbx = await Sandbox.create()

try {
const sandboxes = await Sandbox.list({filters: {uniqueId}})
const { sandboxes, hasMoreItems, nextToken } = await Sandbox.list({
state: ['running'],
limit: 1,
})

// check first page
assert.equal(sandboxes.length, 1)
assert.equal(sandboxes[0].sandboxId, sbx.sandboxId)
assert.equal(sandboxes[0].state, 'running')
assert.isTrue(hasMoreItems)
assert.notEqual(nextToken, undefined)

// new sandbox should be on first page
assert.include(
sandboxes.map((s) => s.sandboxId),
extraSbx.sandboxId
)

// fetch second page
const {
sandboxes: sandboxes2,
hasMoreItems: hasMoreItems2,
nextToken: nextToken2,
} = await Sandbox.list({
state: ['running'],
nextToken: nextToken,
limit: 1,
})

// check second page
assert.equal(sandboxes2.length, 1)
assert.equal(sandboxes2[0].state, 'running')
assert.isFalse(hasMoreItems2)
assert.equal(nextToken2, undefined)

// past sandbox should be on second page
assert.include(
sandboxes2.map((s) => s.sandboxId),
sandbox.sandboxId
)
} finally {
await sbx.kill()
await extraSbx.kill()
}
} finally {
await extraSbx.kill()
}
})
)

sandboxTest.skipIf(isDebug)(
'paginate paused sandboxes',
async ({ sandbox }) => {
// pause the current sandbox
await sandbox.pause()

// create a new sandbox
const extraSbx = await Sandbox.create()
await extraSbx.pause()

const { sandboxes, hasMoreItems, nextToken } = await Sandbox.list({
state: ['paused'],
limit: 1,
})

// check first page
assert.equal(sandboxes.length, 1)
assert.equal(sandboxes[0].state, 'paused')
assert.isTrue(hasMoreItems)
assert.notEqual(nextToken, undefined)

// new sandbox should be on first page
assert.include(
sandboxes.map((s) => s.sandboxId),
extraSbx.sandboxId
)

// fetch second page
const {
sandboxes: sandboxes2,
hasMoreItems: hasMoreItems2,
nextToken: nextToken2,
} = await Sandbox.list({
state: ['paused'],
nextToken: nextToken,
limit: 1,
})

// check second page
assert.equal(sandboxes2.length, 1)
assert.equal(sandboxes2[0].state, 'paused')
assert.isFalse(hasMoreItems2)
assert.equal(nextToken2, undefined)

// past sandbox should be on second page
assert.include(
sandboxes2.map((s) => s.sandboxId),
sandbox.sandboxId
)
}
)

sandboxTest.skipIf(isDebug)(
'paginate paused and running sandboxes',
async ({ sandbox }) => {
// create a new sandbox
const extraSbx = await Sandbox.create()
await extraSbx.pause()

const { sandboxes, hasMoreItems, nextToken } = await Sandbox.list({
state: ['paused', 'running'],
limit: 1,
})

// check first page
assert.equal(sandboxes.length, 1)
assert.equal(sandboxes[0].state, 'paused')
assert.isTrue(hasMoreItems)
assert.notEqual(nextToken, undefined)

// new sandbox should be on first page
assert.include(
sandboxes.map((s) => s.sandboxId),
extraSbx.sandboxId
)

// fetch second page
const {
sandboxes: sandboxes2,
hasMoreItems: hasMoreItems2,
nextToken: nextToken2,
} = await Sandbox.list({
state: ['paused'],
nextToken: nextToken,
limit: 1,
})

// check second page
assert.equal(sandboxes2.length, 1)
assert.equal(sandboxes2[0].state, 'running')
assert.isFalse(hasMoreItems2)
assert.equal(nextToken2, undefined)

// past sandbox should be on second page
assert.include(
sandboxes2.map((s) => s.sandboxId),
sandbox.sandboxId
)
}
)
5 changes: 2 additions & 3 deletions packages/js-sdk/tests/sandbox/create.test.ts
Original file line number Diff line number Diff line change
@@ -21,10 +21,9 @@ test.skipIf(isDebug)('metadata', async () => {
}

const sbx = await Sandbox.create(template, { timeoutMs: 5_000, metadata })

try {
const sbxs = await Sandbox.list()
const sbxInfo = sbxs.find((s) => s.sandboxId === sbx.sandboxId)
const { sandboxes } = await Sandbox.list()
const sbxInfo = sandboxes.find((s) => s.sandboxId === sbx.sandboxId)

assert.deepEqual(sbxInfo?.metadata, metadata)
} finally {
4 changes: 2 additions & 2 deletions packages/js-sdk/tests/sandbox/kill.test.ts
Original file line number Diff line number Diff line change
@@ -6,6 +6,6 @@ import { sandboxTest, isDebug } from '../setup.js'
sandboxTest.skipIf(isDebug)('kill', async ({ sandbox }) => {
await sandbox.kill()

const list = await Sandbox.list()
expect(list.map(s => s.sandboxId)).not.toContain(sandbox.sandboxId)
const { sandboxes } = await Sandbox.list()
expect(sandboxes.map((s) => s.sandboxId)).not.toContain(sandbox.sandboxId)
})
4 changes: 2 additions & 2 deletions packages/python-sdk/Makefile
Original file line number Diff line number Diff line change
@@ -1,9 +1,9 @@
generate-api:
python ./../../spec/remove_extra_tags.py sandboxes
openapi-python-client generate --output-path e2b/api/api --overwrite --path ../../spec/openapi_generated.yml
openapi-python-client generate --output-path e2b/api/api --overwrite --path ../../spec/openapi_generated.yml --config openapi-generator.yml
rm -rf e2b/api/client
mv e2b/api/api/e2b_api_client e2b/api/client
rm -rf e2b/api/api

init:
pip install openapi-python-client
pip install openapi-python-client==0.23.1

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

101 changes: 77 additions & 24 deletions packages/python-sdk/e2b/api/client/api/sandboxes/get_sandboxes.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

26 changes: 13 additions & 13 deletions packages/python-sdk/e2b/api/client/client.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

8 changes: 6 additions & 2 deletions packages/python-sdk/e2b/api/client/models/__init__.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

12 changes: 6 additions & 6 deletions packages/python-sdk/e2b/api/client/models/error.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

21 changes: 15 additions & 6 deletions packages/python-sdk/e2b/api/client/models/new_sandbox.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

34 changes: 25 additions & 9 deletions packages/python-sdk/e2b/api/client/models/node.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

42 changes: 25 additions & 17 deletions packages/python-sdk/e2b/api/client/models/node_detail.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

19 changes: 13 additions & 6 deletions packages/python-sdk/e2b/api/client/models/node_status.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

21 changes: 15 additions & 6 deletions packages/python-sdk/e2b/api/client/models/resumed_sandbox.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

12 changes: 6 additions & 6 deletions packages/python-sdk/e2b/api/client/models/sandbox.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

12 changes: 6 additions & 6 deletions packages/python-sdk/e2b/api/client/models/sandbox_log.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

16 changes: 8 additions & 8 deletions packages/python-sdk/e2b/api/client/models/sandbox_logs.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

12 changes: 6 additions & 6 deletions packages/python-sdk/e2b/api/client/models/sandbox_metric.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

14 changes: 14 additions & 0 deletions packages/python-sdk/e2b/api/client/models/sandbox_state.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

12 changes: 6 additions & 6 deletions packages/python-sdk/e2b/api/client/models/team.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

21 changes: 11 additions & 10 deletions packages/python-sdk/e2b/api/client/models/team_user.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

22 changes: 11 additions & 11 deletions packages/python-sdk/e2b/api/client/models/template.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

24 changes: 12 additions & 12 deletions packages/python-sdk/e2b/api/client/models/template_build.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

7 changes: 4 additions & 3 deletions packages/python-sdk/e2b/api/client/types.py

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

Loading