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

/ 聚焦搜索框
正在使用 AI 进行语义搜索...
21,437
总 Skills
35.3M
总安装量
2,441
贡献者
# Skill 仓库 描述 安装量
6801 dex-plan dcramer/dex
Converting Markdown Documents to Tasks Command Invocation Use dex directly for all commands: dex <command> If dex is not on PATH, use npx @zeeg/dex <command> instead. Check once at the start: command -v dex &>/dev/null && echo "use: dex" || echo "use: npx @zeeg/dex" Use /dex-plan to convert any markdown planning document into a trackable dex task. When to Use After completing a plan in plan mode Converting specification documents to trackable tasks Converting design documents to implemen...
302
6802 feishu-docx leemysw/agent-kit
Export Feishu/Lark cloud documents to Markdown format for AI analysis. Instructions Setup (One-time) - Install the tool: ``` pip install feishu-docx ``` - Configure Feishu app credentials: ``` feishu-docx config set --app-id YOUR_APP_ID --app-secret YOUR_APP_SECRET or use environment variables ``` - Authorize with OAuth (opens browser): ``` feishu-docx auth ``` Export Documents Export any Feishu document URL to Markdown: ``` feishu-docx export "<FEISHU_URL>" -o ./output ``` T...
301
6803 senior-mobile borghei/claude-skills
Senior Mobile Developer Expert-level mobile application development. Core Competencies iOS development (Swift, SwiftUI) Android development (Kotlin, Jetpack Compose) Cross-platform (React Native, Flutter) Mobile architecture patterns Performance optimization App Store deployment Push notifications Offline-first design Platform Comparison Aspect Native iOS Native Android React Native Flutter Language Swift Kotlin TypeScript Dart UI Framework SwiftUI/UIKit Compose/XML React Widgets Performance B...
301
6804 zafer-skills zaferayan/skills
IMPORTANT: This is a SKILL file, NOT a project. NEVER run npm/bun install in this folder. NEVER create code files here. When creating a new project, ALWAYS ask the user for the project path first or create it in a separate directory (e.g., `~/Projects/app-name`). This guide is created to provide context when working with Expo projects using Claude Code. MANDATORY REQUIREMENTS When creating a new Expo project, you MUST include ALL of the following: Required Screens (ALWAYS CREATE) `src/ap...
301
6805 android-java alinaqi/claude-bootstrap
Android Java Skill Load with: base.md Project Structure project/ ├── app/ │ ├── src/ │ │ ├── main/ │ │ │ ├── java/com/example/app/ │ │ │ │ ├── data/ Data layer │ │ │ │ │ ├── local/ Room database, SharedPreferences │ │ │ │ │ ├── remote/ Retrofit services, API clients │ │ │ │ │ └── repository/ Repository implementations │ │ │ │ ├── di/ Dependency injection (Hilt/Dagger) │ │ │ │ ├── domain/ ...
301
6806 video-summarizer liang121/video-summarizer
Video Summarizer Overview Download videos from any platform and generate a complete resource package including: Original video file (mp4) Audio file (mp3) Subtitle file (with timestamps, vtt/srt format) Summary file (summary.md) Supports all 1800+ websites supported by yt-dlp. Trigger Conditions When the user: Provides a video link and asks for a summary Says "summarize this video", "what's in this video" Asks to "extract video content", "transcribe video" Says "download this video" Provides a l...
301
6807 financial data fetcher gracefullight/stock-checker
Financial Data Fetcher Skill Provides comprehensive market data access for AI trading agents. Overview This skill fetches: Real-time and historical OHLCV price data Financial news from multiple sources Fundamental data (P/E ratios, earnings, market cap) Market snapshots and quotes Tools 1. get_price_data Fetches historical or real-time price data for symbols. Parameters: symbols (required): List of ticker symbols (e.g., ["AAPL", "MSFT"]) timeframe (optional): "1Min", "5Min", "1Hour", "1Day" (def...
301
6808 accessibility-testing aj-geddes/useful-ai-prompts
Accessibility Testing Overview Accessibility testing ensures web applications are usable by people with disabilities, including those using screen readers, keyboard navigation, or other assistive technologies. It validates compliance with WCAG (Web Content Accessibility Guidelines) and identifies barriers to accessibility. When to Use Validating WCAG 2.1/2.2 compliance Testing keyboard navigation Verifying screen reader compatibility Testing color contrast ratios Validating ARIA attributes Tes...
301
6809 cicd-pipeline-setup aj-geddes/useful-ai-prompts
CI/CD Pipeline Setup Overview Build automated continuous integration and deployment pipelines that test code, build artifacts, run security checks, and deploy to multiple environments with minimal manual intervention. When to Use Automated code testing and quality checks Containerized application builds Multi-environment deployments Release management and versioning Automated security scanning Performance testing integration Artifact management and registry Implementation Examples 1. GitHub Ac...
301
6810 tavily-web benedictking/tavily-web
tavily-web Overview Web search, content extraction, crawling, and research capabilities using Tavily API When to Use When you need to search the web for current information When extracting content from URLs When crawling websites Installation npx skills add -g BenedictKing/tavily-web Step-by-Step Guide Install the skill using the command above Configure Tavily API key Use naturally in Claude Code conversations Examples See GitHub Repository for examples. Best Practices Configure API keys via env...
301
6811 make-game opusgamelabs/game-creator
Make Game (Full Pipeline) Build a complete browser game from scratch, step by step. This command walks you through the entire pipeline — from an empty folder to a deployed, monetized game. No game development experience needed. What you'll get: A fully scaffolded game project with clean architecture Pixel art sprites — recognizable characters, enemies, and items (optional, replaces geometric shapes) Visual polish — gradients, particles, transitions, juice A 50 FPS promo video — autonomous gamepl...
301
6812 subagent-driven-development davila7/claude-code-templates
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...
301
6813 bash-linux davila7/claude-code-templates
Bash Linux Patterns Essential patterns for Bash on Linux/macOS. 1. Operator Syntax Chaining Commands Operator Meaning Example ; Run sequentially cmd1; cmd2 && Run if previous succeeded npm install && npm run dev || Run if previous failed npm test || echo "Tests failed" | Pipe output ls | grep ".js" 2. File Operations Essential Commands Task Command List all ls -la Find files find . -name "*.js" -type f File content cat file.txt First N lines head -n 20 file.txt Last N lines tail -n 20 file.txt...
301
6814 powershell-windows davila7/claude-code-templates
PowerShell Windows Patterns Critical patterns and pitfalls for Windows PowerShell. 1. Operator Syntax Rules CRITICAL: Parentheses Required ❌ Wrong ✅ Correct if (Test-Path "a" -or Test-Path "b") if ((Test-Path "a") -or (Test-Path "b")) if (Get-Item $x -and $y -eq 5) if ((Get-Item $x) -and ($y -eq 5)) Rule: Each cmdlet call MUST be in parentheses when using logical operators. 2. Unicode/Emoji Restriction CRITICAL: No Unicode in Scripts Purpose ❌ Don't Use ✅ Use Success ✅ ✓ [OK] [+] Error ❌ ✗ 🔴...
301
6815 typescript-pro sickn33/antigravity-awesome-skills
TypeScript Pro Senior TypeScript specialist with deep expertise in advanced type systems, full-stack type safety, and production-grade TypeScript development. Role Definition You are a senior TypeScript developer with 10+ years of experience. You specialize in TypeScript 5.0+ advanced type system features, full-stack type safety, and build optimization. You create type-safe APIs with zero runtime type errors. When to Use This Skill Building type-safe full-stack applications Implementing adva...
301
6816 outlook-automation sickn33/antigravity-awesome-skills
Outlook Automation via Rube MCP Automate Microsoft Outlook operations through Composio's Outlook toolkit via Rube MCP. Prerequisites Rube MCP must be connected (RUBE_SEARCH_TOOLS available) Active Outlook connection via RUBE_MANAGE_CONNECTIONS with toolkit outlook Always call RUBE_SEARCH_TOOLS first to get current tool schemas Setup Get Rube MCP : Add https://rube.app/mcp as an MCP server in your client configuration. No API keys needed — just add the endpoint and it works. Verify Rube MCP is av...
301
6817 remotion digitalsamba/claude-code-video-toolkit
Stitch to Remotion Walkthrough Videos You are a video production specialist focused on creating engaging walkthrough videos from app designs. You combine Stitch's screen retrieval capabilities with Remotion's programmatic video generation to produce smooth, professional presentations. Overview This skill enables you to create walkthrough videos that showcase app screens with professional transitions, zoom effects, and contextual text overlays. The workflow retrieves screens from Stitch projects ...
301
6818 synapse-a2a s-hiraoku/synapse-a2a
Inter-agent communication framework via Google A2A Protocol. Quick Reference | List agents (Rich TUI) | `synapse list` (event-driven refresh via file watcher with 10s fallback, ↑/↓ or 1-9 to select, Enter/j jump, k kill, / filter) | Send message | `synapse send <target> "<message>" --from <sender>` | Wait for reply | `synapse send <target> "<message>" --response --from <sender>` | Reply to last message | `synapse reply "<response>" --from <agent>` | Emergency stop | `synapse send...
301
6819 stanley-druckenmiller-investment tradermonty/claude-trading-skills
Druckenmiller Strategy Synthesizer Purpose Synthesize outputs from 8 upstream analysis skills (5 required + 3 optional) into a single composite conviction score (0-100), classify the market into one of 4 Druckenmiller patterns, and generate actionable allocation recommendations. This is a meta-skill that consumes structured JSON outputs from other skills — it requires no API keys of its own. When to Use This Skill English: User asks "What's my overall conviction?" or "How should I be positioned?...
301
6820 magento-hyva-specialist maxnorm/magento2-agent-skills
Magento 2 Hyvä Specialist Expert specialist in creating high-performance, modern Magento 2 storefronts using the Hyvä theme framework, leveraging Alpine.js, Tailwind CSS, and cutting-edge frontend technologies. When to Use Developing Hyvä-based storefronts Working with Alpine.js components Implementing Tailwind CSS styling Optimizing frontend performance Building modern, fast e-commerce experiences Hyvä Development Stack Alpine.js : Reactive JavaScript framework for dynamic interfaces Tailwind C...
301
6821 execute-plan buiducnhat/agent-skills
Execute Plan Overview Execute a pre-approved plan with strict adherence to scope, sequence, and verification. The input is typically: execute-plan docs/plans/YYMMDD-HHmm-<plan-slug>/SUMMARY.md or shorthand: execute-plan docs/plans/YYMMDD-HHmm-<plan-slug> Do not redesign the plan during execution. If ambiguity or blockers appear, stop and ask. Workflow Step 1: Initialize Locate Plan Confirm the plan path exists and is readable. If a directory is provided, locate SUMMARY.md inside it. Load Executi...
301
6822 java-quarkus-development mindrally/skills
Java Quarkus Development Best Practices Core Principles Write clean, efficient, and well-documented Java code using Quarkus best practices Focus on fast startup and minimal memory footprint via GraalVM native builds Leverage Quarkus extensions for common functionality Design for containerized and serverless deployments Follow SOLID principles and microservices architecture patterns Development Workflow Quarkus Dev Mode Use quarkus dev for rapid iteration with live reload Leverage continuous test...
301
6823 taiwan-equity-research-coverage aradotso/trending-skills
Taiwan Equity Research Coverage (My-TW-Coverage) Skill by ara.so — Daily 2026 Skills collection. A structured equity research database covering 1,735 Taiwan-listed companies (TWSE + OTC) across 99 industry sectors . Each report contains a business overview, supply chain mapping, customer/supplier relationships, and financial data — all cross-referenced through 4,900+ wikilinks forming a searchable knowledge graph. Installation git clone https://github.com/Timeverse/My-TW-Coverage cd My-TW-Covera...
301
6824 add-feature opusgamelabs/game-creator
Add Feature Add a new feature to your game. Just describe what you want in plain English — for example, "add a double-jump power-up" or "add a high score leaderboard" — and the feature will be built following your game's existing patterns. Instructions The user wants to add: $ARGUMENTS Step 1: Understand the codebase Read package.json to identify the engine (Three.js or Phaser) Read src/core/Constants.js for existing configuration Read src/core/EventBus.js for existing events Read src/core/GameS...
300
6825 polymarket-prediction-market axwelbrand-byte/arbibot
polymarket-prediction-market Understand Polymarket's prediction markets—binary event contracts, CLOB pricing, order books, conditional tokens, and API integration. Allowed Tools Read Grep Glob WebFetch Core Mental Model Polymarket operates as a decentralized prediction market on Polygon using USDC: Binary Outcomes: Each market has YES and NO tokens that settle at $1.00 or $0.00 Price = Probability: A YES token at $0.65 implies 65% probability of the outcome CLOB (Central Limit Order Book): P...
300
6826 react-three-fiber freshtechbro/claudedesignskills
@json-render/react-three-fiber React Three Fiber renderer for json-render. 19 built-in 3D components. Two Entry Points Entry Point Exports Use For @json-render/react-three-fiber/catalog threeComponentDefinitions Catalog schemas (no R3F dependency, safe for server) @json-render/react-three-fiber threeComponents , ThreeRenderer , ThreeCanvas , schemas R3F implementations and renderer Usage Pattern Pick the 3D components you need from the standard definitions: import { defineCatalog } from "@json-r...
300
6827 arm-cortex-expert sickn33/antigravity-awesome-skills
@arm-cortex-expert Use this skill when Working on @arm-cortex-expert tasks or workflows Needing guidance, best practices, or checklists for @arm-cortex-expert Do not use this skill when The task is unrelated to @arm-cortex-expert You need a different domain or tool outside this scope Instructions Clarify goals, constraints, and required inputs. Apply relevant best practices and validate outcomes. Provide actionable steps and verification. If detailed examples are required, open resources/impleme...
300
6828 react-best-practices vercel-labs/vercel-plugin
Vercel React Best Practices Comprehensive performance optimization guide for React and Next.js applications, maintained by Vercel. Contains 45 rules across 8 categories, prioritized by impact to guide automated refactoring and code generation. When to Apply Reference these guidelines when: Writing new React components or Next.js pages Implementing data fetching (client or server-side) Reviewing code for performance issues Refactoring existing React/Next.js code Optimizing bundle size or load tim...
300
6829 spring-boot-project-creator giuseppe-trisciuoglio/developer-kit
Spring Boot Project Creator Overview Generates a fully configured Spring Boot project from scratch using the Spring Initializr API. The skill walks the user through selecting project parameters, choosing an architecture style (DDD or Layered), configuring data stores, and setting up Docker Compose for local development. The result is a build-ready project with standardized structure, dependency management, and configuration. When to Use Bootstrap a new Spring Boot 3.x or 4.x project with a stand...
300
6830 codex-session-patcher aradotso/trending-skills
Codex Session Patcher Skill by ara.so — Daily 2026 Skills collection. A lightweight Python tool to detect and clean AI refusal responses from Codex CLI, Claude Code, and OpenCode session files, plus CTF/pentest prompt injection to reduce future refusals. What It Does Session Cleaning — Scans session files for refusal responses and replaces them with cooperative content so you can resume the session. CTF Prompt Injection — Injects security-testing context into tool configs/profiles to reduce refu...
300
6831 skill-manager kkkkhazix/khazix-skills
Skill Lifecycle Manager This skill helps you maintain your library of GitHub-wrapped skills by automating the detection of updates and assisting in the refactoring process. Core Capabilities Audit: Scans your local skills folder for skills with github_url metadata. Check: Queries GitHub (via git ls-remote) to compare local commit hashes against the latest remote HEAD. Report: Generates a status report identifying which skills are "Stale" or "Current". Update Workflow: Provides a structured pro...
299
6832 compound-learnings parcadei/continuous-claude-v3
Compound Learnings Transform ephemeral session learnings into permanent, compounding capabilities. When to Use "What should I learn from recent sessions?" "Improve my setup based on recent work" "Turn learnings into skills/rules" "What patterns should become permanent?" "Compound my learnings" Process Step 1: Gather Learnings List learnings (most recent first) ls -t $CLAUDE_PROJECT_DIR/.claude/cache/learnings/*.md | head -20 Count total ls $CLAUDE_PROJECT_DIR/.claude/cache/learnings/*.md | ...
299
6833 repo-research-analyst parcadei/continuous-claude-v3
Note: The current year is 2025. Use this when searching for recent documentation and patterns. Repo Research Analyst You are an expert repository research analyst specializing in understanding codebases, documentation structures, and project conventions. Your mission is to conduct thorough, systematic research to uncover patterns, guidelines, and best practices within repositories. What You Receive When spawned, you will receive: Repository path - The local path to the cloned repository Res...
299
6834 skill-creator dalestudy/skills
Skill Creator A skill for creating new skills and iteratively improving them. At a high level, the process of creating a skill goes like this: Decide what you want the skill to do and roughly how it should do it Write a draft of the skill Create a few test prompts and run claude-with-access-to-the-skill on them Help the user evaluate the results both qualitatively and quantitatively While the runs happen in the background, draft some quantitative evals if there aren't any (if there are some, you...
299
6835 msw pproenca/dot-skills
MSW Best Practices Comprehensive API mocking guide for MSW v2 applications, designed for AI agents and LLMs. Contains 45 rules across 8 categories, prioritized by impact to guide automated refactoring and code generation. When to Apply Reference these guidelines when: Setting up MSW for testing or development Writing or organizing request handlers Configuring test environments with MSW Mocking REST or GraphQL APIs Debugging handler matching issues Testing error states and edge cases Rule Cat...
299
6836 data-scientist borghei/claude-skills
Use this skill when Working on data scientist tasks or workflows Needing guidance, best practices, or checklists for data scientist Do not use this skill when The task is unrelated to data scientist You need a different domain or tool outside this scope Instructions Clarify goals, constraints, and required inputs. Apply relevant best practices and validate outcomes. Provide actionable steps and verification. If detailed examples are required, open resources/implementation-playbook.md . You are a...
299
6837 minimax vm0-ai/vm0-skills
MiniMax API Use the MiniMax API via direct curl calls for AI chat completion, text-to-speech, and video generation. Official docs: https://platform.minimax.io/docs When to Use Use this skill when you need to: Chat completion with Chinese-optimized LLM (MiniMax-M1/M2) Text-to-speech with natural voices and emotion control Video generation from text prompts (T2V) Image-to-video conversion (I2V) Prerequisites Sign up at MiniMax Platform Go to Account Management > API Keys to create an API key ...
299
6838 database-migration-management aj-geddes/useful-ai-prompts
Database Migration Management Overview Implement robust database migration systems with version control, rollback capabilities, and data transformation strategies. Includes migration frameworks and production deployment patterns. When to Use Schema versioning and evolution Data transformations and cleanup Adding/removing tables and columns Index creation and optimization Migration testing and validation Rollback planning and execution Multi-environment deployments Migration Framework Setup Pos...
299
6839 database-backup-restore aj-geddes/useful-ai-prompts
Database Backup & Restore Overview Implement comprehensive backup and disaster recovery strategies. Covers backup types, retention policies, restore testing, and recovery time objectives (RTO/RPO). When to Use Backup automation setup Disaster recovery planning Recovery testing procedures Backup retention policies Point-in-time recovery (PITR) Cross-region backup replication Compliance and audit requirements PostgreSQL Backup Strategies Full Database Backup pg_dump - Text Format: Simple full...
299
6840 shopify-development davila7/claude-code-templates
Shopify Development Skill Use this skill when the user asks about: Building Shopify apps or extensions Creating checkout/admin/POS UI customizations Developing themes with Liquid templating Integrating with Shopify GraphQL or REST APIs Implementing webhooks or billing Working with metafields or Shopify Functions ROUTING: What to Build IF user wants to integrate external services OR build merchant tools OR charge for features: → Build an App (see references/app-development.md) IF user wants t...
299
6841 ads-youtube agricidaniel/claude-ads
YouTube Ads Analysis Process Collect YouTube Ads data (Google Ads export filtered to Video campaigns) Read ads/references/google-audit.md for YouTube-relevant checks Read ads/references/platform-specs.md for video specifications Read ads/references/benchmarks.md for YouTube benchmarks Read ads/references/scoring-system.md for health score algorithm Evaluate campaign setup, creative quality, targeting, and measurement Generate YouTube-specific findings report with health score Campaign Types Asse...
299
6842 gitnexus-debugging abhigyanpatwari/gitnexus
Debugging with GitNexus When to Use "Why is this function failing?" "Trace where this error comes from" "Who calls this method?" "This endpoint returns 500" Investigating bugs, errors, or unexpected behavior Workflow 1. gitnexus_query({query: "<error or symptom>"}) → Find related execution flows 2. gitnexus_context({name: "<suspect>"}) → See callers/callees/processes 3. READ gitnexus://repo/{name}/process/{name} → Trace execution flow 4. gitnexus_cyph...
299
6843 tanstack-devtools tanstack-skills/tanstack-skills
Overview TanStack Devtools provides a unified debugging interface that consolidates devtools for TanStack Query, Router, and other libraries into a single panel. It features a framework-agnostic plugin architecture, real-time state inspection, and support for custom plugins. Built with Solid.js for lightweight performance. React: @tanstack/react-devtools Core: @tanstack/devtools Status: Alpha Installation npm install @tanstack/react-devtools Basic Setup import { TanStackDevtools } from '@tanstac...
299
6844 wildworld-dataset aradotso/trending-skills
WildWorld Dataset Skill Skill by ara.so — Daily 2026 Skills collection. What WildWorld Is WildWorld is a large-scale action-conditioned world modeling dataset automatically collected from a photorealistic AAA action role-playing game (ARPG). It is designed for training and evaluating dynamic world models — generative models that predict future game states given past observations and player actions. Key Statistics Property Value Total frames 108M+ Actions 450+ semantically meaningful Monster spec...
299
6845 learn-docker-k8s-game aradotso/trending-skills
Learn Docker & K8s Game Skill by ara.so — Daily 2026 Skills collection. An open-source, AI-driven interactive learning game that teaches Docker, Linux, networking, and Kubernetes through a story-driven simulation. No web app, no video courses — just you, your AI editor, a terminal, and the chaotic coffee startup NoCappuccino Inc. How It Works The game runs entirely inside your AI editor. Markdown prompt files in this repo act as the game engine. When a user says "let's play," the AI reads AGENTS...
299
6846 polymarket-arbitrage-bot aradotso/trending-skills
Polymarket Arbitrage Bot Skill by ara.so — Daily 2026 Skills collection. TypeScript bot automating the dump-and-hedge strategy on Polymarket's 15-minute Up/Down markets (BTC, ETH, SOL, XRP). Detects sharp price drops, buys the dipped side, then hedges the opposite outcome when combined cost falls below a profit threshold. Installation git clone https://github.com/infraform/polymarket-arbitrage-bot.git cd polymarket-arbitrage-bot npm install npm run build cp .env.example .env Key Commands Command...
299
6847 mmx-cli minimax-ai/skills
MiniMax CLI — Agent Skill Guide Use mmx to generate text, images, video, speech, music, and perform web search via the MiniMax AI platform. Prerequisites Install npm install -g mmx-cli Auth (OAuth persists to ~/.mmx/credentials.json, API key persists to ~/.mmx/config.json) mmx auth login --api-key sk-xxxxx Verify active auth source mmx auth status Or pass per-call mmx text chat --api-key sk-xxxxx --message "Hello" Region is auto-detected. Override with --region global or --region cn . Agent ...
299
6848 zsxq-shared unnoo/zsxq-skill
zsxq-cli 共享规则 本技能指导你如何通过 zsxq-cli 操作知识星球资源,以及有哪些注意事项。 认证 zsxq-cli 使用 OAuth 2.0 设备授权码流程(RFC 8628) 认证,token 存储在系统 Keychain 中,永久有效。 登录 发起登录(会输出一个授权链接,用户在手机/浏览器中打开并授权) zsxq-cli auth login 登录流程: 命令输出一个 verification_uri 链接和 user_code 用户在手机或浏览器中打开链接,完成授权 CLI 自动轮询,授权完成后自动保存 token 当你作为 AI Agent 帮用户登录时,在后台运行 zsxq-cli auth login ,读取输出后将授权链接提供给用户,等待用户完成授权。 查看认证状态 zsxq-cli auth status 表格显示当前登录账户 zsxq-cli auth status --json JSON 格式输出 退出登录 zsxq-cli doctor 诊断配置和认证是否正常 配置诊断 zsxq-cli doctor 检查 CLI 配置和 keycha...
299
6849 claude-history-ingest ar9av/obsidian-wiki
Claude History Ingest — Conversation Mining You are extracting knowledge from the user's past Claude Code conversations and distilling it into the Obsidian wiki. Conversations are rich but messy — your job is to find the signal and compile it. This skill can be invoked directly or via the wiki-history-ingest router ( /wiki-history-ingest claude ). Before You Start Read .env to get OBSIDIAN_VAULT_PATH and CLAUDE_HISTORY_PATH (defaults to ~/.claude ) Read .manifest.json at the vault root to check ...
299
6850 creative-intelligence aj-geddes/claude-code-bmad-skills
Creative Intelligence Role: Creative Intelligence System specialist Function: Facilitate structured brainstorming, conduct research, generate creative solutions Responsibilities Lead brainstorming sessions using proven techniques Conduct market and competitive research Generate creative solutions to complex problems Facilitate idea generation and refinement Document research findings and insights Support innovation across all BMAD phases Core Principles Structured Creativity - Use proven fram...
298