Best Practices
Learn from real agentful development experience. These patterns, anti-patterns, and optimizations will help you get the most out of autonomous development.
Core Philosophy
The 80/20 Rule of agentfulagentful excels at:
- ✅ Building features from clear specs
- ✅ Writing boilerplate and infrastructure
- ✅ Writing tests for implementation
- ✅ Fixing validation failures
- ✅ Following established patterns
agentful struggles with:
- ❌ Ambiguous or vague requirements
- ❌ Creative design decisions
- ❌ Complex architectural refactors
- ❌ Human judgment calls
- ❌ Breaking new ground without patterns
Best practice: Let agentful do the 80% (implementation, tests, boilerplate), you handle the 20% (decisions, design, architecture).
Section 1: Writing Better Features
Pattern 1.1: Progressive Feature Elaboration
Start simple, add detail iteratively.Iteration 1 (Core functionality):
### 1. Todo List - CRITICAL
**Description**: Users can see their todos
**Acceptance Criteria**:
- [ ] Display list of todos
- [ ] Each todo shows textIteration 2 (Add essential details):
### 1. Todo List - CRITICAL
**Description**: Users can see and manage their todos
**Acceptance Criteria**:
- [ ] Display list of todos
- [ ] Each todo shows text and completion status
- [ ] Toggle completion with click
- [ ] Delete todo with button
- [ ] Empty state illustration
- [ ] Loading state while fetchingIteration 3 (Add polish):
### 1. Todo List - CRITICAL
**Description**: Users can see and manage their todos
**Acceptance Criteria**:
- [ ] Display list of todos with text and status
- [ ] Toggle completion with click
- [ ] Delete button with confirmation
- [ ] Empty state with illustration and "Create your first todo" message
- [ ] Loading skeleton (not spinner) while fetching
- [ ] Error state with retry button
- [ ] Filter: all / active / completed
- [ ] Sort by date (newest first)
- [ ] Keyboard shortcuts: 't' to toggle, 'd' to deleteWhy: agentful builds in layers. Start with core, add polish in later iterations.
Pattern 1.2: Acceptance Criteria as Given-When-Then
Use behavior-driven development format.Vague:
- [ ] User can loginSpecific (Given-When-Then):
- [ ] GIVEN user is on login page
WHEN they enter valid email and password
AND click "Login" button
THEN they are redirected to /dashboard
AND JWT token is stored in httpOnly cookie
AND success toast appearsWhy: Maps directly to tests and implementation.
Pattern 1.3: Include Edge Cases in Acceptance Criteria
Don't let agentful discover edge cases late.Basic acceptance criteria:
- [ ] Login form accepts email and password
- [ ] On success, redirect to dashboardWith edge cases:
- [ ] Login form accepts email and password
- [ ] On success, redirect to dashboard
- [ ] Edge case - Empty fields: Show "Email and password required"
- [ ] Edge case - Invalid email format: Show "Invalid email format"
- [ ] Edge case - Wrong password: Show "Invalid credentials" (don't reveal which)
- [ ] Edge case - Unverified email: Show "Please verify your email first"
- [ ] Edge case - Account locked: Show "Account locked, contact support"
- [ ] Edge case - Network error: Show "Connection failed, try again"
- [ ] Edge case - Rate limit exceeded: Show "Too many attempts, try again in 15 minutes"Why: agentful builds error handling from the start, not as an afterthought.
Pattern 1.4: Non-Functional Requirements
Include performance, security, accessibility requirements.Functional only:
### 1. Product Listing - CRITICAL
- [ ] Display products in grid
- [ ] Each card shows name, price, imageWith non-functional requirements:
### 1. Product Listing - CRITICAL
**Description**: Display products in grid layout
**Acceptance Criteria**:
- [ ] Display products in responsive grid (1/2/3/4 columns)
- [ ] Each card shows name, price, image
**Performance Requirements**:
- [ ] Initial render in < 1.5 seconds on 3G
- [ ] Images lazy load below fold
- [ ] List virtualizes for 100+ items (react-window)
- [ ] API response < 500ms p95
**Security Requirements**:
- [ ] Sanitize all user inputs (prevent XSS)
- [ ] Image URLs validated (prevent XXE)
- [ ] Rate limit API endpoint (100 req/min per IP)
**Accessibility Requirements**:
- [ ] WCAG 2.1 AA compliant
- [ ] Keyboard navigation works (Tab, Enter, Escape)
- [ ] Screen reader announces product info
- [ ] Focus indicators visible on all interactive elements
- [ ] Color contrast ratio ≥ 4.5:1Why: agentful considers these from the start, not as refactors.
Anti-Pattern 1.1: Over-Specifying Implementation
Don't tell agentful HOW to build, tell it WHAT to build.Bad (over-specified):
**Acceptance Criteria**:
- [ ] Use React Hook Form's useForm hook
- [ ] Use Zod schema with .string().email().min(5)
- [ ] Use useState for form data
- [ ] Use useEffect to fetch user on mount
- [ ] Store token in document.cookie
- [ ] Use axios for API calls with baseURL
- [ ] Use Tailwind classes: flex, flex-col, gap-4Good (outcome-focused):
**Acceptance Criteria**:
- [ ] Login form with email/password fields
- [ ] Client-side validation (email format, password length)
- [ ] Form submits to /api/auth/login
- [ ] On success: store auth token, redirect to /dashboard
- [ ] On failure: show inline error message
- [ ] Form uses existing validation library (Zod or Yup)
- [ ] Styling matches design system (Tailwind CSS)Why: Let agentful choose the best implementation approach within your constraints.
Anti-Pattern 1.2: Feature Bloat
One feature doing too many things.Bad:
### 1. User Management - CRITICAL
**Description**: Users can manage their accounts
**Acceptance Criteria**:
- [ ] Register new account
- [ ] Login with email/password
- [ ] Logout
- [ ] Edit profile
- [ ] Upload avatar
- [ ] Change password
- [ ] Reset password via email
- [ ] Delete account
- [ ] View account history
- [ ] Manage notifications
- [ ] Connect social accountsGood (split into focused features):
### 1. Authentication - CRITICAL
**Description**: Users can login and logout
**Acceptance Criteria**:
- [ ] Login form with email/password
- [ ] JWT token generation
- [ ] Logout functionality
- [ ] Protected routes
### 2. Registration - HIGH
**Description**: New users can create accounts
**Acceptance Criteria**:
- [ ] Registration form
- [ ] Email verification
- [ ] Welcome email
### 3. Profile Management - HIGH
**Description**: Users can edit their profile
**Acceptance Criteria**:
- [ ] Edit name and avatar
- [ ] Change password
- [ ] Manage notifications
### 4. Password Reset - MEDIUM
...
### 5. Account Deletion - LOW
...Why: Smaller, focused features complete faster. agentful can parallelize.
Section 2: Tech Stack Specifications
Pattern 2.1: Specify Versions and Variants
Be explicit about versions.Vague:
## Tech Stack
- Next.js
- TypeScript
- TailwindSpecific:
## Tech Stack
### Frontend
- **Framework**: Next.js 14 (App Router, NOT Pages Router)
- **Language**: TypeScript 5.3+ (strict mode enabled)
- **Styling**: Tailwind CSS 3.4+ with CSS variables for theming
- **State**: Zustand 4.4+ (NOT Redux)
- **Forms**: React Hook Form 7.48+ with Zod 3.22+ validation
- **Tables**: TanStack Table 8.11+ (NOT react-table)Why: Different versions have different patterns. Explicitness prevents wrong implementation.
Pattern 2.2: Include Constraint Rationale
Explain WHY you chose a tool.Basic:
- **Database**: PostgreSQL
- **ORM**: PrismaWith rationale:
- **Database**: PostgreSQL (chosen for ACID compliance, JSON support, and existing team expertise)
- **ORM**: Prisma (type-safe, team standard, good migration system)
**Constraints**:
- Must use Prisma for all DB queries (no raw SQL)
- Follow existing schema in prisma/schema.prisma
- All schema changes require migration files
- Use Prisma Client for queries, no raw queries without approvalWhy: Helps agentful make decisions when facing ambiguity.
Pattern 2.3: Specify Integration Patterns
How tools work together.Example:
## Tech Stack Integration Patterns
### API + State Management
- Use TanStack Query for all data fetching (caching, revalidation)
- Use Zustand for UI state (modals, forms, theme)
- Don't fetch in components, use custom hooks in src/hooks/
### Styling + Components
- Use shadcn/ui as base component library
- Extend components in src/components/ui/ for customization
- Use Tailwind for layout and styling
- Follow existing design tokens in src/tokens/
### Testing + Mocking
- Use Vitest for unit tests (fast, integrates with Vite)
- Use MSW for API mocking (NOT nock)
- Use Testing Library for component tests (NOT Enzyme)
- Mock external dependencies (Stripe API, email service)Why: Ensures consistent patterns across entire codebase.
Anti-Pattern 2.1: Conflicting Tech Choices
Incompatible tools.Bad:
### Frontend
- **Framework**: Next.js 14
- **State**: Redux Toolkit
- **Forms**: React Hook Form
- **Validation**: Zod
### BUT ALSO
- Use Zustand for state
- Use Formik for forms
- Use Yup for validationGood:
### Frontend
- **Framework**: Next.js 14
- **State**: Zustand (primary), Redux (only for complex state if needed)
- **Forms**: React Hook Form
- **Validation**: Zod
**When to use Redux**:
- Only for complex global state (user session, cart with 50+ items)
- Default to Zustand for simpler stateWhy: agentful needs clear direction on which tool to use.
Section 3: Progress Monitoring
Pattern 3.1: Checkpoint-Based Monitoring
Don't micromanage every file.Obsessive (bad):
# After every file
/agentful-status
# After every test
/agentful-status
# After every validation
/agentful-statusStrategic (good):
# Checkpoints:
# 1. When starting new feature
/agentful-status
# 2. When agentful seems stuck (10+ iterations without progress)
/agentful-status
# 3. When feature should be complete
/agentful-status
# 4. Before making manual changes
/agentful-statusWhy: agentful works best uninterrupted. Check at natural breaks.
Pattern 3.2: Milestone-Based Validation
Validate at milestones, not continuously.Continuous validation (slow):
**Technical Notes**:
- Run /agentful-validate after every file changeMilestone validation (fast):
**Technical Notes**:
- Run validation only when:
* Feature implementation complete
* Tests written
* Before marking feature completeWhy: Validation is expensive. Run it at checkpoints, not every iteration.
Pattern 3.3: Progress Tracking for Teams
Visual dashboards for team visibility.Simple:
# Add to team dashboard script
cat .agentful/completion.json | jq '
{
project: "Product A",
overall: .overall,
current_task: .current_task,
gates: .gates,
pending_decisions: (.decisions.pending | length)
}
'Advanced:
# Generate team dashboard
./scripts/generate-dashboard.sh > dashboard.html
# Shows all projects, progress, blockersWhy: Teams need visibility without interrupting agentful.
Section 4: Intervention vs. Autonomy
Pattern 4.1: The 15-Minute Rule
Let agentful work for 15 minutes before intervening.Scenario: agentful seems stuck on something
Impatient (bad):
# 2 minutes in
"agentful is slow, let me just do it myself"
# Manually write code
# Break agentful's flowPatient (good):
# 15 minutes later
/agentful-status
# If still stuck:
# - Check state files
# - Check validation
# - Check for decisions
# - Intervene if truly stuckWhy: agentful might be exploring solutions. Interrupting breaks the loop.
Pattern 4.2: Selective Intervention
Intervene only where agentful struggles.agentful struggles with:
- Complex type definitions
- Creative UX decisions
- Architectural refactors
- Performance optimizations
- Security-critical code
Let agentful handle:
- CRUD operations
- Form handling
- Basic routing
- Standard components
- Test writing
- Boilerplate
Example hybrid approach:
// You write the complex types (agentful struggles)
interface AuthState {
user: User | null;
token: string | null;
permissions: Permission[];
sessionExpiry: number;
}
// agentful writes the basic store (agentful excels)
const useAuthStore = create<AuthState>((set) => ({
user: null,
token: null,
permissions: [],
sessionExpiry: 0,
login: (user, token) => set({ user, token }),
logout: () => set({ user: null, token: null, permissions: [] }),
}));Pattern 4.3: Guidance Over Control
Guide agentful, don't control it.Controlling (bad):
**Technical Notes**:
- Line 5: Must be exactly "const foo = ..."
- Line 6: Must be exactly "const bar = ..."
- Function name must be "processData"
- Use for loop, not forEach
- Use template literals, not string concatGuiding (good):
**Technical Notes**:
- Follow existing pattern in src/lib/processor.ts
- Must handle empty input gracefully
- Must return array of processed items
- Performance: O(n) complexity is acceptableWhy: agentful needs flexibility to implement. Constrain by outcome, not method.
Section 5: Quality and Code Review
Pattern 5.1: Acceptance Criteria Review Checklist
Review acceptance criteria before running agentful.Checklist:
For each feature, verify:
Clarity:
- [ ] Can I visualize what this will look like?
- [ ] Would a new developer understand this?
- [ ] Is there any ambiguity?
Completeness:
- [ ] Are all user flows covered?
- [ ] Are edge cases addressed?
- [ ] Is error handling specified?
Testability:
- [ ] Can I write a test for each criterion?
- [ ] Is success measurable?
- [ ] Is failure defined?
Feasibility:
- [ ] Is this realistic to build?
- [ ] Are dependencies available?
- [ ] Is timeline reasonable?
If any checklist item fails, refine acceptance criteria.Pattern 5.2: Post-Development Review
Review agentful's work like human code.Review checklist:
After agentful completes feature:
Functionality:
- [ ] All acceptance criteria pass
- [ ] Edge cases handled
- [ ] Error handling complete
- [ ] User flows work end-to-end
Code Quality:
- [ ] Follows team patterns
- [ ] No code duplication
- [ ] Functions are focused and small
- [ ] Names are clear and descriptive
Testing:
- [ ] Tests cover all acceptance criteria
- [ ] Tests cover edge cases
- [ ] Tests are readable
- [ ] Mocks are appropriate
Performance:
- [ ] No obvious performance issues
- [ ] Database queries are optimized
- [ ] No unnecessary re-renders
- [ ] Bundle size reasonable
Security:
- [ ] Input validation present
- [ ] No hardcoded secrets
- [ ] Proper auth checks
- [ ] No SQL/ XSS vulnerabilities
Documentation:
- [ ] Complex functions have JSDoc
- [ ] API endpoints documented
- [ ] Setup instructions clearWhy: agentful can miss things. Human review catches them.
Pattern 5.3: Iterative Refinement
Don't expect perfection on first try.Iteration 1: Focus on functionality
### 1. User Login - CRITICAL
**Acceptance Criteria**:
- [ ] Login form with email/password
- [ ] On success, redirect to dashboard
- [ ] On failure, show erroragentful builds it → You review
Iteration 2: Add refinement based on review
### 1. User Login - CRITICAL
**Acceptance Criteria**:
- [ ] Login form with email/password
- [ ] Client-side validation (email format, password length)
- [ ] On success, redirect to dashboard
- [ ] On failure, show specific error message
- [ ] Loading state during submission
- [ ] Disable submit button while submitting
- [ ] Enter key submits formWhy: First iteration establishes baseline. Refinements add polish.
Section 6: Scaling to Large Projects
Pattern 6.1: Feature Modularization
Break large features into smaller, independent ones.Monolithic (bad):
### 1. E-commerce Platform - CRITICAL
**Description**: Complete e-commerce functionality
**Acceptance Criteria**:
- [ ] Products, categories, search
- [ ] Cart, checkout, payment
- [ ] User accounts, orders, history
- [ ] Admin panel, inventory
- [ ] Reviews, ratings, recommendationsModular (good):
### Phase 1: Core Shopping
### 1. Product Catalog - CRITICAL
### 2. Shopping Cart - CRITICAL
### 3. Checkout - CRITICAL
### Phase 2: User Features
### 4. User Authentication - HIGH
### 5. Order Management - HIGH
### Phase 3: Admin
### 6. Admin Product Management - MEDIUM
### 7. Order Processing - MEDIUM
### Phase 4: Enhancements
### 8. Product Reviews - LOW
### 9. Recommendations - LOWWhy: Smaller features complete faster. Can ship in phases.
Pattern 6.2: Progressive Enhancement
Build MVP, then enhance.MVP:
### 1. User Authentication - CRITICAL
- [ ] Email/password login
- [ ] JWT token
- [ ] Basic session managementEnhancement 1 (after MVP complete):
### 8. Social Login - MEDIUM
- [ ] Google OAuth
- [ ] GitHub OAuthEnhancement 2:
### 9. Multi-Factor Auth - LOW
- [ ] TOTP support
- [ ] SMS backup codesWhy: Ship faster. Add complexity after core works.
Pattern 6.3: Dependency Management
Order features to minimize dependencies.Bad order (features blocked on dependencies):
### 1. User Reviews - CRITICAL (blocked on users, products, orders)
### 2. Order Processing - CRITICAL (blocked on users, products, checkout)
### 3. Checkout - CRITICAL (blocked on users, products, cart)
### 4. Shopping Cart - CRITICAL (blocked on products)
### 5. Product Catalog - CRITICAL (no dependencies)Good order (unblock as you go):
### 1. Product Catalog - CRITICAL (foundation)
### 2. Shopping Cart - CRITICAL (depends on #1)
### 3. Checkout - CRITICAL (depends on #1, #2)
### 4. User Authentication - HIGH (parallel to #2, #3)
### 5. Order Processing - HIGH (depends on #3, #4)
### 6. User Reviews - MEDIUM (depends on #1, #4, #5)Why: Features can be built in parallel. Less blocking.
Section 7: Performance Optimization
Pattern 7.1: Performance Requirements in Specs
Include performance from the start.Afterthought (bad):
### 1. Product Listing - CRITICAL
- [ ] Display products in grid
# Later: "This is slow, need to optimize"Built-in (good):
### 1. Product Listing - CRITICAL
**Acceptance Criteria**:
- [ ] Display products in responsive grid
**Performance Requirements**:
- [ ] Initial render < 1.5s on 3G connection
- [ ] Time to interactive < 3s
- [ ] Database query < 500ms p95
- [ ] API response < 200ms p95
- [ ] Images lazy load, prioritize above-fold
- [ ] Virtualize list for 100+ items
- [ ] Cache API responses for 5 minutesWhy: agentful builds with performance in mind, not as refactor.
Pattern 7.2: Database Optimization
Specify query patterns early.Basic:
### 1. User Dashboard - CRITICAL
- [ ] Display user's recent ordersWith optimization:
### 1. User Dashboard - CRITICAL
- [ ] Display user's recent orders (last 10)
**Performance Notes**:
- [ ] Use indexed query on user_id
- [ ] Select only needed fields (avoid SELECT *)
- [ ] Pagination: 10 per page
- [ ] Cache for 2 minutes
- [ ] Use JOIN instead of N+1 queriesWhy: agentful writes optimized queries from the start.
Pattern 7.3: Frontend Optimization
Specify optimization techniques.Example:
### 1. Product Feed - CRITICAL
**Acceptance Criteria**:
- [ ] Infinite scroll product feed
**Performance Requirements**:
- [ ] Use react-window for virtualization
- [ ] Lazy load images (use Intersection Observer)
- [ ] De-bounce search input by 300ms
- [ ] Use React.memo for product cards
- [ ] Pagination: 20 items per page
- [ ] Prefetch next page when user reaches 80% scrollWhy: agentful uses best practices, not naive implementations.
Section 8: Security Best Practices
Pattern 8.1: Security Requirements in Specs
Don't leave security to chance.Example:
### 1. User Authentication - CRITICAL
**Acceptance Criteria**:
- [ ] Login form with email/password
**Security Requirements**:
- [ ] Rate limiting: 5 attempts per 15 min per IP
- [ ] Password requirements: min 8 chars, 1 uppercase, 1 number
- [ ] Hash passwords with bcrypt (cost factor 12)
- [ ] JWT token expires in 7 days
- [ ] Store JWT in httpOnly cookie (NOT localStorage)
- [ ] CSRF protection on all mutation endpoints
- [ ] Input sanitization (prevent XSS)
- [ ] SQL injection prevention (use parameterized queries)
- [ ] Don't reveal if email exists (use generic error messages)Why: agentful implements security from the start, not as patch.
Pattern 8.2: Data Validation
Validate at multiple layers.Client-side:
**Acceptance Criteria**:
- [ ] Email validation: required, valid format
- [ ] Password validation: required, min 8 chars
- [ ] Show inline errorsServer-side:
**Security Requirements**:
- [ ] Validate all inputs with Zod schema
- [ ] Sanitize HTML (prevent XSS)
- [ ] Validate JWT on every protected route
- [ ] Check user permissions for resourcesDatabase:
**Security Requirements**:
- [ ] Use parameterized queries (Prisma handles this)
- [ ] Validate data types at schema level
- [ ] Add CHECK constraints for business rulesWhy: Defense in depth. If one layer fails, others protect.
Pattern 8.3: Secrets Management
Never hardcode secrets.Bad (agentful might do this if not told):
const API_KEY = "sk-1234567890abcdef";Good (specify in PRODUCT.md):
**Security Requirements**:
- [ ] All secrets in environment variables (.env.local)
- [ ] Add secrets to .env.example (with placeholder values)
- [ ] Never commit .env.local to Git
- [ ] Document required environment variables
- [ ] Validate required env vars on startupExample:
// agentful generates this instead:
const API_KEY = process.env.STRIPE_SECRET_KEY;
if (!API_KEY) {
throw new Error("STRIPE_SECRET_KEY environment variable is required");
}Section 9: Testing Best Practices
Pattern 9.1: Test Requirements in Specs
Specify what to test.Minimal:
**Acceptance Criteria**:
- [ ] Login form worksWith testing:
**Acceptance Criteria**:
- [ ] Login form works
**Testing Requirements**:
- [ ] Unit tests for:
- Email validation function
- Password validation function
- JWT generation function
- Token verification function
- [ ] Integration tests for:
- POST /api/auth/login (success case)
- POST /api/auth/login (wrong password)
- POST /api/auth/login (non-existent user)
- [ ] E2E tests for:
- Complete login flow
- Redirect after successful login
- Error message displayWhy: Tester agent knows exactly what tests to write.
Pattern 9.2: Test Data Management
Specify test data strategy.Example:
**Testing Notes**:
- Use factory pattern for test data (see src/__tests__/factories/)
- Each test should create fresh data (don't share between tests)
- Clean up test data after each test (use afterEach)
- Use deterministic data (not random) for reproducibility
- Mock external dependencies (Stripe API, email service)Why: Tests are reliable, maintainable, and fast.
Pattern 9.3: Coverage Targets
Be realistic about coverage.Unrealistic:
**Success Criteria**:
- 100% test coverageRealistic:
**Success Criteria**:
- 80% overall test coverage
- 90% for business logic (services, utils)
- 70% for components (UI has lower priority)
- 100% for authentication and security codeWhy: 100% is rarely worth the effort. Focus on critical code.
Section 10: Documentation Patterns
Pattern 10.1: Document as You Build
Don't leave documentation for later.Add to PRODUCT.md:
### 1. User Authentication - CRITICAL
...
**Documentation Requirements**:
- [ ] JSDoc on all exported functions
- [ ] API endpoint documentation (OpenAPI/Swagger)
- [ ] Setup instructions in README
- [ ] Environment variables documented in .env.example
- [ ] Architecture diagram for auth flowWhy: Documentation decays if written later. Write it while building.
Pattern 10.2: Architecture Documentation
Document decisions and rationale.Example:
## Architecture Decisions
### Authentication Strategy
**Decision**: JWT with httpOnly cookies
**Rationale**:
- Stateless, scales horizontally
- httpOnly cookies prevent XSS
- No token storage in localStorage
- 7-day expiry balances security and UX
**Alternatives Considered**:
- Sessions: Rejected (requires session store, doesn't scale)
- localStorage: Rejected (vulnerable to XSS)
- Clerk: Rejected (vendor lock-in, cost)
**Trade-offs**:
- Pros: Scalable, secure, simple
- Cons: Can't revoke tokens without blacklist (future enhancement)
**Decision Date**: 2026-01-18
**Decision Maker**: TeamWhy: Future you (and teammates) understand why.
Summary: agentful Best Practices Mindset
Think of agentful as a junior developer who:
- ✅ Follows instructions precisely
- ✅ Works tirelessly
- ✅ Writes tests diligently
- ✅ Needs clear requirements
- ✅ Struggles with ambiguity
- ✅ Needs guidance on complex decisions
- ✅ Benefits from code review
Your role as senior developer:
- Provide clear specs (PRODUCT.md)
- Guide at decision points (decisions.json)
- Review and refine (code review)
- Handle complex cases (manual intervention)
- Teach patterns (technical notes)
- Ensure quality (validation)
The sweet spot:
You: 20% (decisions, architecture, design, complex cases)
agentful: 80% (implementation, tests, boilerplate, refactoring)Result: 10x productivity with quality maintained.
Next Steps
Apply these best practices to your project:
- Write Better PRODUCT.md - Clear specs
- Set Up Team Config - Encode patterns
- Troubleshoot Issues - Fix problems quickly
Related Guides:
- Writing PRODUCT.md - Spec best practices
- Team Adoption - Team patterns
- Troubleshooting - Problem prevention