> slack-bot-builder
Builds Slack bots and integrations using the Slack API (Bolt framework). Use when the user wants to create a Slack bot, build slash commands, handle Slack events, send messages to channels, build interactive modals/blocks, create Slack workflows, or integrate services with Slack. Trigger words: slack bot, slack integration, slash command, slack app, slack webhook, slack blocks, slack modal, bolt framework, slack events, slack notification, slack automation.
curl "https://skillshub.wtf/TerminalSkills/skills/slack-bot-builder?format=md"Slack Bot Builder
Overview
Builds production-ready Slack bots and integrations using the Bolt framework. Handles app setup, event subscriptions, slash commands, interactive components (buttons, modals, dropdowns), message formatting with Block Kit, and deployment. Covers both simple webhook-based notifications and full conversational bots.
Instructions
1. App Setup
When creating a new Slack bot:
- Guide the user through https://api.slack.com/apps → Create New App
- Recommend "From a manifest" for faster setup
- Generate the app manifest YAML based on required scopes and features
- Set up the following based on needs:
- Bot Token Scopes:
chat:write,commands,app_mentions:read,channels:history,users:read - Event Subscriptions:
message.channels,app_mention,message.im - Interactivity: Enable for buttons, modals, dropdowns
- Slash Commands: Register command names and descriptions
- Bot Token Scopes:
2. Project Scaffolding
Use Bolt.js (Node) or Bolt for Python:
# Node.js
npm init -y && npm install @slack/bolt dotenv
# Python
pip install slack-bolt python-dotenv
Standard project structure:
slack-bot/
├── app.js # Main entry, Bolt app initialization
├── listeners/
│ ├── commands.js # Slash command handlers
│ ├── events.js # Event handlers (messages, mentions)
│ ├── actions.js # Interactive component handlers
│ └── views.js # Modal submission handlers
├── services/ # Business logic
├── blocks/ # Block Kit message templates
├── .env # SLACK_BOT_TOKEN, SLACK_SIGNING_SECRET, SLACK_APP_TOKEN
└── package.json
3. Core Patterns
Sending messages:
await client.chat.postMessage({
channel: channelId,
blocks: [/* Block Kit blocks */],
text: "Fallback text for notifications"
});
Slash commands:
app.command('/deploy', async ({ command, ack, respond }) => {
await ack();
await respond({
blocks: buildDeployConfirmation(command.text),
response_type: 'ephemeral'
});
});
Interactive modals:
app.action('button_click', async ({ body, ack, client }) => {
await ack();
await client.views.open({
trigger_id: body.trigger_id,
view: buildModalView()
});
});
Event handling:
app.event('app_mention', async ({ event, say }) => {
await say(`Hey <@${event.user}>! How can I help?`);
});
4. Block Kit Messages
Always use Block Kit for rich messages. Key block types:
section— text with optional accessory (button, image, overflow)actions— row of interactive elementsinput— form fields in modalsdivider— visual separatorcontext— small metadata textheader— bold large text
Use https://app.slack.com/block-kit-builder for visual design.
5. Socket Mode vs HTTP
- Socket Mode (recommended for internal bots): No public URL needed, uses WebSocket
- Set
SLACK_APP_TOKEN(starts withxapp-) const app = new App({ token, signingSecret, socketMode: true, appToken })
- Set
- HTTP mode (for public apps): Needs public URL, use ngrok for dev
const app = new App({ token, signingSecret })app.start(3000)
6. Deployment
- Simple: Railway, Render, or any Node.js host
- Production: Container on ECS/Cloud Run with health checks
- Serverless: AWS Lambda with Slack Bolt's
AwsLambdaReceiver
7. Rate Limits
Slack API rate limits:
- Tier 1 (chat.postMessage): ~1 req/sec per workspace
- Tier 2 (conversations.list): ~20 req/min
- Tier 3 (users.list): ~50 req/min
- Tier 4 (admin endpoints): varies
Handle 429 responses with exponential backoff. The Bolt framework handles basic retry logic.
Examples
Example 1: Daily Standup Bot
Input: "Build a Slack bot that posts daily standup prompts at 9am, collects responses via thread, and summarizes them at 5pm."
Output: A Bolt.js app with:
- Cron job (node-cron) posting standup template to #team channel at 9:00
- Thread listener collecting responses, parsing "yesterday/today/blockers" format
- 5pm summary job that aggregates all thread replies into a formatted Block Kit message
/standup-skipslash command to mark days off
Example 2: Incident Alert Bot
Input: "Create a Slack bot that receives PagerDuty webhooks and creates an incident channel with pre-populated runbook links."
Output: A Bolt.js app with:
- HTTP endpoint receiving PagerDuty webhook payloads
- Auto-creates
#incident-{date}-{title}channel - Posts incident details with severity-colored sidebar
- Pins runbook links based on service name lookup
- Adds on-call responders to channel automatically
/incident-resolvecommand to archive channel and post timeline
Guidelines
- Always set
textfallback alongsideblocks(for notifications and accessibility) - Use ephemeral messages (
response_type: 'ephemeral') for user-specific responses - Store tokens in environment variables, never in code
- Implement proper error handling — Slack silently drops unacknowledged interactions after 3 seconds
- Always
await ack()within 3 seconds for commands and interactions - Use
app.error()global handler for uncaught errors - For long operations, ack immediately, then use
respond()orchat.postMessagelater - Test with Slack's Socket Mode locally before deploying
- Keep Block Kit messages under 50 blocks and 3000 characters per text field
> related_skills --same-repo
> zustand
You are an expert in Zustand, the small, fast, and scalable state management library for React. You help developers manage global state without boilerplate using Zustand's hook-based stores, selectors for performance, middleware (persist, devtools, immer), computed values, and async actions — replacing Redux complexity with a simple, un-opinionated API in under 1KB.
> zoho
Integrate and automate Zoho products. Use when a user asks to work with Zoho CRM, Zoho Books, Zoho Desk, Zoho Projects, Zoho Mail, or Zoho Creator, build custom integrations via Zoho APIs, automate workflows with Deluge scripting, sync data between Zoho apps and external systems, manage leads and deals, automate invoicing, build custom Zoho Creator apps, set up webhooks, or manage Zoho organization settings. Covers Zoho CRM, Books, Desk, Projects, Creator, and cross-product integrations.
> zod
You are an expert in Zod, the TypeScript-first schema declaration and validation library. You help developers define schemas that validate data at runtime AND infer TypeScript types at compile time — eliminating the need to write types and validators separately. Used for API input validation, form validation, environment variables, config files, and any data boundary.
> zipkin
Deploy and configure Zipkin for distributed tracing and request flow visualization. Use when a user needs to set up trace collection, instrument Java/Spring or other services with Zipkin, analyze service dependencies, or configure storage backends for trace data.