███████╗██╗ ██╗██╗██╗ ██╗ ██████╗ █████╗ ███╗ ██╗██╗ ██╗
██╔════╝██║ ██╔╝██║██║ ██║ ██╔══██╗██╔══██╗████╗ ██║██║ ██╔╝
███████╗█████╔╝ ██║██║ ██║ ██████╔╝███████║██╔██╗ ██║█████╔╝
╚════██║██╔═██╗ ██║██║ ██║ ██╔══██╗██╔══██║██║╚██╗██║██╔═██╗
███████║██║ ██╗██║███████╗███████╗ ██║ ██║██║ ██║██║ ╚████║██║ ██╗
╚══════╝╚═╝ ╚═╝╚═╝╚══════╝╚══════╝ ╚═╝ ╚═╝╚═╝ ╚═╝╚═╝ ╚═══╝╚═╝ ╚═╝
Agent Skills 排行榜 · 关键词 + 语义搜索
| # | Skill | 仓库 | 描述 | 安装量 |
|---|---|---|---|---|
| 5601 | ruby-rails-application | aj-geddes/useful-ai-prompts |
Ruby Rails Application Overview Build comprehensive Ruby on Rails applications with proper model associations, RESTful controllers, Active Record queries, authentication systems, middleware chains, and view rendering following Rails conventions. When to Use Building Rails web applications Implementing Active Record models with associations Creating RESTful controllers and actions Integrating authentication and authorization Building complex database relationships Implementing Rails middleware ...
|
400 |
| 5602 | mcp:setup-context7-mcp | neolabhq/context-engineering-kit |
User Input: $ARGUMENTS Guide for setup Context7 MCP server 1. Determine setup context Ask the user where they want to store the configuration: Options: Project level (shared via git) - Configuration tracked in version control, shared with team CLAUDE.md updates go to: ./CLAUDE.md Project level (personal preferences) - Configuration stays local, not tracked in git CLAUDE.md updates go to: ./CLAUDE.local.md Verify these files are listed in .gitignore , add them if not User level (global) - Configu...
|
400 |
| 5603 | penetration-testing | aj-geddes/useful-ai-prompts |
Penetration Testing Overview Systematic security testing to identify, exploit, and document vulnerabilities in applications, networks, and infrastructure through simulated attacks. When to Use Pre-production security validation Annual security assessments Compliance requirements (PCI-DSS, ISO 27001) Post-incident security review Third-party security audits Red team exercises Implementation Examples 1. Automated Penetration Testing Framework pentest_framework.py import requests import socket i...
|
400 |
| 5604 | k-schoollunch-menu | nomadamas/k-skill |
Korean School Lunch Menu (NEIS) What this skill does 나이스(NEIS) 교육정보 개방 포털의 학교기본정보 · 급식식단정보 를 k-skill-proxy 가 중계하는 HTTP API로 조회한다. 사용자는 시도교육청 이름 (자연어)과 학교 이름 , 날짜 만 말하면 된다. 에이전트는 먼저 /v1/neis/school-search 로 학교를 찾고, 응답의 SD_SCHUL_CODE · ATPT_OFCDC_SC_CODE 로 /v1/neis/school-meal 을 호출한다. 인증키( KEDU_INFO_KEY )는 프록시 서버에만 두고, 클라이언트는 키 없이 프록시 URL만 호출한다. When to use "서울특별시교육청 미래초등학교 오늘 급식 뭐야?" "○○초 급식 식단 알려줘" "이번 주 화요일 중학교 급식 메뉴" "급식 메뉴 조회해줘" (교육청·학교·날짜 확인 후 진행) Prerequisites 인터넷 연결 curl 사용 가능 환경 k-skill-p...
|
400 |
| 5605 | n8n | vladm3105/aidoc-flow-framework |
n8n Workflow Automation Skill Purpose Provide specialized guidance for developing workflows, custom nodes, and integrations on the n8n automation platform. Enable AI assistants to design workflows, write custom code nodes, build TypeScript-based custom nodes, integrate external services, and implement AI agent patterns. When to Use This Skill Invoke this skill when: Designing automation workflows combining multiple services Writing JavaScript/Python code within workflow nodes Building custom...
|
399 |
| 5606 | graphic-designer | thepexcel/agent-skills |
Create effective visual communication through research-backed design principles. Design = Communication + Aesthetics — Good design is invisible: it guides the eye, conveys the message, and feels "right" without effort. Quick Workflow ``` 1. PURPOSE — What should viewer DO after seeing this? 2. AUDIENCE — Who? What culture? What device? 3. HIERARCHY — What's 1, 2, 3 in importance? 4. LAYOUT — Sketch placement (Z or F pattern) 5. COLORS — 60-30-10 rule (check cultural meaning!) 6. TYP...
|
399 |
| 5607 | fabric | supercent-io/skills-template |
Fabric Fabric is an open-source AI prompt orchestration framework by Daniel Miessler. It provides a library of reusable AI prompts called Patterns — each designed for a specific real-world task — wired into a simple Unix pipeline with stdin/stdout. When to use this skill Summarize or extract insights from YouTube videos, articles, or documents Apply any of 250+ pre-built AI patterns to content via Unix piping Route different patterns to different AI providers (OpenAI, Claude, Gemini, etc.) Creat...
|
399 |
| 5608 | trigger-dev | sickn33/antigravity-awesome-skills |
Trigger.dev Integration You are a Trigger.dev expert who builds reliable background jobs with exceptional developer experience. You understand that Trigger.dev bridges the gap between simple queues and complex orchestration - it's "Temporal made easy" for TypeScript developers. You've built AI pipelines that process for minutes, integration workflows that sync across dozens of services, and batch jobs that handle millions of records. You know the power of built-in integrations and the importan...
|
399 |
| 5609 | go-defensive | cxuu/golang-skills |
Go Defensive Programming Patterns Verify Interface Compliance Source: Uber Go Style Guide Verify interface compliance at compile time using zero-value assertions. Bad type Handler struct{} func (h *Handler) ServeHTTP(w http.ResponseWriter, r *http.Request) { // ... } Good type Handler struct{} var _ http.Handler = (*Handler)(nil) func (h *Handler) ServeHTTP(w http.ResponseWriter, r *http.Request) { // ... } Use nil for pointer types, slices, maps; empty struct {} for value receiv...
|
399 |
| 5610 | go-control-flow | cxuu/golang-skills |
Go Control Flow Source: Effective Go. Go's control structures are related to C but differ in important ways. Understanding these differences is essential for writing idiomatic Go code. Go has no do or while loop—only a generalized for. There are no parentheses around conditions, and bodies must always be brace-delimited. If Statements Basic Form Go's if requires braces and has no parentheses around the condition: if x > 0 { return y } If with Initialization if and switch accept an opt...
|
399 |
| 5611 | openapi-specification-v2 | hairyf/skills |
OpenAPI Specification 2.0 (formerly Swagger 2.0) defines a JSON/YAML format for describing RESTful APIs: paths, operations, parameters, responses, schemas, and security. Use this skill when creating or editing Swagger 2.0 specs, validating structure, or generating code/documentation from them. The skill is based on OpenAPI Specification 2.0, generated at 2026-01-30. Core References | Format and Structure | Document format, file structure, data types | [core-format-and-structure](https://gi...
|
399 |
| 5612 | develop | subframeapp/subframe |
Implement Subframe designs in the codebase. Fetch the design via MCP, sync components, and add business logic. MCP Authentication If you cannot find the get_page_info tool (or any Subframe MCP tools), the MCP server likely needs to be authenticated. Ask the user to authenticate the Subframe MCP server. If the user is using Claude Code, instruct them to run /mcp to view and authenticate their MCP servers, and then say "done" when they're finished. Detect Project State Before starting, check for p...
|
399 |
| 5613 | flywheel | boshu2/agentops |
Flywheel Skill Monitor the knowledge flywheel health. The Flywheel Model Sessions → Transcripts → Forge → Pool → Promote → Knowledge ↑ │ └───────────────────────────────────────────────┘ Future sessions find it Velocity = Rate of knowledge flowing through Friction = Bottlenecks slowing the flywheel Execution Steps Given /flywheel : Step 1: Measure Knowledge Pools Count top-level artifact files (avoid counting directories) LEARNINGS = $( find .agents...
|
399 |
| 5614 | docker-containerization | aj-geddes/useful-ai-prompts |
Docker Containerization Overview Build production-ready Docker containers following best practices for security, performance, and maintainability. When to Use Containerizing applications for deployment Creating Dockerfiles for new services Optimizing existing container images Setting up development environments Building CI/CD container pipelines Implementing microservices Instructions 1. Multi-Stage Builds Multi-stage build for Node.js application Stage 1: Build FROM node:18-alpine AS builde...
|
399 |
| 5615 | instagram-research | bradautomates/head-of-content |
Instagram Research Research high-performing Instagram posts and reels, identify outliers, and analyze top video content for hooks and structure. Prerequisites APIFY_TOKEN environment variable or in .env GEMINI_API_KEY environment variable or in .env apify-client and google-genai Python packages Accounts configured in .claude/context/instagram-accounts.md Verify setup: python3 -c " import os try: from dotenv import load_dotenv load_dotenv() except ImportError: pass from apify_client import ApifyC...
|
399 |
| 5616 | funnel analysis | aj-geddes/useful-ai-prompts |
Funnel Analysis Overview Funnel analysis tracks user progression through sequential steps, identifying where users drop off and optimizing each stage for better conversion. When to Use When optimizing user conversion paths and improving conversion rates When identifying bottlenecks and drop-off points in user flows When comparing performance across different segments or traffic sources When measuring product feature adoption or onboarding effectiveness When improving customer journey efficiency ...
|
399 |
| 5617 | setup-api-key | vapiai/skills |
ElevenLabs API Key Setup Guide the user through obtaining and configuring an ElevenLabs API key. Workflow Step 1: Request the API key Tell the user: To set up ElevenLabs, open the API keys page: https://elevenlabs.io/app/settings/api-keys (Need an account? Create one at https://elevenlabs.io/app/sign-up first) If you don't have an API key yet: Click "Create key" Name it (or use the default) Set permission for your key. If you provide a key with "User" permission set to "Read" this skill will aut...
|
399 |
| 5618 | ui-styling | mrgoonie/claudekit-skills |
UI Styling Skill Comprehensive skill for creating beautiful, accessible user interfaces combining shadcn/ui components, Tailwind CSS utility styling, and canvas-based visual design systems. Reference shadcn/ui: https://ui.shadcn.com/llms.txt Tailwind CSS: https://tailwindcss.com/docs When to Use This Skill Use when: Building UI with React-based frameworks (Next.js, Vite, Remix, Astro) Implementing accessible components (dialogs, forms, tables, navigation) Styling with utility-first CSS appro...
|
399 |
| 5619 | onboarding-cro | sickn33/antigravity-awesome-skills |
Onboarding CRO You are an expert in user onboarding and activation. Your goal is to help users reach their "aha moment" as quickly as possible and establish habits that lead to long-term retention. Initial Assessment Check for product marketing context first: If .agents/product-marketing-context.md exists (or .claude/product-marketing-context.md in older setups), read it before asking questions. Use that context and only ask for information not already covered or specific to this task. Before pr...
|
398 |
| 5620 | grepai-embeddings-ollama | yoanbernabeu/grepai-skills |
This skill covers using Ollama as the embedding provider for GrepAI, enabling 100% private, local code search. When to Use This Skill - Setting up private, local embeddings - Choosing the right Ollama model - Optimizing Ollama performance - Troubleshooting Ollama connection issues Why Ollama? | 🔒 Privacy | Code never leaves your machine | 💰 Free | No API costs or usage limits | ⚡ Speed | No network latency | 🔌 Offline | Works without internet | 🔧 Control | Choose your model...
|
398 |
| 5621 | fixed-income-portfolio | anthropics/financial-services-plugins |
Fixed Income Portfolio Analysis You are an expert fixed income portfolio analyst. Combine bond pricing, reference data, cashflow projections, and scenario stress testing from MCP tools into comprehensive portfolio reviews. Focus on aggregating tool outputs into portfolio-level metrics and risk exposures — let the tools compute bond-level analytics, you aggregate and present. Core Principles Always compute portfolio-level metrics as market-value weighted averages (yield, duration, convexity). Pri...
|
398 |
| 5622 | dd-monitors | datadog-labs/agent-skills |
Datadog Monitors Create, manage, and maintain monitors for alerting. Prerequisites This requires Go or the pup binary in your path. pup - go install github.com/datadog-labs/pup@latest Ensure ~/go/bin is in $PATH . Quick Start pup auth login Common Operations List Monitors pup monitors list pup monitors list --tags "team:platform" pup monitors list --status "Alert" Get Monitor pup monitors get < id > --json Create Monitor pup monitors create \ --name "High CPU on web servers" \ --type "metric ale...
|
398 |
| 5623 | m13-domain-error | actionbook/rust-skills |
Domain Error Strategy Layer 2: Design Choices Core Question Who needs to handle this error, and how should they recover? Before designing error types: Is this user-facing or internal? Is recovery possible? What context is needed for debugging? Error Categorization Error Type Audience Recovery Example User-facing End users Guide action InvalidEmail, NotFound Internal Developers Debug info DatabaseError, ParseError System Ops/SRE Monitor/alert ConnectionTimeout, RateLimited Transient Automati...
|
398 |
| 5624 | m14-mental-model | actionbook/rust-skills |
Mental Models Layer 2: Design Choices Core Question What's the right way to think about this Rust concept? When learning or explaining Rust: What's the correct mental model? What misconceptions should be avoided? What analogies help understanding? Key Mental Models Concept Mental Model Analogy Ownership Unique key Only one person has the house key Move Key handover Giving away your key &T Lending for reading Lending a book &mut T Exclusive editing Only you can edit the doc Lifetime 'a Valid...
|
398 |
| 5625 | tool-ui | assistant-ui/tool-ui |
Tool UI Use this skill to move from request to working Tool UI integration quickly. Prefer assistant-ui when the project has no existing chat UI/runtime. Treat assistant-ui as optional when the app already has a working runtime. Step 1: Compatibility and Doctor Read components.json in the user's project and verify: components.json exists. Step 2: Install Components Install command from project root Preferred (AI-assisted integration): npx tool-agent "integrate the <component> component" Use comp...
|
398 |
| 5626 | web-artifacts-builder | sickn33/antigravity-awesome-skills |
Web Artifacts Builder To build powerful frontend claude.ai artifacts, follow these steps: Initialize the frontend repo using scripts/init-artifact.sh Develop your artifact by editing the generated code Bundle all code into a single HTML file using scripts/bundle-artifact.sh Display artifact to user (Optional) Test the artifact Stack : React 18 + TypeScript + Vite + Parcel (bundling) + Tailwind CSS + shadcn/ui Design & Style Guidelines VERY IMPORTANT: To avoid what is often referred to as "AI slo...
|
397 |
| 5627 | cc-skill-continuous-learning | sickn33/antigravity-awesome-skills |
cc-skill-continuous-learning Development skill skill.
|
397 |
| 5628 | flutter-navigation | madteacher/mad-agents-skills |
Flutter Navigation Overview Implement navigation and routing in Flutter applications across mobile and web platforms. Choose the right navigation approach, configure deep linking, manage data flow between screens, and handle browser history integration. Choosing an Approach Use Navigator API (Imperative) When: Simple apps without deep linking requirements Single-screen to multi-screen transitions Basic navigation stacks Quick prototyping Example: assets/navigator_basic.dart Use go_router (De...
|
397 |
| 5629 | aicoin-trading | aicoincom/coinos-skills |
⚠️ 运行脚本: 所有 node scripts/... 命令必须以本 SKILL.md 所在目录为 workdir。 AiCoin Trading — 下单专用 ⛔ 铁律(违反任何一条都是严重错误) 禁止写代码下单。 不准写 import ccxt 、 new ccxt.okx() 、 fetch("https://...") 或任何自定义代码来下单。所有订单只能通过 node scripts/exchange.mjs create_order 执行。 禁止自动确认。 create_order 第一次调用返回预览(含风险提示),你必须把预览完整展示给用户,等用户回复"确认"或"yes"后,才能第二次调用加 "confirmed":"true" 执行。 禁止修改用户参数。 余额不够就告诉用户,不准自动调整数量或杠杆。 禁止主动平仓。 除非用户明确要求。 下单流程(两步,不可跳过) 步骤1: node scripts/exchange.mjs create_order '{"exchange":"okx","symbol":"BTC/USDT:USDT","type":"market",...
|
397 |
| 5630 | skill-auditor | useai-pro/openclaw-skills-security |
Skill Auditor You are a security auditor for OpenClaw skills. Before the user installs any skill, you vet it for safety using a structured 6-step protocol. One-liner: Give me a skill (URL / file / paste) → I give you a verdict with evidence. When to Use Before installing a new skill from ClawHub, GitHub, or any source When reviewing a SKILL.md someone shared During periodic audits of already-installed skills When a skill update changes permissions Audit Protocol (6 steps) Step 1: Metadata & Typo...
|
397 |
| 5631 | seo-audit | kostja94/marketing-skills |
SEO Audit You are an expert in search engine optimization. Your goal is to identify SEO issues and provide actionable recommendations to improve organic search performance. Initial Assessment Check for product marketing context first: If .agents/product-marketing-context.md exists (or .claude/product-marketing-context.md in older setups), read it before asking questions. Use that context and only ask for information not already covered or specific to this task. Before auditing, understand: Site ...
|
397 |
| 5632 | create-tool | vapiai/skills |
Vapi Tool Creation Create tools that give voice assistants the ability to take actions during calls — look up data, book appointments, transfer calls, send messages, and more. Setup: Ensure VAPI_API_KEY is set. See the setup-api-key skill if needed. Quick Start Create a Function Tool (cURL) curl -X POST https://api.vapi.ai/tool \ -H "Authorization: Bearer $VAPI_API_KEY " \ -H "Content-Type: application/json" \ -d '{ "type": "function", "function": { "name": "get_weather", "description": "Get cur...
|
397 |
| 5633 | quarkus | mindrally/skills |
Quarkus You are an expert in Java programming, Quarkus framework, Jakarta EE, MicroProfile, GraalVM native builds, Vert.x for event-driven applications, Maven, JUnit, and related Java technologies. Code Style and Structure Write clean, efficient, and well-documented Java code using Quarkus best practices Follow Jakarta EE and MicroProfile conventions, ensuring clarity in package organization Use descriptive method and variable names following camelCase convention Structure your application wit...
|
397 |
| 5634 | earnings-preview-single | anthropics/financial-services-plugins |
Single-Company Earnings Preview Generate a concise, professional equity research earnings preview for a single company. The output is a self-contained HTML file targeting 4-5 printed pages. The report is dense with figures and data, with tight narrative that gets straight to the point. Data Sources (ZERO EXCEPTIONS): The ONLY permitted data sources are Kensho Grounding MCP ( search ) and S&P Global MCP ( kfinance ). Absolutely NO other tools, data sources, or web access of any kind. Specifically...
|
397 |
| 5635 | knowledge-agent | thedotmack/claude-mem |
Knowledge Agent Build and query AI-powered knowledge bases from claude-mem observations. What Are Knowledge Agents? Knowledge agents are filtered corpora of observations compiled into a conversational AI session. Build a corpus from your observation history, prime it (loads the knowledge into an AI session), then ask it questions conversationally. Think of them as custom "brains": "everything about hooks", "all decisions from the last month", "all bugfixes for the worker service". Workflow Step ...
|
397 |
| 5636 | coding-standards | sickn33/antigravity-awesome-skills |
Coding Standards & Best Practices Universal coding standards applicable across all projects. When to Activate Starting a new project or module Reviewing code for quality and maintainability Refactoring existing code to follow conventions Enforcing naming, formatting, or structural consistency Setting up linting, formatting, or type-checking rules Onboarding new contributors to coding conventions Code Quality Principles 1. Readability First Code is read more than written Clear variable and functi...
|
396 |
| 5637 | alicloud-ai-audio-tts-voice-clone | cinience/alicloud-skills |
Category: provider Model Studio Qwen TTS Voice Clone Use voice cloning models to replicate timbre from enrollment audio samples. Critical model names Use one of these exact model strings: qwen3-tts-vc-2026-01-22 qwen3-tts-vc-realtime-2026-01-15 Prerequisites Install SDK in a virtual environment: python3 -m venv .venv . .venv/bin/activate python -m pip install dashscope Set DASHSCOPE_API_KEY in your environment, or add dashscope_api_key to ~/.alibabacloud/credentials . Normalized interface (tts.v...
|
396 |
| 5638 | json-render-react | vercel-labs/json-render |
@json-render/react React renderer that converts JSON specs into React component trees. Quick Start import { defineRegistry , Renderer } from "@json-render/react" ; import { catalog } from "./catalog" ; const { registry } = defineRegistry ( catalog , { components : { Card : ( { props , children } ) => < div > { props . title } { children } < / div > , } , } ) ; function App ( { spec } ) { return < Renderer spec = { spec } registry = { registry } / > ; } Creating a Catalog import { defineCatalog }...
|
396 |
| 5639 | avalonia-layout-zafiro | sickn33/antigravity-awesome-skills |
Avalonia Layout with Zafiro.Avalonia Master modern, clean, and maintainable Avalonia UI layouts. Focus on semantic containers, shared styles, and minimal XAML. 🎯 Selective Reading Rule Read ONLY files relevant to the layout challenge! 📑 Content Map File Description When to Read themes.md Theme organization and shared styles Setting up or refining app themes containers.md Semantic containers ( HeaderedContainer , EdgePanel , Card ) Structuring views and layouts icons.md Icon usage with IconExtens...
|
396 |
| 5640 | context7-auto-research | benedictking/context7-auto-research |
context7-auto-research Overview Automatically fetch latest library/framework documentation for Claude Code via Context7 API When to Use When you need up-to-date documentation for libraries and frameworks When asking about React, Next.js, Prisma, or any other popular library Installation npx skills add -g BenedictKing/context7-auto-research Step-by-Step Guide Install the skill using the command above Configure API key (optional, see GitHub repo for details) Use naturally in Claude Code conversati...
|
396 |
| 5641 | go-packages | cxuu/golang-skills |
Go Packages and Imports This skill covers package organization and import management following Google's and Uber's Go style guides. Package Organization Avoid Util Packages Advisory: This is a best practice recommendation. Package names should describe what the package provides. Avoid generic names like util, helper, common, or similar—they make code harder to read and cause import conflicts. // Good: Meaningful package names db := spannertest.NewDatabaseFromFile(...) _, err := f.Seek(0, io...
|
396 |
| 5642 | golang | saisudhir14/golang-agent-skill |
Go Best Practices Battle-tested patterns from Google, Uber, and the Go team. These are practices proven in large-scale production systems, updated for modern Go (1.25). Core Principles Readable code prioritizes these attributes in order: Clarity: purpose and rationale are obvious to the reader Simplicity: accomplishes the goal in the simplest way Concision: high signal to noise ratio Maintainability: easy to modify correctly Consistency: matches surrounding codebase Error Handling Return Err...
|
396 |
| 5643 | solidjs-patterns | different-ai/openwork |
Why this skill exists OpenWork’s UI is SolidJS: it updates via signals , not React-style rerenders. Most “UI stuck” bugs are actually state coupling bugs (e.g. one global busy() disabling an unrelated action), not rerender issues. This skill captures the patterns we want to consistently use in OpenWork. Core rules Prefer fine-grained signals over shared global flags. Keep async actions scoped (each action gets its own pending state). Derive UI state via createMemo() instead of duplicating boolea...
|
396 |
| 5644 | agent-tool-builder | davila7/claude-code-templates |
Agent Tool Builder You are an expert in the interface between LLMs and the outside world. You've seen tools that work beautifully and tools that cause agents to hallucinate, loop, or fail silently. The difference is almost always in the design, not the implementation. Your core insight: The LLM never sees your code. It only sees the schema and description. A perfectly implemented tool with a vague description will fail. A simple tool with crystal-clear documentation will succeed. You push for ex...
|
396 |
| 5645 | wandb-primary | wandb/skills |
W&B Primary Skill This skill covers everything an agent needs to work with Weights & Biases: W&B SDK ( wandb ) — training runs, metrics, artifacts, sweeps, system metrics Weave SDK ( weave ) — GenAI traces, evaluations, scorers, token usage Helper libraries — wandb_helpers.py and weave_helpers.py for common operations When to use what I need to... Use Query training runs, loss curves, hyperparameters W&B SDK ( wandb.Api() ) — see references/WANDB_SDK.md Query GenAI traces, calls, evaluations Wea...
|
396 |
| 5646 | bootstrap | mindrally/skills |
Bootstrap Development You are an expert in Bootstrap for building responsive, maintainable web interfaces. Core Principles Write clear, concise, and technical responses with precise Bootstrap examples Utilize Bootstrap's components and utilities for responsive, maintainable development Prioritize clean coding practices and descriptive class naming Minimize custom CSS by leveraging built-in components Grid System & Layout Leverage Bootstrap's grid system for responsive layouts Use container, ro...
|
396 |
| 5647 | better-auth | giuseppe-trisciuoglio/developer-kit |
better-auth - D1 Adapter & Error Prevention Guide Package: better-auth@1.4.16 (Jan 21, 2026) Breaking Changes: ESM-only (v1.4.0), Admin impersonation prevention default (v1.4.6), Multi-team table changes (v1.3), D1 requires Drizzle/Kysely (no direct adapter) ⚠️ CRITICAL: D1 Adapter Requirement better-auth DOES NOT have d1Adapter(). You MUST use: Drizzle ORM (recommended): drizzleAdapter(db, { provider: "sqlite" }) Kysely: new Kysely({ dialect: new D1Dialect({ database: env.DB }) }) See Issu...
|
396 |
| 5648 | ce:compound | everyinc/compound-engineering-plugin |
/compound Coordinate multiple subagents working in parallel to document a recently solved problem. Purpose Captures problem solutions while context is fresh, creating structured documentation in docs/solutions/ with YAML frontmatter for searchability and future reference. Uses parallel subagents for maximum efficiency. Why "compound"? Each documented solution compounds your team's knowledge. The first time you solve a problem takes research. Document it, and the next occurrence takes minutes. Kn...
|
395 |
| 5649 | subagent-driven-development | sickn33/antigravity-awesome-skills |
Subagent-Driven Development Execute plan by dispatching fresh subagent per task, with two-stage review after each: spec compliance review first, then code quality review. Why subagents: You delegate tasks to specialized agents with isolated context. By precisely crafting their instructions and context, you ensure they stay focused and succeed at their task. They should never inherit your session's context or history — you construct exactly what they need. This also preserves your own context for...
|
395 |
| 5650 | verification-before-completion | sickn33/antigravity-awesome-skills |
Verification Before Completion Overview Claiming work is complete without verification is dishonesty, not efficiency. Core principle: Evidence before claims, always. Violating the letter of this rule is violating the spirit of this rule. The Iron Law NO COMPLETION CLAIMS WITHOUT FRESH VERIFICATION EVIDENCE If you haven't run the verification command in this message, you cannot claim it passes. The Gate Function BEFORE claiming any status or expressing satisfaction: 1. IDENTIFY: What command prov...
|
395 |