Agent Skills 排行榜 · 关键词 + 语义搜索

/ 聚焦搜索框
正在使用 AI 进行语义搜索...
20,000
总 Skills
16.0M
总安装量
2,338
贡献者
# Skill 仓库 描述 安装量
11951 pr-walkthrough tldraw/tldraw
PR walkthrough video Create a narrated walkthrough video for a pull request. This is designed to be an internal artifact, providing the same benefit as would a loom video created by the pull request's author — walking through the code changes, explaining what was done and why, so that anyone watching can understand the PR quickly. Input: A GitHub pull request URL (e.g., https://github.com/tldraw/tldraw/pull/7924 ). If given just a PR number or other description, assume that the PR is on the tldr...
63
11952 rust-cli-builder davila7/claude-code-templates
Rust CLI Tool Builder When to use Use this skill when you need to: Scaffold a new Rust CLI tool from scratch with clap Add subcommands to an existing CLI application Implement config file loading (TOML/JSON/YAML) Set up proper error handling with anyhow/thiserror Add colored and formatted terminal output Structure a CLI project for distribution via cargo install or GitHub releases Phase 1: Explore (Plan Mode) Enter plan mode. Before writing any code, explore the existing project: If extending an...
63
11953 nuxt-core secondsky/claude-skills
Nuxt 4 Core Fundamentals Project setup, configuration, routing, SEO, and error handling for Nuxt 4 applications. Quick Reference Version Requirements Package Minimum Recommended nuxt 4.0.0 4.2.x vue 3.5.0 3.5.x nitro 2.10.0 2.12.x vite 6.0.0 6.2.x typescript 5.0.0 5.x Key Commands Create new project bunx nuxi@latest init my-app Development bun run dev Build for production bun run build Preview production build bun run preview Type checking bun run postinstall Generates .nuxt directo...
63
11954 1k-architecture onekeyhq/app-monorepo
OneKey Architecture Overview Platform Structure apps/desktop/ - Electron desktop app (Windows, macOS, Linux) apps/mobile/ - React Native mobile app (iOS, Android) apps/ext/ - Browser extension (Chrome, Firefox, Edge, Brave) apps/web/ - Progressive web application apps/web-embed/ - Embeddable wallet components Core Packages packages/core/ - Blockchain protocol implementations, cryptography, hardware wallet communication packages/kit/ - Application logic, state management, API integrations package...
63
11955 makefile itechmeat/llm-code
Guidance for creating and maintaining GNU Make build automation. Quick Navigation | Rules, prerequisites, targets | [syntax.md](https://github.com/itechmeat/llm-code/blob/main/skills/makefile/references/syntax.md) | Variable types and assignment | [variables.md](https://github.com/itechmeat/llm-code/blob/main/skills/makefile/references/variables.md) | Built-in functions | [functions.md](https://github.com/itechmeat/llm-code/blob/main/skills/makefile/references/functions.md) | Special...
63
11956 reactflow-fundamentals thebushidocollective/han
React Flow Fundamentals Build customizable node-based editors and interactive diagrams with React Flow. This skill covers core concepts, setup, and common patterns for creating flow-based interfaces. Installation npm npm install @xyflow/react pnpm pnpm add @xyflow/react yarn yarn add @xyflow/react Basic Setup import { useCallback } from 'react' ; import { ReactFlow , useNodesState , useEdgesState , addEdge , Background , Controls , MiniMap , type Node , type Edge , type OnConnect , } from '@x...
63
11957 spec-driven adeonir/agent-skills
Spec-Driven Development Structured development workflow: Initialize -> Plan -> Tasks -> Implement + Validate. Workflow initialize --> plan --> tasks --> implement --> validate --> archive Project Structure .artifacts/ ├── features/ │ └── {ID}-{name}/ │ ├── spec.md WHAT: Requirements │ ├── plan.md HOW: Architecture │ └── tasks.md WHEN: Tasks └── research/ Research cache (lazy) └── {topic}.md docs/ └── features/ └── {name}.md ...
63
11958 b2c-isml salesforcecommercecloud/b2c-developer-tooling
ISML Skill This skill guides you through creating and working with ISML (Isomorphic Markup Language) templates in Salesforce B2C Commerce. ISML templates combine HTML with dynamic server-side tags. Overview ISML templates are server-side templates that generate HTML. They use special tags prefixed with is and expressions in ${...} syntax to embed dynamic content. File Location Templates reside in the cartridge's templates directory: /my-cartridge /cartridge /templates /default ...
63
11959 groove-admin-install andreadellacorte/groove
groove-admin-install Outcome All groove backends are installed in dependency order, groove-wide companion skills are installed, AGENTS.md contains the session bootstrap, and the repo is ready for use. Acceptance Criteria Task and memory backends installed Companion skills installed (find-skills, agent-browser, pdf-to-markdown) AGENTS.md contains the <!-- groove:prime:start --> session bootstrap AGENTS.md contains a <!-- groove:task:start --> stub (if tasks: beans ) User sees a summary of what wa...
63
11960 lead-research-assistant davepoon/buildwithclaude
Lead Research Assistant This skill helps you identify and qualify potential leads for your business by analyzing your product/service, understanding your ideal customer profile, and providing actionable outreach strategies. When to Use This Skill Finding potential customers or clients for your product/service Building a list of companies to reach out to for partnerships Identifying target accounts for sales outreach Researching companies that match your ideal customer profile Preparing for bus...
63
11961 postgres-query civitai/civitai
PostgreSQL Query Testing Use this skill to run ad-hoc PostgreSQL queries for testing, debugging, and performance analysis. Running Queries Use the included query script: node .claude/skills/postgres-query/query.mjs "SELECT * FROM \"User\" LIMIT 5" Options Flag Description --explain Run EXPLAIN ANALYZE on the query --writable Use primary database instead of read replica (requires user permission) --timeout <s>, -t Query timeout in seconds (default: 30) --file, -f Read query from a file --jso...
63
11962 perf-astro tech-leads-club/agent-skills
Astro Performance Playbook Astro-specific optimizations for 95+ Lighthouse scores. Quick Setup npm install astro-critters @playform/compress // astro.config.mjs import { defineConfig } from 'astro/config' import critters from 'astro-critters' import compress from '@playform/compress' export default defineConfig ( { integrations : [ critters ( ) , compress ( { CSS : true , HTML : true , JavaScript : true , Image : false , SVG : false , } ) , ] , } ) Integrations astro-critters Automatically extra...
63
11963 nuxt-server secondsky/claude-skills
Nuxt 4 Server Development Server routes, API patterns, and backend development with Nitro. Quick Reference File-Based Server Routes server/ ├── api/ API endpoints (/api/*) │ ├── users/ │ │ ├── index.get.ts → GET /api/users │ │ ├── index.post.ts → POST /api/users │ │ ├── [id].get.ts → GET /api/users/:id │ │ ├── [id].put.ts → PUT /api/users/:id │ │ └── [id].delete.ts → DELETE /api/users/:id │ └── health.get.ts → GET...
63
11964 testing-python jlowin/fastmcp
Writing Effective Python Tests Core Principles Every test should be atomic, self-contained, and test single functionality. A test that tests multiple things is harder to debug and maintain. Test Structure Atomic unit tests Each test should verify a single behavior. The test name should tell you what's broken when it fails. Multiple assertions are fine when they all verify the same behavior. Good: Name tells you what's broken def test_user_creation_sets_defaults(): user = User(name="Alic...
63
11965 optimizing-performance cloudai-x/claude-workflow-v2
Optimizing Performance When to Load Trigger : Diagnosing slowness, profiling, caching strategies, reducing load times, bundle size optimization Skip : Correctness-focused work where performance is not a concern Performance Optimization Workflow Copy this checklist and track progress: Performance Optimization Progress: - [ ] Step 1: Measure baseline performance - [ ] Step 2: Identify bottlenecks - [ ] Step 3: Apply targeted optimizations - [ ] Step 4: Measure again and compare - [ ] Step 5: Repea...
63
11966 bump-release paulrberg/agent-skills
Bump Release Support for both regular and beta releases. Parameters version : Optional explicit version to use (e.g., 2.0.0 ). When provided, skips automatic version inference --beta : Create a beta release with -beta.X suffix --dry-run : Preview the release without making any changes (no file modifications, commits, or tags) Steps Locate the package - The user may be in a monorepo where the package to release lives in a subdirectory. Look for package.json in the current working directory first;...
63
11967 tauri epicenterhq/epicenter
Tauri Desktop Framework Skill File Organization This skill uses a split structure for HIGH-RISK requirements: SKILL.md: Core principles, patterns, and essential security (this file) references/security-examples.md: Complete CVE details and OWASP implementations references/advanced-patterns.md: Advanced Tauri patterns and plugins references/threat-model.md: Attack scenarios and STRIDE analysis Validation Gates Gate 0.1: Domain Expertise Validation Status: PASSED Expertise Areas: IPC security, c...
63
11968 rnv aaarnv/claude-skills
Chain-of-Verification (CoVe) System You are operating in CoVe Mode - a rigorous verification framework that separates generation from verification to eliminate hallucinations and subtle errors. Core Principle "LLM-assisted code review, not LLM-generated code." Generation is cheap. Verification is where correctness lives. THE 4-STAGE COVE PROTOCOL When given ANY task, you MUST execute all 4 stages in order: ═══════════════════════════════════════════════════════════════ STAGE 1: INITIAL SOLUTION ...
63
11969 1k-git-workflow onekeyhq/app-monorepo
OneKey Git Usage Guidelines Branch Management Main branch: x - This is the primary development branch Workflow: x → create feature branch → develop → PR back to x Do not use onekey, master, or main as the base branch - always use x NEVER work directly on the x branch → ALWAYS create feature branches Branch Naming Feature branches: feat/description or feature/description Bug fixes: fix/description Refactoring: refactor/description Commit Message Format Use Conventional Commits format: feat: - N...
63
11970 saas-architect sitechfromgeorgia/georgian-distribution-system
SaaS Architect - Next.js + Supabase Edition Purpose This skill transforms SaaS ideas into executable technical architectures optimized for Next.js 15 + Supabase stack. It provides comprehensive planning covering database design, authentication flows, subscription logic, file structure, and realistic development timelines for solo developers building subscription products. Core Philosophy 1. Subscription-First Architecture Design for recurring revenue from day one Plan for multiple pricing tier...
63
11971 grove-spec-writing autumnsgrove/groveengine
Grove Spec Writing A comprehensive guide for writing technical specifications in the Grove ecosystem. Use this skill to create new specs that feel like storybook entries, or to validate and standardize existing specs. When to Activate Creating a new technical specification Reviewing an existing spec for completeness Adding ASCII art headers to specs missing them Adding diagrams, mockups, or visual elements to text-heavy specs Standardizing frontmatter across spec files Validating a spec against ...
63
11972 react-flow framara/react-flow-skill
React Flow (@xyflow/react) is a library for building node-based graphs, workflow editors, and interactive diagrams. It provides a highly customizable framework for creating visual programming interfaces, process flows, and network visualizations. Quick Start Installation ``` pnpm add @xyflow/react ``` Basic Setup ``` import { ReactFlow, Node, Edge, Background, Controls, MiniMap } from '@xyflow/react'; import '@xyflow/react/dist/style.css'; const initialNodes: Node[] = [ { id: '1'...
63
11973 textual-builder ypares/agent-skills
This skill helps you build sophisticated Text User Interfaces (TUIs) using Textual, a Python framework for creating terminal and browser-based applications with a modern web-inspired API. It includes reference documentation, a card game template, and best practices for Textual development. Quick Start Basic Textual App ``` from textual.app import App, ComposeResult from textual.widgets import Header, Footer, Label class MyApp(App): def compose(self) -> ComposeResult: yield Head...
63
11974 agent-teams-playbook kimyx0207/agent-teams-playbook
Agent Teams 编排手册 作为 Agent Teams 协调器,你的职责包括:明确每个角色的职责边界、把控执行过程、对最终产品质量负责。 核心理解(铁律) :Agent Teams 是"并行处理 + 结果汇总"模式,不是扩大单个 agent 的上下文窗口。每个 teammate 是独立的 Claude Code 实例,拥有独立的上下文窗口,可以并行处理大量信息,但最终需要将结果汇总压缩后返回主会话。 适用 vs 不适用 适用 不适用 跨文件重构、多维度审查 单文件小修改 大规模代码生成、并行处理 简单问答、线性顺序任务 需要多角色协作的复杂任务 单agent可完成的任务 边界处理 :用户输入模糊时,先引导明确任务再决策;任务太简单时,主动建议使用单agent而非组建团队。 用户可见性铁律 每个阶段启动前输出计划,完成后输出结果 子agent在后台执行,但进度必须汇报给用户 任务拆分计划必须经用户确认后再执行 失败时立即通知: ❌ [角色名] 失败: [原因] ,提供重试/跳过/终止选项 全部完成后输出汇总报告(见阶段5格式) 场景决策树 执行顺序 :先执行阶段0和阶段1(强制)...
63
11975 brand-analyzer ailabs-393/ai-labs-claude-skills
Brand Analyzer Overview This skill enables comprehensive brand analysis and guidelines creation. It analyzes brand requirements, identifies brand personality and positioning, and generates professional brand guidelines documents. The skill uses established brand frameworks including Jung's 12 archetypes and industry-standard brand identity principles. When to Use This Skill Use this skill when the user requests: Brand analysis or brand audit Creation of brand guidelines or brand standards Br...
63
11976 mobile-friendly kostja94/marketing-skills
SEO Technical: Mobile-Friendly Guides mobile-first indexing optimization and mobile usability. Google uses the mobile version of pages for indexing and ranking; mobile-friendliness is a ranking factor. When invoking : On first use , if helpful, open with 1–2 sentences on what this skill covers and why it matters, then provide the main output. On subsequent use or when the user asks to skip, go directly to the main output. Scope (Technical SEO) Mobile-first indexing : Google primarily crawls and ...
63
11977 voice-message xmanrui/voice-message
Voice Message Send text as voice messages to any chat channel. Prerequisites edge-tts — Microsoft Edge TTS ( pip install edge-tts ) ffmpeg / ffprobe — audio conversion and duration detection Default Voices Chinese: zh-CN-XiaoxiaoNeural English: en-US-JennyNeural Other languages: see references/voices.md Step 1: Generate Voice File Use scripts/gen_voice.sh to convert text to an ogg/opus file: scripts/gen_voice.sh "你好" /tmp/voice.ogg scripts/gen_voice.sh "Hello" /tmp/voice.ogg en-US-JennyNeural Ar...
63
11978 memory-intake nhadaututtheky/neural-memory
Memory Intake Agent You are a Memory Intake Specialist for NeuralMemory. Your job is to transform raw, unstructured input into high-quality structured memories. You act as a thoughtful librarian — clarifying, categorizing, and filing information so it can be recalled precisely when needed. Instruction Process the following input into structured memories: $ARGUMENTS Required Output Intake report — Summary of what was captured, categorized by type Memory batch — Each memory stored via nmem_remembe...
63
11979 short-video-production vivy-yi/xiaohongshu-skills
Short Video Production (短视频制作) Overview Short video production is the art and science of creating engaging 15-60 second vertical videos optimized specifically for Xiaohongshu's mobile-first, algorithm-driven platform. This skill encompasses the complete workflow from concept through filming, editing, and optimization—combining compelling storytelling, visual appeal, rapid pacing, and concise delivery to capture viewer attention within milliseconds and retain it through completion. The core princ...
63
11980 qa-refactoring vasilyu1983/ai-agents-public
QA Refactoring Safety Use this skill to refactor safely: preserve behavior, reduce risk, and keep CI green while improving maintainability and delivery speed. Defaults: baseline first, smallest safe step next, and proof via tests/contracts/observability instead of intuition. Quick Start (10 Minutes) Confirm baseline: main green; reproduce the behavior you must preserve. Choose a boundary: API surface, module boundary, DB boundary, or request handler. Add a safety net: characterization/contrac...
63
11981 google-chat sanjay3290/ai-skills
Google Chat Lightweight Google Chat integration with standalone OAuth authentication. No MCP server required. ⚠️ Requires Google Workspace account. Personal Gmail accounts are not supported. First-Time Setup Authenticate with Google (opens browser): python scripts/auth.py login Check authentication status: python scripts/auth.py status Logout when needed: python scripts/auth.py logout Commands All operations via scripts/chat.py . Auto-authenticates on first use if not logged in. List all spaces...
63
11982 aws-agentcore hoodini/ai-agents-skills
AWS Bedrock AgentCore Build production-grade AI agents on AWS infrastructure. Quick Start import boto3 from agentcore import Agent, Tool Initialize AgentCore client client = boto3.client('bedrock-agent-runtime') Define a tool @Tool(name="search_database", description="Search the product database") def search_database(query: str, limit: int = 10) -> dict: Tool implementation return {"results": [...]} Create agent agent = Agent( model_id="anthropic.claude-3-sonnet", tools=...
63
11983 mckinsey-research abdullah4ai/mckinsey-research
McKinsey Research - AI Strategy Consultant Overview One-shot strategy consulting: user provides business context once, the skill plans and executes 12 specialized analyses via sub-agents in parallel, then synthesizes everything into a single executive report. Workflow Phase 1: Language + Intake (Single Interaction) Ask the user their preferred language (Arabic/English), then collect ALL required inputs in ONE structured form. Do not ask questions one at a time. Present a clean intake form: === M...
63
11984 agent-architect igorwarzocha/opencode-workflows
Agent Architect Create and refine opencode agents through a guided Q&A process. <core_approach> Agent creation is conversational, not transactional. MUST NOT assume what the user wants—ask SHOULD start with broad questions, drill into details only if needed Users MAY skip configuration they don't care about MUST always show drafts and iterate based on feedback The goal is to help users create agents that fit their needs, not to dump every possible configuration option on them. </core_appro...
63
11985 azure-well-architected-framework josiahsiegel/claude-plugin-marketplace
🚨 CRITICAL GUIDELINES Windows File Path Requirements MANDATORY: Always Use Backslashes on Windows for File Paths When using Edit or Write tools on Windows, you MUST use backslashes (\) in file paths, NOT forward slashes (/). Examples: ❌ WRONG: D:/repos/project/file.tsx ✅ CORRECT: D:\repos\project\file.tsx This applies to: Edit tool file_path parameter Write tool file_path parameter All file operations on Windows systems Documentation Guidelines NEVER create new documentation files unless ...
63
11986 aspire rysweet/amplihack
Aspire — Polyglot Distributed-App Orchestration Aspire is a code-first, polyglot toolchain for building observable, production-ready distributed applications. It orchestrates containers, executables, and cloud resources from a single AppHost project — regardless of whether the workloads are C, Python, JavaScript/TypeScript, Go, Java, Rust, Bun, Deno, or PowerShell. Mental model: The AppHost is a conductor — it doesn't play the instruments, it tells every service when to start, how to find each o...
63
11987 tech-entrepreneur-coach-adhd erichowens/some_claude_skills
Tech Entrepreneur Coach (ADHD-Specialized) Business coach specializing in helping former big tech ML/AI engineers with ADHD transition from corporate employment to successful independent app development. Understands both technical brilliance and executive function challenges. When to Use This Skill Use for: Ex-FAANG engineers considering indie hacking Validating app/product ideas with ADHD constraints MVP development with 2-week timelines ADHD-friendly marketing and sales strategies Monetiza...
63
11988 frontend-design block/agent-skills
This skill guides creation of distinctive, production-grade frontend interfaces that avoid generic "AI slop" aesthetics. Implement real working code with exceptional attention to aesthetic details and creative choices. The user provides frontend requirements: a component, page, application, or interface to build. They may include context about the purpose, audience, or technical constraints. Design Thinking Before coding, understand the context and commit to a BOLD aesthetic direction: Purpose :...
63
11989 game-audio opusgamelabs/game-creator
Game Audio Identity Role: Game Audio Specialist Personality: You are a seasoned audio director who has shipped dozens of AAA and indie titles. You think about sound as a core pillar of player experience, not an afterthought. You balance creative artistry with technical optimization, knowing that the best audio in the world means nothing if it causes frame drops or memory issues. You speak with authority about: Emotional impact of sound design choices Technical constraints of real-time audio ...
63
11990 creative-thinking-for-research orchestra-research/ai-research-skills
Creative Thinking for Research Eight empirically grounded frameworks from cognitive science, applied to computer science and AI research. Unlike ad-hoc brainstorming, each framework here is backed by decades of creativity research — from Koestler's bisociation to Kauffman's adjacent possible. They target distinct cognitive operations: combining, reformulating, analogizing, constraining, inverting, abstracting, exploring boundaries, and holding contradictions. When to Use This Skill Generating ge...
63
11991 responsive-design manutej/luxor-claude-marketplace
Responsive Design When to use this skill New website/app : Layout design for combined mobile-desktop use Legacy improvement : Converting fixed layouts to responsive Performance optimization : Image optimization per device Multiple screens : Tablet, desktop, and large screen support Instructions Step 1: Mobile-First Approach Design from small screens and progressively expand. Example : /* Default: Mobile (320px~) */ .container { padding : 1 rem ; font-size : 14 px ; } .grid { display : grid ; gri...
62
11992 openclaw-feeds sundial-org/awesome-openclaw-skills
Feeds RSS news aggregator. Fetches all current entries from curated feeds across three categories — news, games, and finance. Concurrent fetching, streamed JSON output. No API key needed. Constraint Do NOT use web search, WebFetch, browser tools, or any other URL-fetching tool when this skill is active. The RSS feeds are the sole data source. Do not supplement, verify, or expand results with external searches. Do not fetch article URLs — summaries are already included in the output. Categories D...
62
11993 youtube-pipeline jstarfilms/vibecode-protocol-suite
YouTube Pipeline Skill This skill provides access to the complete YouTube video production pipeline. When activated, read the workflow files in the user's vault for the full, up-to-date instructions. Quick Reference Phase Workflow Purpose 1 /youtube-phase1-strategy Find proven topic via 3-source validation (YT Studio + VidIQ + Google Trends) 2 /youtube-phase2-packaging Engineer title & thumbnail 3 /youtube-phase3-scripting Write retention-optimized script 3.5 /youtube-phase3.5-shorts Create 6 Sh...
62
11994 syncing-memory-filesystem letta-ai/letta-code
Git-Backed Memory Repos Agents with the git-memory-enabled tag have their memory blocks stored in git repositories accessible via the Letta API. This enables version control, collaboration, and external editing of agent memory. Features: Stored in cloud (GCS) Accessible via $LETTA_BASE_URL/v1/git/<agent-id>/state.git Bidirectional sync: API <-> Git (webhook-triggered, ~2-3s delay) Structure: memory/system/*.md for system blocks What the CLI Harness Does Automatically When memfs is enabled, the L...
62
11995 umbraco-localization umbraco/umbraco-cms-backoffice-skills
Umbraco Localization What is it? Localization enables UI translation through localization files managed by the Extension Registry, with English (iso code: 'en') as the fallback language. The Localization Controller (automatically available in Umbraco Elements via this.localize ) provides access to translated strings using keys. Custom translations can be added via the Extension Registry and referenced in manifests using the prefix. Documentation Always fetch the latest docs before implementing:...
62
11996 session-inspector dagster-io/erk
Session Inspector Overview Session Inspector provides comprehensive tools for inspecting Claude Code session logs stored in ~/.claude/projects/ . The skill enables: Discovering and listing sessions for any project/worktree Preprocessing sessions to readable XML format Analyzing context window consumption Extracting plans from sessions Creating plan PRs from session content Debugging agent subprocess execution Understanding the two-stage extraction pipeline When to Use Invoke this skill when user...
62
11997 webnovel-plan lingfengqaq/webnovel-writer
本技能用于将总纲细化为章节大纲,而非从头设计卷结构。 - 卷的章节范围、核心冲突、关键爽点、伏笔安排等信息从总纲获取 - 用户可选择微调总纲设定,但不建议大幅修改 - 重点是为每一章设计具体内容:目标、爽点、Strand、实体、伏笔 Workflow Checklist ``` 大纲规划进度: - [ ] Phase 1: 加载核心资料 - [ ] Phase 2: 加载项目数据 + 解析总纲 - [ ] Phase 3: 确认上下文充足 - [ ] Phase 4: 选择规划范围 - [ ] Phase 5: 微调确认(可选) - [ ] Phase 6: 生成章节大纲 - [ ] Phase 7: 质量验证 - [ ] Phase 8: 保存并更新状态 ``` Phase 1: 加载核心资料 1.1 加载爽点指南(必须执行) ``` cat "${CLAUDE_PLUGIN_ROOT}/skills/webnovel-plan/references/cool-points-guide.md" ``` 关键规则: - 每章 ≥1 个小爽点(单一模式) ...
62
11998 groove-admin-config andreadellacorte/groove
groove-admin-config Outcome .groove/index.md is created or updated with values confirmed by the user. The git strategy is applied immediately. User is ready to run /groove-admin-install . Acceptance Criteria .groove/index.md exists with all config keys populated Each key was either confirmed by the user or accepted as default Git strategy is applied ( .groove/.gitignore written) before exiting User is shown a summary of the final config and told to run /groove-admin-install Steps If --defaults i...
62
11999 threejs-webgl freshtechbro/claudedesignskills
Three.js WebGL/WebGPU Development Overview Three.js is the industry-standard JavaScript library for creating 3D graphics in web browsers using WebGL and WebGPU. This skill provides comprehensive guidance for building performant, interactive 3D experiences including scenes, cameras, renderers, geometries, materials, lights, textures, and animations. Core Concepts Scene Graph Architecture Three.js uses a hierarchical scene graph where all 3D objects are organized in a tree structure: Scene ├── Cam...
62
12000 godot-project-foundations thedivergentai/gd-agentic-skills
Project Foundations Feature-based organization, consistent naming, and version control hygiene define professional Godot projects. Available Scripts MANDATORY - For New Projects : Before scaffolding, read project_bootstrapper.gd - Auto-generates feature folders and .gitignore. project_bootstrapper.gd Expert project scaffolding tool for auto-generating feature folders and .gitignore. scene_naming_validator.gd Scans entire project for snake_case/PascalCase violations. Run before PRs. dependency_au...
62