Skill flagged — suspicious patterns detected

ClawHub Security flagged this skill as suspicious. Review the scan results before using.

Cloudflare Workers

v3.0.0

Rapid development with Cloudflare Workers - build and deploy serverless applications on Cloudflare's global network. Use when building APIs, full-stack web a...

0· 0·0 current·0 all-time
byMisha Kolesnik@tenequm
MIT-0
Download zip
LicenseMIT-0 · Free to use, modify, and redistribute. No attribution required.
Security Scan
VirusTotalVirusTotal
Benign
View report →
OpenClawOpenClaw
Suspicious
medium confidence
Purpose & Capability
Name/description match the content: this is a comprehensive Cloudflare Workers authoring/deployment guide. The capabilities shown (Workers, KV, D1, R2, Durable Objects, queues, containers, MCP servers, nodejs compat, WebSockets, Realtime) align with the stated purpose of building/deploying serverless apps and edge services.
!
Instruction Scope
The SKILL.md contains actionable runtime instructions that go beyond simple examples: it shows CLI operations (npm install -g wrangler; wrangler login; wrangler deploy), API calls that upload arbitrary worker code (PUT to Cloudflare API), dynamic dispatch of customer workers, and examples that forward requests and set authentication headers. Those instructions can be used to deploy and run arbitrary code and to forward requests to other services. The guidance also contains examples that send logs/metrics to external HTTP endpoints. The instructions do not appear to read unrelated local files or system secrets, but they do provide high-privilege deployment patterns that must be used with appropriate credentials and caution.
Install Mechanism
This is an instruction-only skill with no install spec and no code files to execute on the host. That minimizes host-side install risk; the only local action recommended is installing Wrangler via npm, which is expected for this purpose.
!
Credentials
The skill does not declare required environment variables, yet the documentation references many sensitive env vars and tokens (examples include CLOUDFLARE_API_TOKEN, ACCOUNT_ID, API_TOKEN, PLATFORM_SECRET, LOG_TOKEN, DATADOG_API_KEY, HONEYCOMB_API_KEY, env.* bindings like MY_KV, DB, MY_BUCKET). The scanner metadata lists no required env vars — this mismatch is notable because the instructions demonstrate operations (deploying scripts, uploading user code, forwarding requests with Authorization headers, sending logs off-site) that require privileged API tokens. The skill should declare which credentials it needs and why; absent that, granting tokens could be excessive.
Persistence & Privilege
Flags show always: false and no unusual persistence/privilege requests. The skill is user-invocable and allows autonomous invocation by default (platform normal), but there is no 'always: true' or modification of other skills/configs. Note: because the instructions demonstrate how to deploy and run arbitrary worker code, combining agent-autonomous invocation (the default) with broad credentials would increase risk — but autonomous invocation alone is not a problem.
What to consider before installing
This is a detailed Cloudflare Workers guide and looks coherent for that purpose, but exercise caution before installing or using it: 1) The documentation references many sensitive credentials (Cloudflare API tokens, account IDs, logging API keys) but the skill metadata doesn't list required env vars — ask the author to declare required secrets explicitly. 2) Only provide least-privilege tokens (scoped API tokens) and avoid using full account tokens. 3) Review examples that upload or dispatch customer code — those enable deploying arbitrary scripts and should only be used with accounts you control and with thorough validation. 4) Be careful with examples that forward requests or send logs to external HTTP endpoints (they could exfiltrate data if misused). 5) If you plan to use CI/CD snippets, store tokens in your secrets manager and audit workflow permissions. If you want a safer install, request a trimmed SKILL.md that only includes the specific features you intend to use and explicit declarations of which environment variables are required and why.

Like a lobster shell, security has layers — review code before you run it.

latestvk976wv3k5xe624n5p0x6cc1b7n844mme

License

MIT-0
Free to use, modify, and redistribute. No attribution required.

SKILL.md

Cloudflare Workers

Overview

Cloudflare Workers is a serverless execution environment that runs JavaScript, TypeScript, Python, and Rust code on Cloudflare's global network. Workers execute in milliseconds, scale automatically, and integrate with Cloudflare's storage and compute products through bindings.

Key Benefits:

  • Zero cold starts - Workers run in V8 isolates, not containers
  • Global deployment - Code runs in 300+ cities worldwide
  • Rich ecosystem - Bindings to D1, KV, R2, Durable Objects, Queues, Containers, Workflows, and more
  • Full-stack capable - Build APIs and serve static assets in one project
  • Standards-based - Uses Web APIs (fetch, crypto, streams, WebSockets)

When to Use This Skill

Use Cloudflare Workers for:

  • APIs and backends - RESTful APIs, GraphQL, tRPC, WebSocket servers
  • Full-stack applications - React, Next.js, Remix, Astro, Vue, Svelte with static assets
  • Edge middleware - Authentication, rate limiting, A/B testing, routing
  • Background processing - Scheduled jobs (cron), queue consumers, webhooks
  • Data transformation - ETL pipelines, real-time data processing
  • AI applications - RAG systems, chatbots, image generation with Workers AI
  • Durable workflows - Multi-step long-running tasks with automatic retries (Workflows)
  • Container workloads - Run Docker containers alongside Workers (Containers)
  • MCP servers - Host remote Model Context Protocol servers
  • Proxy and gateway - API gateways, content transformation, protocol translation

Quick Start Workflow

1. Install Wrangler CLI

npm install -g wrangler

# Login to Cloudflare
wrangler login

2. Create a New Worker

# Using C3 (create-cloudflare) - recommended
npm create cloudflare@latest my-worker

# Or create manually
wrangler init my-worker
cd my-worker

3. Write Your Worker

Basic HTTP API (TypeScript):

export default {
  async fetch(request: Request, env: Env): Promise<Response> {
    const url = new URL(request.url);

    if (url.pathname === "/api/hello") {
      return Response.json({ message: "Hello from Workers!" });
    }

    return new Response("Not found", { status: 404 });
  },
};

With environment variables and KV:

interface Env {
  MY_VAR: string;
  MY_KV: KVNamespace;
}

export default {
  async fetch(request: Request, env: Env): Promise<Response> {
    // Access environment variable
    const greeting = env.MY_VAR;

    // Read from KV
    const value = await env.MY_KV.get("my-key");

    return Response.json({ greeting, value });
  },
};

4. Develop Locally

# Start local development server with hot reload
wrangler dev

# Access at http://localhost:8787

5. Deploy to Production

# Deploy to workers.dev subdomain
wrangler deploy

# Deploy to custom domain (configure in wrangler.toml)
wrangler deploy

Core Concepts

Workers Runtime

Workers use the V8 JavaScript engine with Web Standard APIs:

  • Execution model: Isolates (not containers) - instant cold starts
  • CPU time limit: 10ms (Free), 30s (Paid) per request
  • Memory limit: 128 MB per isolate
  • Languages: JavaScript, TypeScript, Python, Rust
  • APIs: fetch, crypto, streams, WebSockets, WebAssembly

Supported APIs:

  • Fetch API (HTTP requests)
  • URL API (URL parsing)
  • Web Crypto (encryption, hashing)
  • Streams API (data streaming)
  • WebSockets (real-time communication)
  • Cache API (edge caching)
  • HTML Rewriter (HTML transformation)

Handlers

Workers respond to events through handlers:

Fetch Handler (HTTP requests):

export default {
  async fetch(request: Request, env: Env, ctx: ExecutionContext) {
    return new Response("Hello!");
  },
};

Scheduled Handler (cron jobs):

export default {
  async scheduled(event: ScheduledEvent, env: Env, ctx: ExecutionContext) {
    // Runs on schedule defined in wrangler.toml
    await env.MY_KV.put("last-run", new Date().toISOString());
  },
};

Queue Handler (message processing):

export default {
  async queue(batch: MessageBatch<any>, env: Env, ctx: ExecutionContext) {
    for (const message of batch.messages) {
      await processMessage(message.body);
      message.ack();
    }
  },
};

Bindings

Bindings connect your Worker to Cloudflare resources. Configure in wrangler.toml:

KV (Key-Value Storage):

[[kv_namespaces]]
binding = "MY_KV"
id = "your-kv-namespace-id"
// Usage
await env.MY_KV.put("key", "value");
const value = await env.MY_KV.get("key");

D1 (SQL Database):

[[d1_databases]]
binding = "DB"
database_name = "my-database"
database_id = "your-database-id"
// Usage
const result = await env.DB.prepare(
  "SELECT * FROM users WHERE id = ?"
).bind(userId).all();

R2 (Object Storage):

[[r2_buckets]]
binding = "MY_BUCKET"
bucket_name = "my-bucket"
// Usage
await env.MY_BUCKET.put("file.txt", "contents");
const object = await env.MY_BUCKET.get("file.txt");
const text = await object?.text();

Environment Variables:

[vars]
API_KEY = "development-key"  # pragma: allowlist secret

Secrets (sensitive data):

# Set via CLI (not in wrangler.toml)
wrangler secret put API_KEY

Context (ctx)

The ctx parameter provides control over request lifecycle:

export default {
  async fetch(request: Request, env: Env, ctx: ExecutionContext) {
    // Run tasks after response is sent
    ctx.waitUntil(
      env.MY_KV.put("request-count", String(Date.now()))
    );

    // Pass through to origin on exception
    ctx.passThroughOnException();

    return new Response("OK");
  },
};

Top-level Environment Access

Since March 2025, you can import env at the module level instead of passing it through handlers:

import { env } from "cloudflare:workers";

// Access bindings outside of handlers
const apiClient = new ApiClient({ apiKey: env.API_KEY });

export default {
  async fetch(request: Request): Promise<Response> {
    // env is also available here without the parameter
    const data = await env.MY_KV.get("config");
    return Response.json({ data });
  },
};

This eliminates prop-drilling env through function signatures and enables module-level initialization.

Rapid Development Patterns

Wrangler Configuration

Essential wrangler.toml:

name = "my-worker"
main = "src/index.ts"
compatibility_date = "2025-09-01"

# Custom domain
routes = [
  { pattern = "api.example.com/*", zone_name = "example.com" }
]

# Or workers.dev subdomain
workers_dev = true

# Environment variables
[vars]
ENVIRONMENT = "production"

# Bindings
[[kv_namespaces]]
binding = "CACHE"
id = "your-kv-id"

[[d1_databases]]
binding = "DB"
database_name = "production-db"
database_id = "your-db-id"

[[r2_buckets]]
binding = "ASSETS"
bucket_name = "my-assets"

# Cron triggers
[triggers]
crons = ["0 0 * * *"]  # Daily at midnight

Environment Management

Use environments for staging/production:

[env.staging]
vars = { ENVIRONMENT = "staging" }

[env.staging.d1_databases]
binding = "DB"
database_name = "staging-db"
database_id = "staging-db-id"

[env.production]
vars = { ENVIRONMENT = "production" }

[env.production.d1_databases]
binding = "DB"
database_name = "production-db"
database_id = "production-db-id"
# Deploy to staging
wrangler deploy --env staging

# Deploy to production
wrangler deploy --env production

Common Patterns

JSON API with Error Handling:

export default {
  async fetch(request: Request, env: Env): Promise<Response> {
    try {
      const url = new URL(request.url);

      if (url.pathname === "/api/users" && request.method === "GET") {
        const users = await env.DB.prepare("SELECT * FROM users").all();
        return Response.json(users.results);
      }

      if (url.pathname === "/api/users" && request.method === "POST") {
        const body = await request.json();
        await env.DB.prepare(
          "INSERT INTO users (name, email) VALUES (?, ?)"
        ).bind(body.name, body.email).run();
        return Response.json({ success: true }, { status: 201 });
      }

      return Response.json({ error: "Not found" }, { status: 404 });
    } catch (error) {
      return Response.json(
        { error: error.message },
        { status: 500 }
      );
    }
  },
};

Authentication Middleware:

async function authenticate(request: Request, env: Env): Promise<string | null> {
  const authHeader = request.headers.get("Authorization");
  if (!authHeader?.startsWith("Bearer ")) {
    return null;
  }

  const token = authHeader.substring(7);
  const userId = await env.SESSIONS.get(token);
  return userId;
}

export default {
  async fetch(request: Request, env: Env): Promise<Response> {
    const userId = await authenticate(request, env);

    if (!userId) {
      return Response.json({ error: "Unauthorized" }, { status: 401 });
    }

    // Proceed with authenticated request
    return Response.json({ userId });
  },
};

CORS Headers:

const corsHeaders = {
  "Access-Control-Allow-Origin": "*",
  "Access-Control-Allow-Methods": "GET, POST, PUT, DELETE, OPTIONS",
  "Access-Control-Allow-Headers": "Content-Type, Authorization",
};

export default {
  async fetch(request: Request): Promise<Response> {
    if (request.method === "OPTIONS") {
      return new Response(null, { headers: corsHeaders });
    }

    const response = await handleRequest(request);

    // Add CORS headers to response
    Object.entries(corsHeaders).forEach(([key, value]) => {
      response.headers.set(key, value);
    });

    return response;
  },
};

Static Assets (Full-Stack Apps)

Serve static files alongside your Worker code:

[assets]
directory = "./public"
binding = "ASSETS"
export default {
  async fetch(request: Request, env: Env): Promise<Response> {
    const url = new URL(request.url);

    // API routes
    if (url.pathname.startsWith("/api/")) {
      return handleAPI(request, env);
    }

    // Serve static assets via the ASSETS binding
    return env.ASSETS.fetch(request);
  },
};

Testing

Using Vitest:

import { env, createExecutionContext } from "cloudflare:test";
import { describe, it, expect } from "vitest";
import worker from "./index";

describe("Worker", () => {
  it("responds with JSON", async () => {
    const request = new Request("http://example.com/api/hello");
    const ctx = createExecutionContext();
    const response = await worker.fetch(request, env, ctx);

    expect(response.status).toBe(200);
    expect(await response.json()).toEqual({ message: "Hello!" });
  });
});

Framework Integration

Workers supports major frameworks with adapters:

  • Next.js - Full App Router and Pages Router support
  • Remix / React Router - Native Cloudflare adapter
  • Astro - Server-side rendering on Workers
  • SvelteKit - Cloudflare adapter available
  • Hono - Lightweight web framework built for Workers
  • tRPC - Type-safe APIs with full Workers support

Example with Hono:

import { Hono } from "hono";

const app = new Hono();

app.get("/", (c) => c.text("Hello!"));
app.get("/api/users/:id", async (c) => {
  const id = c.req.param("id");
  const user = await c.env.DB.prepare(
    "SELECT * FROM users WHERE id = ?"
  ).bind(id).first();
  return c.json(user);
});

export default app;

Advanced Topics

For detailed information on advanced features, see the reference files:

  • Complete Bindings Guide: references/bindings-complete-guide.md - All binding types (D1, KV, R2, Durable Objects, Queues, Workers AI, Vectorize, Workflows, Containers, Secrets Store, Pipelines, AutoRAG)
  • Deployment & CI/CD: references/wrangler-and-deployment.md - Wrangler v4 migration, commands, GitHub Actions, GitLab CI/CD, gradual rollouts, remote bindings
  • Development Best Practices: references/development-patterns.md - Testing, debugging, error handling, performance, top-level env access patterns
  • Advanced Features: references/advanced-features.md - Containers, Workflows, MCP servers, Workers for Platforms, WebSockets, Node.js compat, streaming
  • Observability: references/observability.md - Logging (tail, Logpush, Workers Logs), metrics, traces, debugging

Resources

Official Documentation:

Templates & Quick Starts:

Community:

Files

6 total
Select a file
Select a file to preview.

Comments

Loading comments…