planning-implementation
Create structured implementation plans before coding. Use when breaking down complex features, refactors, or system changes. Validates requirements, analyzes codebase impact, and produces actionable task breakdowns with identified dependencies and risks.
Install
mkdir -p .claude/skills/planning-implementation && curl -L -o skill.zip "https://mcp.directory/api/skills/download/5663" && unzip -o skill.zip -d .claude/skills/planning-implementation && rm skill.zipInstalls to .claude/skills/planning-implementation
About this skill
Planning Implementation
When to Use
- Creating structured approach BEFORE implementing
- Breaking down complex work into steps
- Designing architecture for new features
- Planning refactoring or system changes
- Analyzing impact before major changes
Core Steps
1. Clarify Requirements (if ambiguous)
Ask discovery questions (5-7 max):
- Happy Path: Describe successful scenario step-by-step
- Edge Cases: Empty state, invalid input, errors, large datasets?
- Scope Boundaries: What's explicitly OUT of scope?
- Performance: Instant (<100ms), fast (<1s), or eventual (loading)?
- Integration: Interactions with existing features, APIs, auth?
Feature-specific questions:
- Auth: Credentials approach, session duration, failure handling?
- CRUD: Validation rules, concurrent edits, delete behavior?
- Search: Scope, match type, timing (live/submit)?
- Real-time: Update mechanism (polling/WebSocket), frequency, offline?
Generate inferences with confidence levels:
[INFER-HIGH]: JWT in httpOnly cookies (security best practice)
[INFER-MEDIUM]: Debounced search 300ms (balance UX + performance)
[INFER-LOW]: Max 100 results per page (prevent UI overload)
Get approval before proceeding if requirements are unclear.
2. Investigation Phase (CRITICAL)
Read project documentation first:
docs/product-requirements.md- project goals, existing features (F-##)docs/feature-spec/F-##-*.md- technical detailsdocs/system-design.md- architecture patternsdocs/api-contracts.yaml- API standardsdocs/design-spec.md- UI patterns
Investigation checklist:
- ALL affected files identified (complete impact analysis)
- Current system architecture understood
- All dependencies and integration points mapped
- Existing patterns and conventions documented
- Data models and schemas reviewed
- Current data flows traced
- ALL call sites found (especially for refactors)
- Test impact assessed
- Breaking changes identified
Investigation approach (choose based on scope):
Small/contained features: Use direct tools (Grep, Glob, Read) for focused analysis.
Large/complex changes or refactors:
Delegate to Explore agents in parallel for comprehensive impact analysis:
- Find ALL affected files across codebase
- Identify every usage, call site, and dependency
- Map integration points and data flows
- Discover existing patterns to follow
- Identify breaking changes and ripple effects
Parallel investigation patterns:
Pattern 1: Full-stack feature/refactor
- Agent 1: Backend analysis (services, APIs, models, call sites, integrations)
- Agent 2: Frontend analysis (components, state, API clients, dependencies)
- Agent 3: Data layer (schema, queries, migrations, integrity)
Pattern 2: Architecture + integration
- Agent 1: Current system (organization, stack, patterns, boundaries)
- Agent 2: Integration needs (external APIs, auth, database, libraries)
Pattern 3: Single domain (contained feature)
- Agent 1: Complete domain analysis (ALL files, call sites, dependencies, imports, tests, config)
3. Create Implementation Plan
Write plan to docs/plans/[feature-slug]/plan.md
Use templates for structure:
- Small:
~/.claude/file-templates/plan.quick.template.md - Medium:
~/.claude/file-templates/plan.template.md - Large:
~/.claude/file-templates/plan.comprehensive.template.md
Plan template structure:
# Implementation Plan: [Feature Name]
## Overview
[Brief description of what we're building and why]
## Requirements Summary
[Key requirements from clarification phase]
## Investigation Artifacts
[Link agent responses or summarize findings]
## Tasks
### Task 1: [Name]
**What:** [What needs to be done]
**Files:** [Files to create/modify]
**Dependencies:** None / Requires Task X
### Task 2: [Name]
**What:** [What needs to be done]
**Files:** [Files to create/modify]
**Dependencies:** Requires Task 1
## Parallelization Opportunities
[Identify groups of independent tasks]
## Integration Points
- [External systems or APIs]
- [Existing features that interact]
## Testing Strategy
- [Key test scenarios]
- [Coverage requirements]
## Risks
- [Potential issues or unknowns]
- [Breaking changes]
## Key Decisions
- [Important technical decisions with reasoning]
Plan size: 3-6 main tasks (break complex work into manageable chunks)
Identify parallelization:
## Batch 1 (Parallel - no shared dependencies)
- Task 1: Backend API endpoint
- Task 2: Frontend component
- Task 3: Database migration
## Batch 2 (Sequential - depends on Batch 1)
- Task 4: Integration layer
- Task 5: Tests
Default to sequential unless clear benefit to parallel execution.
4. Link Plan to Project Docs (if applicable)
Update project documentation using available commands:
Before implementation:
- Validate current documentation state
- Add new features if plan introduces them (creates F-## IDs, entries)
- Update requirements if plan changes scope, metrics, or risks
After implementation:
- Add user stories linked to features
- Add new API endpoints
- Update design if UI components or patterns were added
Documentation scope:
docs/product-requirements.yamldocs/feature-specs/F-##-[slug].yamldocs/user-stories/US-###-[slug].yamldocs/api-contracts.yamldocs/system-design.yamldocs/data-plan.yamldocs/design-spec.yaml
5. Present Plan for Approval
Share:
- Key tasks (3-6 items)
- Major integration points
- Any breaking changes
- Parallelization opportunities
Get explicit approval before implementation.
Investigation Checklist by Category
For new features:
- Read existing feature specs for patterns
- Check system design for architecture guidance
- Review API contracts for naming conventions
- Examine similar features in codebase
- Identify all affected domains
For refactors:
- Find ALL files importing/using the code
- Identify ALL call sites (not just obvious ones)
- Locate ALL tests
- Check configuration files
- Find documentation references
- Identify ripple effects
For integrations:
- Review existing integration patterns
- Check authentication/authorization approach
- Understand error handling conventions
- Identify shared utilities
- Map external API dependencies
Common Patterns
Quick Planning (Small changes)
# Plan: [Feature Name]
## Goal
[What we're building and why]
## Tasks
1. [Task] - [Files] - [Dependencies]
2. [Task] - [Files] - [Dependencies]
3. [Task] - [Files] - [Dependencies]
## Key Decisions
- [Important technical decision with reasoning]
## Risks
- [Potential issues]
Investigation Tools
Direct investigation:
Read- Examine existing code and docsGrep- Find all usages, imports, call sitesGlob- Find files by pattern
Comprehensive investigation (refactors, large features):
# Find all imports
grep -r "import.*ComponentName" --include="*.tsx"
# Find all usages
grep -r "ComponentName" --include="*.ts"
# Find tests
grep -r "describe.*ComponentName" --include="*.test.ts"
For parallel analysis:
- Delegate
Exploreagents for pattern discovery - Monitor agent responses from
agent-responses/directory - Link investigation artifacts in final plan
Example: Planning a New API Feature
Step 1: Clarify
- Happy path: User creates X, receives Y response
- Edge cases: Invalid input, duplicate keys, concurrent requests
- Performance: Response time <200ms
- Integration: Requires authentication, updates cache
Step 2: Investigate
- Read
docs/api-contracts.yamlfor naming/structure patterns - Search for similar endpoints (e.g., CRUD patterns)
- Find authentication middleware usage
- Check cache invalidation patterns
- Identify all affected services
Step 3: Plan
- Task 1: Add API schema to contracts
- Task 2: Implement controller/handler
- Task 3: Add service layer logic
- Task 4: Implement persistence
- Task 5: Add cache invalidation
- Task 6: Write tests
Step 4: Approval
Share plan with stakeholders, get sign-off.
Step 5: Handoff
Pass plan + investigation results to implementation agents.
Key Principles
- Nothing is left to assumptions. Thorough investigation is mandatory.
- Default to agent-based impact analysis for refactors and cross-cutting changes.
- Use direct tools for small, contained features to stay efficient.
- Breaking changes must be identified early and communicated clearly.
- Plans enable parallel execution when dependencies are clear.
- Approval gates prevent rework. Always get sign-off before implementation.
More by CaptainCrouton89
View all skills by CaptainCrouton89 →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversStructured spec-driven development workflow for AI-assisted software development. Creates detailed specifications before
Break down complex problems with Sequential Thinking, a structured tool and step by step math solver for dynamic, reflec
Interact with the Algorand blockchain using a robust TypeScript toolkit for accounts, assets, smart contracts, and trans
TaskFlow manages tasks with project plan templates, subtasks, dependencies, and approval for systematic tracking and use
Learn how to create a server in Minecraft efficiently. Use npx tool to scaffold an MCP server with templates and best pr
Organize projects using leading project track software. Convert tasks with dependency tracking for optimal time manageme
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.