Skip to main content

Client helpers for the Orcheo workflow orchestration platform

Project description

Orcheo Python SDK

The Python SDK offers a strongly typed way to generate Orcheo workflow requests without forcing a specific HTTP client dependency.

Server-side workflow execution

Breaking change: The SDK no longer supports executing workflows locally within the client process. All executions now run on the Orcheo backend. To migrate, deploy your workflow as before and trigger runs via the HTTP API while streaming updates over a WebSocket connection. The new examples/quickstart/sdk_server_trigger.py script shows an end-to-end interaction pattern, including payload construction and streaming result handling.

High-level steps:

  1. Model the workflow graph using the SDK types shown below.
  2. Deploy the workflow to the Orcheo backend.
  3. Trigger runs using OrcheoClient.workflow_trigger_url() or the HttpWorkflowExecutor.
  4. Subscribe to live updates with OrcheoClient.websocket_url() and send the payload returned from client.build_payload(...).

The sections that follow focus on authoring the graph configuration and preparing the payloads required by the server APIs.

Workflow authoring

from pydantic import BaseModel
from orcheo_sdk import OrcheoClient, Workflow, WorkflowNode


class UppercaseConfig(BaseModel):
    prefix: str


class UppercaseNode(WorkflowNode[UppercaseConfig]):
    type_name = "Uppercase"


workflow = Workflow(name="demo")
workflow.add_node(UppercaseNode("upper", UppercaseConfig(prefix="Result: ")))

# Prepare deployment request metadata for the Orcheo backend
client = OrcheoClient(base_url="http://localhost:8000")
request = client.build_deployment_request(workflow)

Multi-node workflows

Edges between nodes are derived from the dependencies you provide when registering each node. Every dependency is converted into an edge in the exported graph, so you only need to describe how data should flow between nodes:

flowchart TD
    S[START] --> first_edge[first]
    S --> second_edge[second]
    first_edge --> combine_edge[combine]
    second_edge --> combine_edge
    combine_edge --> E[END]

    classDef default font-family:monospace,font-size:12px;
workflow = Workflow(name="fan-in")

workflow.add_node(UppercaseNode("first", UppercaseConfig(prefix="A: ")))
workflow.add_node(UppercaseNode("second", UppercaseConfig(prefix="B: ")))
workflow.add_node(
    AppendNode("combine", AppendConfig(suffix="!")),
    depends_on=["first", "second"],
)

graph_config = workflow.to_graph_config()
assert graph_config["edges"] == [
    ("START", "first"),
    ("START", "second"),
    ("combine", "END"),
    ("first", "combine"),
    ("second", "combine"),
]

Note: Workflows should be deployed to the managed Orcheo runtime for execution once you are happy with the authored graph configuration.

Usage

Python Client

from orcheo_sdk import OrcheoClient

client = OrcheoClient(base_url="http://localhost:8000")
trigger_url = client.workflow_trigger_url("example-workflow")
ws_url = client.websocket_url("example-workflow")
payload = client.build_payload(graph_config, inputs={"name": "Ada"})

Refer to examples/quickstart/sdk_server_trigger.py for a complete async implementation that streams updates, handles connection failures gracefully, and shuts down once the workflow run finishes.

Command Line Interface

The SDK includes a comprehensive CLI for managing workflows, nodes, and credentials. All commands support caching and offline mode.

Global Options

Available on all commands:

  • --profile - Profile name from the CLI config
  • --api-url - Override the API URL
  • --service-token - Override the service token
  • --offline - Use cached data when network calls fail
  • --cache-ttl - Cache TTL in hours for offline data (default: 24)

Commands Reference

Workflow Management
Command Description Key Options
orcheo workflow list List workflows with metadata --archived - Include archived workflows
orcheo workflow show <id> Display workflow details, versions, and runs -
orcheo workflow run <id> Trigger a workflow execution --actor - Actor name (default: "cli")
--inputs - JSON inputs payload
--inputs-file - Path to JSON inputs file
orcheo workflow delete <id> Delete a workflow --force - Skip confirmation prompt
orcheo workflow upload <file> Upload workflow from Python LangGraph script (.py) --id - Workflow ID (for updates)
--config - JSON runnable config payload
--config-file - JSON runnable config file
orcheo workflow save-config <id> Update version runnable_config without creating a version --config / --config-file - Runnable config payload
--version - Target version (latest by default)
--clear - Clear stored runnable config
orcheo workflow download <id> Download workflow source as Python -o, --output - Output file path
--config-out - Companion runnable config JSON path

Examples:

# List all workflows including archived ones
orcheo workflow list --archived

# Show workflow details
orcheo workflow show my-workflow-id

# Run a workflow with inputs
orcheo workflow run my-workflow-id --inputs '{"name": "Ada"}'
orcheo workflow run my-workflow-id --inputs-file inputs.json

# Upload a workflow from Python file
orcheo workflow upload workflow.py

# Update existing workflow
orcheo workflow upload workflow.py --id my-workflow-id

# Upload with runnable config defaults (stored per version)
orcheo workflow upload workflow.py --config '{"tags": ["support"], "max_concurrency": 4}'

# Save runnable config only (no new version created)
orcheo workflow save-config my-workflow-id --config '{"tags": ["support"]}'

# Download workflow source as Python
orcheo workflow download my-workflow-id -o workflow.py

# Download workflow source plus stored runnable config defaults
orcheo workflow download my-workflow-id -o workflow.py --config-out workflow.config.json

# Delete a workflow
orcheo workflow delete my-workflow-id --force

Avoid putting secrets in runnable configs; use environment variables or credential vaults instead.

Node Management
Command Description Key Options
orcheo node list List registered nodes --tag - Filter by category keyword
orcheo node show <name> Display node metadata and schema -

Examples:

# List all nodes
orcheo node list

# Filter nodes by tag
orcheo node list --tag ai

# Show node details
orcheo node show AINode
Credential Management
Command Description Key Options
orcheo credential list List accessible credentials --workflow-id - Filter by workflow
orcheo credential create <name> Create a new credential --provider - Provider identifier (required)
--secret - Secret value (required)
--actor - Actor name (default: "cli")
--access - Access level: private/shared/public
--workflow-id - Workflow scope
--scope - Scopes (repeatable)
--kind - Credential kind
orcheo credential delete <id> Delete a credential --workflow-id - Workflow scope
--force - Skip confirmation

Examples:

# List all credentials
orcheo credential list

# List credentials for a workflow
orcheo credential list --workflow-id my-workflow-id

# Create a credential
orcheo credential create my-api-key \
  --provider openai \
  --secret sk-xxx \
  --access private

# Provider-specific credentials used for model switching
orcheo credential create openai_api_key --provider openai --secret sk-openai
orcheo credential create deepseek_api_key --provider deepseek --secret sk-deepseek

# Delete a credential
orcheo credential delete cred-id --force
Code Generation
Command Description Key Options
orcheo code scaffold <id> Generate Python trigger snippet --actor - Actor name (default: "cli")

Examples:

# Generate Python code to trigger a workflow
orcheo code scaffold my-workflow-id

Configuration

Environment Variables
  • ORCHEO_PROFILE - Default profile to use
  • ORCHEO_API_URL - API base URL (default: http://localhost:8000)
  • ORCHEO_SERVICE_TOKEN - Service authentication token
  • ORCHEO_CONFIG_DIR - Override config directory (default: ~/.config/orcheo/)
  • ORCHEO_CACHE_DIR - Override cache directory (default: ~/.cache/orcheo/)
Profile Configuration

Create ~/.config/orcheo/cli.toml:

[profiles.default]
api_url = "http://localhost:8000"
service_token = "your-token-here"

[profiles.production]
api_url = "https://api.orcheo.example.com"
service_token = "prod-token"

Use profiles with --profile:

orcheo --profile production workflow list

Development

uv sync --all-groups
uv run pytest tests/sdk -q

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

orcheo_sdk-0.25.0.tar.gz (86.4 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

orcheo_sdk-0.25.0-py3-none-any.whl (121.9 kB view details)

Uploaded Python 3

File details

Details for the file orcheo_sdk-0.25.0.tar.gz.

File metadata

  • Download URL: orcheo_sdk-0.25.0.tar.gz
  • Upload date:
  • Size: 86.4 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/6.1.0 CPython/3.13.7

File hashes

Hashes for orcheo_sdk-0.25.0.tar.gz
Algorithm Hash digest
SHA256 bda1ea8449b1f39682d046290ebabc52018296620fbede5a73fc98373249ea9b
MD5 d597e253b45f83f04107aa3e52a5b586
BLAKE2b-256 2d74e295e9708f49602f7ea48dc4bdd1c6470c83a97946abfe4ad9c5118ae86f

See more details on using hashes here.

Provenance

The following attestation bundles were made for orcheo_sdk-0.25.0.tar.gz:

Publisher: ci.yml on ShaojieJiang/orcheo

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

File details

Details for the file orcheo_sdk-0.25.0-py3-none-any.whl.

File metadata

  • Download URL: orcheo_sdk-0.25.0-py3-none-any.whl
  • Upload date:
  • Size: 121.9 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/6.1.0 CPython/3.13.7

File hashes

Hashes for orcheo_sdk-0.25.0-py3-none-any.whl
Algorithm Hash digest
SHA256 723dc846f2616c483eeb80fd6b7abad233f97a4dd9a3c43c5b6d571e6fe9697a
MD5 7bb0986bd1223635bb5a7cadd3eeee4a
BLAKE2b-256 646780965a7ecead3fe91a8d50034cfb2ac2aac85355279db23d6dd73daf168c

See more details on using hashes here.

Provenance

The following attestation bundles were made for orcheo_sdk-0.25.0-py3-none-any.whl:

Publisher: ci.yml on ShaojieJiang/orcheo

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page