TypeScript SDK for interacting with the ComfyUI API – focused on workflow construction, prompt execution orchestration, multi-instance scheduling and extension integration.
- Fully typed TypeScript surface with progressive output typing
- High-level
WorkflowAPI – tweak existing JSON workflows with minimal boilerplate - Low-level
PromptBuilder– programmatic graph construction with validation - WebSocket events – progress, preview, output, completion with reconnection
- Multi-instance pooling –
WorkflowPoolwith smart failover & health checks (v1.4.1+) - Modular features –
api.ext.*namespaces (queue, history, system, file, etc.) - Authentication – basic, bearer token, custom headers
- Image attachments – upload files directly with workflow submissions
- Preview metadata – rich preview frames with metadata support
- Auto seed substitution –
seed: -1randomized automatically - API node support – compatible with custom/paid API nodes (Comfy.org)
Requires Node.js >= 22. Works with Bun.
npm install comfyui-nodeimport { ComfyApi, Workflow } from 'comfyui-node';
import BaseWorkflow from './example-txt2img-workflow.json';
const api = await new ComfyApi('http://127.0.0.1:8188').ready();
const wf = Workflow.from(BaseWorkflow)
.set('6.inputs.text', 'A dramatic cinematic landscape')
.output('images:9');
const job = await api.run(wf, { autoDestroy: true });
job.on('progress_pct', p => console.log(`${p}%`));
const result = await job.done();
for (const img of (result.images?.images || [])) {
console.log(api.ext.file.getPathImage(img));
}- Getting Started Guide – Installation, quick start, core concepts, cheat sheet
- Workflow Guide – Complete high-level Workflow API tutorial with progressive typing
- PromptBuilder Guide – Lower-level graph construction, validation, serialization
- WorkflowPool Documentation – Production-ready pooling with health checks, profiling, and timeout protection
- Connection Stability Guide – WebSocket health check implementation details
- Hash-Based Routing Guide – Workflow-level failure tracking and intelligent failover
- Profiling Guide – Automatic per-node performance profiling (v1.5.0+)
- Execution Timeout Guide – Timeout protection for stuck servers and nodes (v1.5.0+)
- Advanced Usage – Authentication, events, preview metadata, API nodes, image attachments
- API Features – Modular
api.ext.*namespaces (queue, file, system, etc.)
- Troubleshooting – Common issues, error types, testing, diagnostics
- Migration Guide – Upgrading from <1.0 to 1.0+ with complete API mappings
Use Workflow for tweaking existing JSON workflows:
const wf = Workflow.from(baseJson)
.set('3.inputs.steps', 20)
.input('SAMPLER', 'cfg', 4)
.output('images:9');Use PromptBuilder for programmatic graph construction:
const builder = new PromptBuilder(base, ['positive', 'seed'], ['images'])
.setInputNode('positive', '6.inputs.text')
.validateOutputMappings();See comparison guide for details.
Production-ready multi-instance scheduling with automatic health checks and intelligent hash-based routing:
import { WorkflowPool, MemoryQueueAdapter, SmartFailoverStrategy } from "comfyui-node";
const pool = new WorkflowPool([
new ComfyApi("http://localhost:8188"),
new ComfyApi("http://localhost:8189")
], {
failoverStrategy: new SmartFailoverStrategy({
cooldownMs: 60_000, // Block workflow for 60s after failure
maxFailuresBeforeBlock: 1 // Block on first failure
}),
healthCheckIntervalMs: 30000, // keeps connections alive
enableProfiling: true, // NEW: enable automatic performance profiling
executionStartTimeoutMs: 5000 // NEW: 5s timeout for execution to start
});
// Monitor job completion and view profiling stats
pool.on("job:completed", ev => {
if (ev.detail.job.profileStats) {
const { totalDuration, executionTime, summary } = ev.detail.job.profileStats;
console.log(`Job ${ev.detail.job.jobId} completed in ${totalDuration}ms`);
console.log(`Slowest nodes:`, summary.slowestNodes);
}
});
const jobId = await pool.enqueue(workflow, { priority: 10 });Hash-based routing intelligently handles failures at the workflow level (not client level). When a workflow fails on one client, the pool routes it to others while keeping that client available for different workflows.
See Hash-Based Routing Guide for details and demos.
For complex use cases involving a heterogeneous cluster of workers (e.g., some with SDXL models, others for video generation), MultiWorkflowPool provides fine-grained control over job routing based on workflow requirements.
It uses an event-driven architecture to manage clients with specific workflow affinities, ensuring that jobs are only sent to nodes capable of processing them.
- Workflow Affinity: Assign clients to specific workflows. Jobs are automatically routed to the correct client.
- Dynamic Job Queues: A separate job queue is created for each workflow type, preventing head-of-line blocking.
- Event-Driven Architecture: Zero polling for maximum efficiency and responsiveness.
- Built-in Monitoring: Optional real-time monitoring of client and queue states.
Example:
import { MultiWorkflowPool, Workflow } from "comfyui-node";
import SdxlWorkflow from './sdxl-workflow.json';
import VideoWorkflow from './video-workflow.json';
// 1. Define workflows and generate their hash for affinity mapping
const sdxlWF = Workflow.from(SdxlWorkflow).updateHash();
const videoWF = Workflow.from(VideoWorkflow).updateHash();
// 2. Create a new pool
const pool = new MultiWorkflowPool({
logLevel: "info",
enableMonitoring: true,
});
// 3. Add clients with workflow affinity
// This client is specialized for SDXL workflows
pool.addClient("http://localhost:8188", { workflowAffinity: [sdxlWF] });
// This client is specialized for Video workflows
pool.addClient("http://localhost:8189", { workflowAffinity: [videoWF] });
// This client is a general-purpose worker
pool.addClient("http://localhost:8190");
// 4. Initialize the pool (connects to all clients)
await pool.init();
// 5. Submit jobs
// The pool automatically routes them to the correct client
const sdxlJobId = await pool.submitJob(sdxlWF);
const videoJobId = await pool.submitJob(videoWF);
// 6. Wait for a job to complete
const results = await pool.waitForJobCompletion(sdxlJobId);
console.log("SDXL Job completed!", results.images);- Integration Test Infrastructure – Comprehensive reconnection testing with real mock server processes
- Mock servers spawn in separate OS processes that can be killed/restarted
- 13 integration tests covering manual/auto-reconnection, state transitions, and multiple restart cycles
- Test helpers and utilities for easy test development
- 900+ lines of documentation with quick-start guide and examples
- Run with:
bun test test/integration/orbun run test:integration
See CHANGELOG.md for complete release notes.
Check the scripts/ directory for comprehensive examples:
- Basic workflows:
workflow-tutorial-basic.ts,test-simple-txt2img.ts - Image editing:
qwen-image-edit-demo.ts,qwen-image-edit-queue.ts - Pooling:
workflow-pool-demo.ts,workflow-pool-debug.ts - Node bypass:
demo-node-bypass.ts,demo-workflow-bypass.ts - API nodes:
api-node-image-edit.ts(Comfy.org paid nodes) - Image loading:
image-loading-demo.ts
Live demo: demos/recursive-edit/ – recursive image editing server + web client.
const api = new ComfyApi('http://127.0.0.1:8188', 'optional-id', {
credentials: { type: 'basic', username: 'user', password: 'pass' },
wsTimeout: 60000,
comfyOrgApiKey: process.env.COMFY_ORG_API_KEY,
debug: true
});
await api.ready(); // Connection + feature probingawait api.ext.queue.queuePrompt(null, workflow);
await api.ext.queue.interrupt();
const stats = await api.ext.system.getSystemStats();
const checkpoints = await api.ext.node.getCheckpoints();
await api.ext.file.uploadImage(buffer, 'image.png');
const history = await api.ext.history.getHistory('prompt-id');See API Features docs for complete namespace reference.
api.on('progress', ev => console.log(ev.detail.value, '/', ev.detail.max));
api.on('b_preview', ev => console.log('Preview:', ev.detail.size));
api.on('executed', ev => console.log('Node:', ev.detail.node));
job.on('progress_pct', pct => console.log(`${pct}%`));
job.on('preview', blob => console.log('Preview:', blob.size));
job.on('failed', err => console.error(err));bun test # Unit + integration tests
bun run test:integration # Run all integration tests
bun run test:integration:simple # Run simple reconnection examples
bun run test:real # Real server tests (COMFY_REAL=1)
bun run test:full # Comprehensive tests (COMFY_FULL=1)
bun run coverage # Coverage reportThe library includes a comprehensive integration test infrastructure that spawns real mock server processes to test reconnection behavior:
# Run all integration tests
bun test test/integration/
# Run simple examples (recommended first)
bun run test:integration:simple
# Validate the mock server infrastructure
bun test/integration/validate-mock-server.ts
# Debug: Run mock server standalone
bun test/integration/mock-server.ts 8191What's Tested:
- Manual and automatic reconnection after server crashes
- Connection state transitions (connecting → connected → disconnected → reconnecting)
- Event emission (
reconnected,reconnection_failed) - Multiple server restart cycles
- WebSocket message handling across reconnections
Documentation:
test/integration/README.md– Comprehensive guidetest/integration/QUICKSTART.md– Developer quick-start with patternstest/integration/SUMMARY.md– Architecture overview
Example:
// Integration test pattern
const manager = new ServerManager({ port: 8191 });
await manager.startServer(8191);
const api = new ComfyApi("http://localhost:8191");
await initializeClient(api);
// Kill server to simulate crash
await manager.killServer(8191);
await sleep(500);
// Restart server
await manager.startServer(8191);
// Verify reconnection
await api.reconnectWs(true);
await waitForConnection(api);
expect(api.isConnected()).toBe(true);
// Cleanup
api.destroy();
await manager.killAll();See Troubleshooting docs for details.
Issues and PRs welcome! Please:
- Include tests for new features
- Follow existing code style
- Keep feature surfaces minimal & cohesive
- Run
bun test && bun run coveragebefore submitting
MIT – see LICENSE
- npm: comfyui-node
- GitHub: igorls/comfyui-node
- ComfyUI: comfyanonymous/ComfyUI