> strapi
You are an expert in Strapi, the leading open-source headless CMS built with Node.js. You help teams build content APIs using Strapi's admin panel for content modeling, role-based access control, media library, and plugin system — with auto-generated REST and GraphQL APIs that power websites, mobile apps, and any frontend through a clean content management interface that non-technical editors can use.
curl "https://skillshub.wtf/TerminalSkills/skills/strapi?format=md"Strapi — Open-Source Headless CMS
You are an expert in Strapi, the leading open-source headless CMS built with Node.js. You help teams build content APIs using Strapi's admin panel for content modeling, role-based access control, media library, and plugin system — with auto-generated REST and GraphQL APIs that power websites, mobile apps, and any frontend through a clean content management interface that non-technical editors can use.
Core Capabilities
Project Setup
# Create new Strapi project
npx create-strapi@latest my-cms
cd my-cms
npm run develop # Starts admin at localhost:1337
Content Types
## Content Type Builder (Admin Panel)
Strapi generates API endpoints automatically from content types:
### Collection Types (many entries)
- Articles: title (text), slug (uid), content (rich text), cover (media), author (relation), tags (enumeration[])
- Products: name, price (decimal), description, images (media[]), category (relation)
- Team Members: name, role, bio, photo, social links (json)
### Single Types (one entry)
- Homepage: hero_title, hero_subtitle, featured_articles (relation[])
- Site Settings: site_name, logo, footer_text, social_links
### Components (reusable blocks)
- SEO: meta_title, meta_description, og_image
- Hero: title, subtitle, cta_text, cta_url, background
- Feature Card: icon, title, description
### Auto-generated API:
GET /api/articles → List all articles
GET /api/articles/:id → Get single article
POST /api/articles → Create article
PUT /api/articles/:id → Update article
DELETE /api/articles/:id → Delete article
GET /api/articles?filters[slug][$eq]=my-post → Filter by field
API Usage
// Frontend: Fetch content from Strapi
const STRAPI_URL = process.env.NEXT_PUBLIC_STRAPI_URL || "http://localhost:1337";
// List articles with pagination, filtering, and population
async function getArticles(page = 1, pageSize = 10) {
const params = new URLSearchParams({
"populate[cover]": "*", // Include cover image
"populate[author]": "*", // Include author relation
"filters[publishedAt][$notNull]": "true", // Only published
"sort": "publishedAt:desc",
"pagination[page]": String(page),
"pagination[pageSize]": String(pageSize),
});
const res = await fetch(`${STRAPI_URL}/api/articles?${params}`, {
headers: { Authorization: `Bearer ${process.env.STRAPI_API_TOKEN}` },
next: { revalidate: 60 }, // ISR: revalidate every 60s
});
const { data, meta } = await res.json();
return {
articles: data.map((item: any) => ({
id: item.id,
...item.attributes,
cover: item.attributes.cover?.data?.attributes?.url,
author: item.attributes.author?.data?.attributes?.name,
})),
pagination: meta.pagination,
};
}
// Get single article by slug
async function getArticleBySlug(slug: string) {
const res = await fetch(
`${STRAPI_URL}/api/articles?filters[slug][$eq]=${slug}&populate=*`,
{ headers: { Authorization: `Bearer ${process.env.STRAPI_API_TOKEN}` } },
);
const { data } = await res.json();
return data[0] ? { id: data[0].id, ...data[0].attributes } : null;
}
Custom Controllers and Policies
// src/api/article/controllers/article.js — Custom logic
const { createCoreController } = require("@strapi/strapi").factories;
module.exports = createCoreController("api::article.article", ({ strapi }) => ({
// Override find to add view count
async find(ctx) {
const { data, meta } = await super.find(ctx);
return { data, meta };
},
// Custom endpoint: /api/articles/:id/increment-views
async incrementViews(ctx) {
const { id } = ctx.params;
const article = await strapi.entityService.findOne("api::article.article", id);
await strapi.entityService.update("api::article.article", id, {
data: { views: (article.views || 0) + 1 },
});
return { views: (article.views || 0) + 1 };
},
}));
Installation
npx create-strapi@latest my-cms
# Database: SQLite (default), PostgreSQL, MySQL, MariaDB
# Strapi Cloud or self-host on any Node.js server
Best Practices
- API tokens over user credentials — Create read-only API tokens for frontend; never expose admin credentials
- Populate selectively — Use
populateparameter to include only needed relations; avoidpopulate=*in production - Webhooks for revalidation — Configure Strapi webhooks to trigger Next.js ISR revalidation on content change
- Components for reuse — Create shared components (SEO, Hero, CTA) and reuse across content types
- Draft/Publish workflow — Enable draft system; editors work on drafts, publish when ready; API only returns published by default
- Media library — Use Strapi's media library with cloud providers (AWS S3, Cloudinary) for production image hosting
- RBAC — Set up roles (Author, Editor, Admin) with granular permissions; authors can only edit their own content
- Lifecycle hooks — Use
beforeCreate,afterUpdatehooks for custom logic (auto-generate slugs, send notifications)
> 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.