home / skills / bankrbot / claude-plugins / x402-project-templates

x402-project-templates skill

/x402-sdk-dev/skills/x402-project-templates

This skill helps you scaffold Bankr x402 SDK projects with templates for bot, web-service, dashboard, or cli, accelerating setup and consistency.

npx playbooks add skill bankrbot/claude-plugins --skill x402-project-templates

Review the files below or copy the command above to add this skill to your agents.

Files (1)
SKILL.md
7.9 KB
---
name: Bankr x402 SDK - Project Templates
description: This skill should be used when the user asks to "scaffold a Bankr SDK project", "create new SDK bot", "build a Bankr web service", "create Bankr dashboard", "build Bankr CLI tool", "project structure for SDK", "x402 project types", or needs guidance on directory structures and templates for different types of Bankr SDK integrations.
version: 1.0.0
---

# x402 SDK Project Templates

Directory structures and templates for Bankr SDK projects using x402 micropayments.

## Available Templates

| Template | Use Case | Key Features |
|----------|----------|--------------|
| **bot** | Automated tasks | Polling loop, scheduler, transaction execution |
| **web-service** | HTTP APIs | REST endpoints, async handling, webhook support |
| **dashboard** | Web UIs | Frontend + backend, portfolio display |
| **cli** | Command-line tools | Subcommands, interactive prompts |

## Bot Template

For automated trading bots, price monitors, portfolio rebalancers, and scheduled tasks.

### Directory Structure

```
{project-name}/
├── package.json
├── tsconfig.json
├── .env.example
├── .gitignore
├── README.md
├── src/
│   ├── index.ts           # Main entry point with scheduler
│   ├── bankr-client.ts    # Bankr SDK client (from x402-client-patterns skill)
│   ├── executor.ts        # Transaction execution with viem/ethers
│   ├── types.ts           # TypeScript interfaces
│   └── config.ts          # Configuration loading
└── scripts/
    └── run.sh             # Convenience script
```

### Key Features

- **Polling loop**: Configurable interval for recurring operations
- **Transaction execution**: Built-in viem integration for sending txs
- **Status streaming**: Real-time job progress updates
- **Error handling**: Automatic retries with backoff
- **Graceful shutdown**: Handles SIGINT/SIGTERM

### Use Cases

- Price monitoring and alerts
- Automated swap strategies
- Portfolio rebalancing
- Scheduled market analysis
- DCA-like automation

### Entry Point Pattern (index.ts)

```typescript
import { bankrClient } from "./bankr-client";
import { executeTransaction } from "./executor";

const INTERVAL = 60000; // 1 minute

async function runBot() {
  console.log("Starting Bankr SDK bot...");

  while (true) {
    try {
      const result = await bankrClient.promptAndWait({
        prompt: "Check ETH price",
        onStatusUpdate: (msg) => console.log("Status:", msg),
      });

      if (result.status === "completed") {
        console.log("Result:", result.response);

        // Execute transactions if returned
        if (result.transactions?.length) {
          for (const tx of result.transactions) {
            await executeTransaction(tx);
          }
        }
      }
    } catch (error) {
      console.error("Error:", error);
    }

    await new Promise((r) => setTimeout(r, INTERVAL));
  }
}

runBot();
```

---

## Web Service Template

For HTTP APIs that wrap Bankr SDK for mobile apps or integrations.

### Directory Structure

```
{project-name}/
├── package.json
├── tsconfig.json
├── .env.example
├── .gitignore
├── README.md
├── src/
│   ├── index.ts           # Server entry point
│   ├── server.ts          # Express/Fastify server setup
│   ├── routes/
│   │   ├── health.ts      # Health check endpoint
│   │   ├── swap.ts        # Swap endpoints
│   │   └── portfolio.ts   # Portfolio endpoints
│   ├── bankr-client.ts    # Bankr SDK client
│   ├── types.ts           # TypeScript interfaces
│   └── config.ts          # Configuration loading
└── scripts/
    └── run.sh
```

### Key Features

- **REST API endpoints**: Clean API design
- **Request validation**: Input sanitization
- **Async handling**: Non-blocking SDK operations
- **Rate limiting**: Prevent abuse
- **CORS**: Cross-origin support

### Use Cases

- API gateway for Bankr SDK
- Mobile app backend
- Trading API for integrations
- Webhook-driven automation

### Additional Dependencies

```json
{
  "dependencies": {
    "express": "^4.18.0"
  }
}
```

---

## Dashboard Template

For web UIs with portfolio tracking, swap interfaces, or monitoring.

### Directory Structure

```
{project-name}/
├── package.json
├── tsconfig.json
├── .env.example
├── .gitignore
├── README.md
├── server/
│   ├── index.ts           # Backend server
│   ├── bankr-client.ts    # Bankr SDK client
│   ├── routes/
│   │   └── api.ts         # API routes for frontend
│   └── types.ts
├── public/
│   ├── index.html         # Main HTML page
│   ├── styles.css         # Basic styles
│   └── app.js             # Frontend JavaScript
└── scripts/
    └── run.sh
```

### Key Features

- **Simple frontend**: HTML/CSS/JS (no build step required)
- **Backend API**: Express server for SDK operations
- **Portfolio display**: Token balances and values
- **Swap interface**: Execute swaps through UI

### Use Cases

- Portfolio tracking dashboard
- Personal trading interface
- Market monitoring
- Position management

---

## CLI Template

For command-line tools with subcommands and interactive features.

### Directory Structure

```
{project-name}/
├── package.json
├── tsconfig.json
├── .env.example
├── .gitignore
├── README.md
├── src/
│   ├── index.ts           # CLI entry with commander.js
│   ├── commands/
│   │   ├── swap.ts        # Swap commands
│   │   ├── balance.ts     # Balance query commands
│   │   └── send.ts        # Transfer commands
│   ├── bankr-client.ts    # Bankr SDK client
│   ├── executor.ts        # Transaction execution
│   └── types.ts
└── scripts/
    └── run.sh
```

### Key Features

- **Commander.js**: CLI framework with subcommands
- **Interactive prompts**: User input when needed
- **Progress indicators**: Status during SDK calls
- **Colored output**: Better UX
- **Transaction confirmation**: Review before execute

### Use Cases

- Personal trading tool
- Scripting and automation
- Quick balance checks
- Batch swap operations

### Additional Dependencies

```json
{
  "dependencies": {
    "commander": "^12.0.0"
  }
}
```

### CLI Pattern (index.ts)

```typescript
import { program } from "commander";
import { swap } from "./commands/swap";
import { balance } from "./commands/balance";

program
  .name("bankr-cli")
  .description("CLI for Bankr SDK operations")
  .version("1.0.0");

program
  .command("balance")
  .description("Get wallet balances")
  .action(balance);

program
  .command("swap <amount> <from> <to>")
  .description("Swap tokens")
  .option("-c, --chain <chain>", "Target chain", "base")
  .option("-y, --yes", "Skip confirmation")
  .action(swap);

program.parse();
```

---

## Choosing a Template

| Need | Recommended Template |
|------|---------------------|
| Automated recurring tasks | **bot** |
| HTTP API for mobile/web | **web-service** |
| Visual interface | **dashboard** |
| Terminal-based tool | **cli** |
| Price alerts | **bot** |
| Portfolio viewer | **dashboard** |
| Quick trades | **cli** |

## Common Files

All templates share common files. Load the `x402-client-patterns` skill for:
- `bankr-client.ts` - SDK client setup
- `executor.ts` - Transaction execution
- `package.json` - Base dependencies
- `tsconfig.json` - TypeScript config
- `.env.example` - Environment template
- `.gitignore` - Standard ignores

## Next Steps After Scaffolding

1. **Install dependencies**: `bun install` or `npm install`
2. **Configure wallet**: Copy `.env.example` to `.env` and add `BANKR_PRIVATE_KEY`
3. **Fund wallet**: Add USDC on Base ($1-2 recommended for API costs)
4. **Customize**: Modify the template for your use case
5. **Run**: `bun dev` or `npm run dev` for development
6. **Build**: `bun run build` or `npm run build` for production

Overview

This skill provides project templates and directory structures for scaffolding Bankr x402 SDK integrations in JavaScript/TypeScript. It covers four targeted templates—bot, web-service, dashboard, and CLI—so you can quickly start automated agents, HTTP APIs, UIs, or command-line tools that interact with Bankr’s multi-chain DeFi infrastructure. Each template includes recommended files, key features, and typical use cases.

How this skill works

The skill describes concrete folder layouts, entry-point patterns, and essential modules (bankr-client, executor, config, types) for each template. It explains runtime patterns like polling loops for bots, Express/Fastify servers for web services, static frontend plus backend for dashboards, and commander-based CLIs. It also lists common dependencies and post-scaffold tasks such as installing packages and configuring wallets.

When to use it

  • You need an automated agent for price monitoring, rebalancing, or scheduled trades (bot).
  • You want an HTTP API to expose Bankr functionality to mobile apps or integrations (web-service).
  • You want a simple web UI for portfolio tracking, swaps, or market monitoring (dashboard).
  • You prefer a terminal-first tool for quick trades, balance checks, or batch operations (CLI).
  • You need a clear starting structure for TypeScript projects using the Bankr SDK and viem/ethers integrations.

Best practices

  • Copy .env.example to .env and add BANKR_PRIVATE_KEY before running any workspace.
  • Keep bankr-client and executor as centralized modules to reuse client setup and transaction logic.
  • Use graceful shutdown and backoff retries for bots to handle network hiccups and safe shutdowns.
  • Validate and sanitize all inputs in web-service routes; enable rate limiting and CORS for public endpoints.
  • Provide confirmations and clear progress indicators in CLIs and UIs to avoid accidental transactions.

Example use cases

  • Bot: scheduled DCA, price-alerting agent, or automated swap strategy running a polling loop.
  • Web-service: REST API gateway wrapping Bankr SDK for mobile or third-party integrations with swap and portfolio endpoints.
  • Dashboard: lightweight frontend + backend showing token balances, portfolio value, and a swap UI.
  • CLI: commander-based tool for balance queries, interactive swaps, and batch transfers with confirmation prompts.
  • Hybrid: dashboard backend exposing webhooks to a bot for automated responses triggered by user actions.

FAQ

What are the common shared files across templates?

All templates include package.json, tsconfig.json, .env.example, .gitignore, bankr-client.ts, executor.ts, types.ts, and a README-style top-level file for instructions.

How do I fund and configure a dev wallet?

Copy .env.example to .env, set BANKR_PRIVATE_KEY, and fund the wallet with a small USDC amount on the target chain (around $1–$2 for API costs). Use bun or npm to install dependencies before running.