moai-workflow-ddd

0
0
Source

Domain-Driven Development workflow specialist using ANALYZE-PRESERVE-IMPROVE cycle for behavior-preserving code transformation

Install

mkdir -p .claude/skills/moai-workflow-ddd && curl -L -o skill.zip "https://mcp.directory/api/skills/download/4954" && unzip -o skill.zip -d .claude/skills/moai-workflow-ddd && rm skill.zip

Installs to .claude/skills/moai-workflow-ddd

About this skill

Domain-Driven Development (DDD) Workflow

Development Mode Configuration (CRITICAL)

[NOTE] This workflow is selected based on .moai/config/sections/quality.yaml:

constitution:
  development_mode: ddd    # or tdd

When to use this workflow:

  • development_mode: ddd → Use DDD (this workflow)
  • development_mode: tdd → Use TDD instead (moai-workflow-tdd)

Key distinction:

  • DDD: Characterization-test-first for existing codebases with minimal test coverage
  • TDD (default): Test-first development for all work, including brownfield projects with pre-RED analysis

Quick Reference

Domain-Driven Development provides a systematic approach for refactoring existing codebases where behavior preservation is paramount. Unlike TDD which creates new functionality, DDD improves structure without changing behavior.

Core Cycle - ANALYZE-PRESERVE-IMPROVE:

  • ANALYZE: Domain boundary identification, coupling metrics, AST structural analysis
  • PRESERVE: Characterization tests, behavior snapshots, test safety net verification
  • IMPROVE: Incremental structural changes with continuous behavior validation

When to Use DDD:

  • Refactoring legacy code with existing tests
  • Improving code structure without functional changes
  • Technical debt reduction in production systems
  • API migration and deprecation handling
  • Code modernization projects
  • When DDD is not applicable because code already exists
  • Greenfield projects (with adapted cycle - see below)

When NOT to Use DDD:

  • When behavior changes are required (modify SPEC first)

Greenfield Project Adaptation:

For new projects without existing code, DDD adapts its cycle:

  • ANALYZE: Requirements analysis instead of code analysis
  • PRESERVE: Define intended behavior through specification tests (test-first)
  • IMPROVE: Implement code to satisfy the defined tests

This makes DDD a superset of TDD - it includes TDD's test-first approach while also supporting refactoring scenarios.


Core Philosophy

DDD vs TDD Comparison

TDD Approach (for new features):

  • Cycle: RED-GREEN-REFACTOR
  • Goal: Create new functionality through tests
  • Starting Point: No code exists
  • Test Type: Specification tests that define expected behavior
  • Outcome: New working code with test coverage

DDD Approach (for refactoring):

  • Cycle: ANALYZE-PRESERVE-IMPROVE
  • Goal: Improve structure without behavior change
  • Starting Point: Existing code with defined behavior
  • Test Type: Characterization tests that capture current behavior
  • Outcome: Better structured code with identical behavior

Behavior Preservation Principle

The golden rule of DDD is that observable behavior must remain identical before and after refactoring. This means:

  • All existing tests must pass unchanged
  • API contracts remain identical
  • Side effects remain identical
  • Performance characteristics remain within acceptable bounds

Implementation Guide

Phase 1: ANALYZE

The analyze phase focuses on understanding the current codebase structure and identifying refactoring opportunities.

Domain Boundary Identification

Identify logical boundaries in the codebase by examining:

  • Module dependencies and import patterns
  • Data flow between components
  • Shared state and coupling points
  • Public API surfaces

Use AST-grep to analyze structural patterns. For Python, search for import patterns to understand module dependencies. For class hierarchies, analyze inheritance relationships and method distributions.

Coupling and Cohesion Metrics

Evaluate code quality metrics:

  • Afferent Coupling (Ca): Number of classes depending on this module
  • Efferent Coupling (Ce): Number of classes this module depends on
  • Instability (I): Ce / (Ca + Ce) - higher means less stable
  • Abstractness (A): Abstract classes / Total classes
  • Distance from Main Sequence: |A + I - 1|

Low cohesion and high coupling indicate refactoring candidates.

Structural Analysis Patterns

Use AST-grep to identify problematic patterns:

  • God classes with too many methods or responsibilities
  • Feature envy where methods use other class data excessively
  • Long parameter lists indicating missing abstractions
  • Duplicate code patterns across modules

Create analysis reports documenting:

  • Current architecture overview
  • Identified problem areas with severity ratings
  • Proposed refactoring targets with risk assessment
  • Dependency graphs showing coupling relationships

Phase 2: PRESERVE

The preserve phase establishes safety nets before making any changes.

Characterization Tests

Characterization tests capture existing behavior without assumptions about correctness. The goal is to document what the code actually does, not what it should do.

Steps for creating characterization tests:

  • Step 1: Identify critical code paths through execution
  • Step 2: Create tests that exercise these paths
  • Step 3: Let tests fail initially to discover actual output
  • Step 4: Update tests to expect actual output
  • Step 5: Document any surprising behavior discovered

Characterization test naming convention: testcharacterize[component]_[scenario]

Behavior Snapshots

For complex outputs, use snapshot testing to capture current behavior:

  • API response snapshots
  • Serialization output snapshots
  • State transformation snapshots
  • Error message snapshots

Snapshot files serve as behavior contracts during refactoring.

Test Safety Net Verification

Before proceeding to improvement phase, verify:

  • All existing tests pass (100% green)
  • New characterization tests cover refactoring targets
  • Code coverage meets threshold for affected areas
  • No flaky tests exist in the safety net

Run mutation testing if available to verify test effectiveness.

Phase 3: IMPROVE

The improve phase makes structural changes while continuously validating behavior preservation.

Incremental Transformation Strategy

Never make large changes at once. Follow this pattern:

  • Make smallest possible structural change
  • Run full test suite
  • If tests fail, revert immediately
  • If tests pass, commit the change
  • Repeat until refactoring goal achieved

Safe Refactoring Patterns

Extract Method: When a code block can be named and isolated. Use AST-grep to identify candidates by searching for repeated code blocks or long methods.

Extract Class: When a class has multiple responsibilities. Move related methods and fields to a new class while maintaining the original API through delegation.

Move Method: When a method uses data from another class more than its own. Relocate while preserving all call sites.

Inline Refactoring: When indirection adds complexity without benefit. Replace delegation with direct implementation.

Rename Refactoring: When names do not reflect current understanding. Update all references atomically using AST-grep rewrite.

AST-Grep Assisted Transformations

Use AST-grep for safe, semantic-aware transformations:

For method extraction, create a rule that identifies the code pattern and rewrites to the extracted form.

For API migration, create a rule that matches old API calls and rewrites to new API format.

For deprecation handling, create rules that identify deprecated patterns and suggest modern alternatives.

Continuous Validation Loop

After each transformation:

  • Run unit tests (fast feedback)
  • Run integration tests (behavior validation)
  • Run characterization tests (snapshot comparison)
  • Verify no new warnings or errors introduced
  • Check performance benchmarks if applicable

DDD Workflow Execution

Standard DDD Session

When executing DDD through moai:2-run in DDD mode:

Step 1 - Initial Assessment:

  • Read SPEC document for refactoring scope
  • Identify affected files and components
  • Assess current test coverage

Step 2 - Analyze Phase Execution:

  • Run AST-grep analysis on target code
  • Generate coupling and cohesion metrics
  • Create domain boundary map
  • Document refactoring opportunities

Step 3 - Preserve Phase Execution:

  • Verify all existing tests pass
  • Create characterization tests for uncovered paths
  • Generate behavior snapshots
  • Confirm safety net adequacy

Step 4 - Improve Phase Execution:

  • Execute transformations incrementally
  • Run tests after each change
  • Commit successful changes immediately
  • Document any discovered issues

Step 5 - Validation and Completion:

  • Run full test suite
  • Compare before/after metrics
  • Verify all behavior snapshots match
  • Generate refactoring report

DDD Loop Pattern

For complex refactoring requiring multiple iterations:

  • Set maximum loop iterations based on scope
  • Each loop focuses on one refactoring target
  • Exit conditions: all targets adddessed or iteration limit reached
  • Progress tracking through TODO list updates

Quality Metrics

DDD Success Criteria

Behavior Preservation (Required):

  • All pre-existing tests pass
  • All characterization tests pass
  • No API contract changes
  • Performance within bounds

Structure Improvement (Goals):

  • Reduced coupling metrics
  • Improved cohesion scores
  • Reduced code complexity
  • Better separation of concerns

DDD-Specific TRUST Validation

Apply TRUST 5 framework with DDD focus:

  • Testability: Characterization test coverage adequate
  • Readability: Naming and structure improvements verified
  • Understandability: Domain boundaries clearer
  • Security: No new vulnerabilities introduced
  • Transparency: All changes documented and traceable

Integration Points

With AST-Grep Skill

DDD relies heavily on AST-grep for:

  • Structural code analysis
  • Pattern identification
  • Safe code transformations
  • Multi-file refactoring

Load moai-tool-ast-grep for detailed pattern syntax and rule creation.

With Testing Workflow

DDD complements testing workflow:

  • Uses characterization tests from testing patterns
  • Integrates with mutation testing for safety net validation
  • Leverages snapshot testing infrastructure

With Quality Framework

DDD outputs feed


Content truncated.

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.

643969

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.

591705

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."

318398

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.

339397

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.

451339

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.

304231

Stay ahead of the MCP ecosystem

Get weekly updates on new skills and servers.