Rank
70
AI Agents & MCPs & AI Workflow Automation • (~400 MCP servers for AI agents) • AI Automation / AI Agent with MCPs • AI Workflows & AI Agents • MCPs for AI Agents
Traction
No public download signal
Freshness
Updated 2d ago
Crawler Summary
write code that uses https://useworkflow.dev/ on Vercel --- name: vercel-workflow-sdk description: write code that uses https://useworkflow.dev/ on Vercel --- Vercel Workflow SDK This skill documents how to use the Vercel Workflow SDK (workflow package) for building durable, long-running workflows. Core Concepts Workflows and Steps **Workflows** ("use workflow" directive) are durable functions that orchestrate steps. They: - Run in a sandboxed environment - Must be **dete Capability contract not published. No trust telemetry is available yet. Last updated 4/15/2026.
Freshness
Last checked 4/15/2026
Best For
vercel-workflow-sdk is best for resume workflows where OpenClaw compatibility matters.
Not Ideal For
Contract metadata is missing or unavailable for deterministic execution.
Evidence Sources Checked
editorial-content, GITHUB OPENCLEW, runtime-metrics, public facts pack
write code that uses https://useworkflow.dev/ on Vercel --- name: vercel-workflow-sdk description: write code that uses https://useworkflow.dev/ on Vercel --- Vercel Workflow SDK This skill documents how to use the Vercel Workflow SDK (workflow package) for building durable, long-running workflows. Core Concepts Workflows and Steps **Workflows** ("use workflow" directive) are durable functions that orchestrate steps. They: - Run in a sandboxed environment - Must be **dete
Public facts
4
Change events
1
Artifacts
0
Freshness
Apr 15, 2026
Capability contract not published. No trust telemetry is available yet. Last updated 4/15/2026.
Trust score
Unknown
Compatibility
OpenClaw
Freshness
Apr 15, 2026
Vendor
Rewbs
Artifacts
0
Benchmarks
0
Last release
Unpublished
Key links, install path, and a quick operational read before the deeper crawl record.
Summary
Capability contract not published. No trust telemetry is available yet. Last updated 4/15/2026.
Setup snapshot
git clone https://github.com/rewbs/vercel-workflow-sdk-skill.gitSetup complexity is LOW. This package is likely designed for quick installation with minimal external side-effects.
Final validation: Expose the agent to a mock request payload inside a sandbox and trace the network egress before allowing access to real customer data.
Everything public we have scraped or crawled about this agent, grouped by evidence type with provenance.
Vendor
Rewbs
Protocol compatibility
OpenClaw
Handshake status
UNKNOWN
Crawlable docs
6 indexed pages on the official domain
Merged public release, docs, artifact, benchmark, pricing, and trust refresh events.
Extracted files, examples, snippets, parameters, dependencies, permissions, and artifact metadata.
Extracted files
0
Examples
6
Snippets
0
Languages
typescript
Parameters
typescript
export async function myWorkflow(input: string) {
"use workflow";
const result = await myStep(input); // Step call
return result;
}
async function myStep(input: string) {
"use step";
// Perform actual work here
return await db.doSomething(input);
}typescript
import {
getWorkflowMetadata, // Workflow-level context
getStepMetadata, // Step-level context (stepId, attempt)
sleep, // Durable sleep
fetch, // Workflow-aware fetch with retries
FatalError, // Stop retries immediately
RetryableError, // Retry with custom delay
createWebhook, // Pause for external HTTP
} from "workflow";
import { start } from "workflow/api"; // Start workflowstypescript
import { start } from "workflow/api";
// Start and get Run object for tracking
const run = await start(myWorkflow, [arg1, arg2]);
console.log(run.runId); // Unique run identifier
// For workflows with no arguments
const run = await start(myWorkflow);typescript
export async function myWorkflow() {
"use workflow";
const { workflowRunId } = getWorkflowMetadata();
log.info("Starting workflow", { workflowRunId });
}typescript
async function myStep() {
"use step";
const { stepId, attempt } = getStepMetadata();
// stepId: Stable across retries, unique per step invocation
// attempt: Current retry attempt number
}typescript
async function myStep() {
"use step";
// ...
}
myStep.maxRetries = 5; // Set custom retry limit
myStep.maxRetries = 0; // Disable retriesFull documentation captured from public sources, including the complete README when available.
Docs source
GITHUB OPENCLEW
Editorial quality
ready
write code that uses https://useworkflow.dev/ on Vercel --- name: vercel-workflow-sdk description: write code that uses https://useworkflow.dev/ on Vercel --- Vercel Workflow SDK This skill documents how to use the Vercel Workflow SDK (workflow package) for building durable, long-running workflows. Core Concepts Workflows and Steps **Workflows** ("use workflow" directive) are durable functions that orchestrate steps. They: - Run in a sandboxed environment - Must be **dete
This skill documents how to use the Vercel Workflow SDK (workflow package) for building durable, long-running workflows.
Workflows ("use workflow" directive) are durable functions that orchestrate steps. They:
Steps ("use step" directive) perform actual work. They:
export async function myWorkflow(input: string) {
"use workflow";
const result = await myStep(input); // Step call
return result;
}
async function myStep(input: string) {
"use step";
// Perform actual work here
return await db.doSomething(input);
}
Parameters between workflows and steps are passed by value, not reference. Mutations inside steps don't propagate back - always return modified data.
import {
getWorkflowMetadata, // Workflow-level context
getStepMetadata, // Step-level context (stepId, attempt)
sleep, // Durable sleep
fetch, // Workflow-aware fetch with retries
FatalError, // Stop retries immediately
RetryableError, // Retry with custom delay
createWebhook, // Pause for external HTTP
} from "workflow";
import { start } from "workflow/api"; // Start workflows
import { start } from "workflow/api";
// Start and get Run object for tracking
const run = await start(myWorkflow, [arg1, arg2]);
console.log(run.runId); // Unique run identifier
// For workflows with no arguments
const run = await start(myWorkflow);
The Run object provides:
runId - Unique identifierstatus - Async getter for current statusreturnValue - Async, blocks until completionreadable - ReadableStream for updatesUse inside workflow functions for workflow-level context:
export async function myWorkflow() {
"use workflow";
const { workflowRunId } = getWorkflowMetadata();
log.info("Starting workflow", { workflowRunId });
}
Use inside step functions for step-level context:
async function myStep() {
"use step";
const { stepId, attempt } = getStepMetadata();
// stepId: Stable across retries, unique per step invocation
// attempt: Current retry attempt number
}
Steps automatically retry up to 3 times on errors. Configure with:
async function myStep() {
"use step";
// ...
}
myStep.maxRetries = 5; // Set custom retry limit
myStep.maxRetries = 0; // Disable retries
Signal that a step should retry with a specific delay:
import { RetryableError } from "workflow";
async function myStep() {
"use step";
const result = await someOperation();
if (result.needsRetry) {
throw new RetryableError("Temporary failure", {
retryAfter: 5000, // milliseconds
// OR retryAfter: "5m", // duration string
// OR retryAfter: new Date() // specific time
});
}
}
Signal that a step should NOT retry - permanent failure:
import { FatalError } from "workflow";
async function myStep() {
"use step";
const item = await db.findItem(id);
if (!item) {
throw new FatalError("Item not found"); // Don't retry
}
}
When to use FatalError:
Critical: When steps make external API calls with side effects, use stepId as an idempotency key:
async function chargeCustomer(amount: number) {
"use step";
const { stepId } = getStepMetadata();
// stepId is stable across retries - prevents duplicate charges
await stripe.charges.create({
amount,
idempotencyKey: `charge-${stepId}`,
});
}
const a = await stepA();
const b = await stepB(a); // Depends on a
const c = await stepC(b); // Depends on b
// Independent steps run in parallel
const [a, b, c] = await Promise.all([
stepA(),
stepB(),
stepC(),
]);
import pLimit from "p-limit";
const limit = pLimit(5); // Max 5 concurrent
const results = await Promise.all(
items.map(item =>
limit(() => processItem(item))
)
);
When processing multiple items where one failure shouldn't stop others:
const results = await Promise.all(
items.map(item =>
limit(async () => {
try {
return await processItem(item);
} catch (error) {
if (error instanceof FatalError) {
return { id: item.id, success: false, error: error.message };
}
throw error; // Unexpected errors propagate
}
})
)
);
Durable sleep that doesn't consume resources:
import { sleep } from "workflow";
// Duration strings
await sleep("30 seconds");
await sleep("5 minutes");
await sleep("1 hour");
// Date object
await sleep(new Date(Date.now() + 60000));
Pause workflow until external HTTP request:
import { createWebhook } from "workflow";
export async function orderWorkflow(orderId: string) {
"use workflow";
const webhook = createWebhook();
// Store webhook.url for external system to call
await saveWebhookUrl(orderId, webhook.url);
// Workflow suspends here until webhook receives request
const request = await webhook;
return processWebhookData(request);
}
// BAD - non-deterministic in workflow
export async function badWorkflow() {
"use workflow";
const random = Math.random(); // Different on replay!
}
// GOOD - move non-determinism to steps
export async function goodWorkflow() {
"use workflow";
const random = await generateRandom(); // Step handles it
}
Note: The SDK fixes Math.random() and Date during replay, but explicit determinism is preferred.
Always pass stepId when making API calls that have side effects.
Don't mutate objects passed to steps - return modified data:
// BAD
async function badStep(data: Data) {
"use step";
data.processed = true; // Won't propagate!
}
// GOOD
async function goodStep(data: Data) {
"use step";
return { ...data, processed: true };
}
Don't waste retries on unrecoverable errors.
Keep step functions in separate files or clearly organized to avoid bundler issues.
Don't generate custom IDs when the SDK provides them:
// Instead of passing ID as parameter
export async function myWorkflow() {
"use workflow";
const { workflowRunId } = getWorkflowMetadata();
// Use workflowRunId for logging/tracking
}
async function stepWithBackoff() {
"use step";
const { attempt } = getStepMetadata();
const result = await tryOperation();
if (result.needsRetry) {
// Exponential backoff: 5s, 10s, 20s, 40s...
const delayMs = Math.min(5000 * Math.pow(2, attempt), 60000);
throw new RetryableError("Retrying", { retryAfter: delayMs });
}
return result;
}
stepWithBackoff.maxRetries = 5;
When you need jitter for backoff but must stay deterministic:
function calculateBackoff(attempt: number): number {
const baseDelay = Math.min(5 * Math.pow(2, attempt), 60);
// Deterministic "jitter" based on attempt number
const jitterPercent = ((attempt * 7) % 11) / 100;
return baseDelay * (1 + jitterPercent);
}
export async function myWorkflow(id: string) {
"use workflow";
try {
return await processWithRetries(id);
} catch (error) {
if (error instanceof FatalError) {
return { success: false, reason: error.message };
}
// Retries exhausted
return { success: false, reason: "max_attempts_reached" };
}
}
Supported types for workflow/step parameters and returns:
Machine endpoints, protocol fit, contract coverage, invocation examples, and guardrails for agent-to-agent use.
Contract coverage
Status
missing
Auth
None
Streaming
No
Data region
Unspecified
Protocol support
Requires: none
Forbidden: none
Guardrails
Operational confidence: low
curl -s "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/snapshot"
curl -s "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/contract"
curl -s "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/trust"
Trust and runtime signals, benchmark suites, failure patterns, and practical risk constraints.
Trust signals
Handshake
UNKNOWN
Confidence
unknown
Attempts 30d
unknown
Fallback rate
unknown
Runtime metrics
Observed P50
unknown
Observed P95
unknown
Rate limit
unknown
Estimated cost
unknown
Do not use if
Every public screenshot, visual asset, demo link, and owner-provided destination tied to this agent.
Neighboring agents from the same protocol and source ecosystem for comparison and shortlist building.
Rank
70
AI Agents & MCPs & AI Workflow Automation • (~400 MCP servers for AI agents) • AI Automation / AI Agent with MCPs • AI Workflows & AI Agents • MCPs for AI Agents
Traction
No public download signal
Freshness
Updated 2d ago
Rank
70
AI productivity studio with smart chat, autonomous agents, and 300+ assistants. Unified access to frontier LLMs
Traction
No public download signal
Freshness
Updated 6d ago
Rank
70
Free, local, open-source 24/7 Cowork app and OpenClaw for Gemini CLI, Claude Code, Codex, OpenCode, Qwen Code, Goose CLI, Auggie, and more | 🌟 Star if you like it!
Traction
No public download signal
Freshness
Updated 6d ago
Rank
70
The Frontend for Agents & Generative UI. React + Angular
Traction
No public download signal
Freshness
Updated 23d ago
Contract JSON
{
"contractStatus": "missing",
"authModes": [],
"requires": [],
"forbidden": [],
"supportsMcp": false,
"supportsA2a": false,
"supportsStreaming": false,
"inputSchemaRef": null,
"outputSchemaRef": null,
"dataRegion": null,
"contractUpdatedAt": null,
"sourceUpdatedAt": null,
"freshnessSeconds": null
}Invocation Guide
{
"preferredApi": {
"snapshotUrl": "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/snapshot",
"contractUrl": "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/contract",
"trustUrl": "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/trust"
},
"curlExamples": [
"curl -s \"https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/snapshot\"",
"curl -s \"https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/contract\"",
"curl -s \"https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/trust\""
],
"jsonRequestTemplate": {
"query": "summarize this repo",
"constraints": {
"maxLatencyMs": 2000,
"protocolPreference": [
"OPENCLEW"
]
}
},
"jsonResponseTemplate": {
"ok": true,
"result": {
"summary": "...",
"confidence": 0.9
},
"meta": {
"source": "GITHUB_OPENCLEW",
"generatedAt": "2026-04-17T04:19:35.743Z"
}
},
"retryPolicy": {
"maxAttempts": 3,
"backoffMs": [
500,
1500,
3500
],
"retryableConditions": [
"HTTP_429",
"HTTP_503",
"NETWORK_TIMEOUT"
]
}
}Trust JSON
{
"status": "unavailable",
"handshakeStatus": "UNKNOWN",
"verificationFreshnessHours": null,
"reputationScore": null,
"p95LatencyMs": null,
"successRate30d": null,
"fallbackRate": null,
"attempts30d": null,
"trustUpdatedAt": null,
"trustConfidence": "unknown",
"sourceUpdatedAt": null,
"freshnessSeconds": null
}Capability Matrix
{
"rows": [
{
"key": "OPENCLEW",
"type": "protocol",
"support": "unknown",
"confidenceSource": "profile",
"notes": "Listed on profile"
},
{
"key": "resume",
"type": "capability",
"support": "supported",
"confidenceSource": "profile",
"notes": "Declared in agent profile metadata"
}
],
"flattenedTokens": "protocol:OPENCLEW|unknown|profile capability:resume|supported|profile"
}Facts JSON
[
{
"factKey": "docs_crawl",
"category": "integration",
"label": "Crawlable docs",
"value": "6 indexed pages on the official domain",
"href": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
"sourceUrl": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
"sourceType": "search_document",
"confidence": "medium",
"observedAt": "2026-04-15T05:03:46.393Z",
"isPublic": true
},
{
"factKey": "vendor",
"category": "vendor",
"label": "Vendor",
"value": "Rewbs",
"href": "https://github.com/rewbs/vercel-workflow-sdk-skill",
"sourceUrl": "https://github.com/rewbs/vercel-workflow-sdk-skill",
"sourceType": "profile",
"confidence": "medium",
"observedAt": "2026-04-15T03:13:02.406Z",
"isPublic": true
},
{
"factKey": "protocols",
"category": "compatibility",
"label": "Protocol compatibility",
"value": "OpenClaw",
"href": "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/contract",
"sourceUrl": "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/contract",
"sourceType": "contract",
"confidence": "medium",
"observedAt": "2026-04-15T03:13:02.406Z",
"isPublic": true
},
{
"factKey": "handshake_status",
"category": "security",
"label": "Handshake status",
"value": "UNKNOWN",
"href": "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/trust",
"sourceUrl": "https://xpersona.co/api/v1/agents/rewbs-vercel-workflow-sdk-skill/trust",
"sourceType": "trust",
"confidence": "medium",
"observedAt": null,
"isPublic": true
}
]Change Events JSON
[
{
"eventType": "docs_update",
"title": "Docs refreshed: Sign in to GitHub · GitHub",
"description": "Fresh crawlable documentation was indexed for the official domain.",
"href": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
"sourceUrl": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
"sourceType": "search_document",
"confidence": "medium",
"observedAt": "2026-04-15T05:03:46.393Z",
"isPublic": true
}
]Sponsored
Ads related to vercel-workflow-sdk and adjacent AI workflows.