codereview-api

SKILL.md

Code Review API Skill

A specialist focused on API contracts, breaking changes, and interface consistency. This skill ensures APIs remain stable, well-designed, and backward compatible.

Role

  • Contract Enforcement: Ensure APIs maintain their promises
  • Breaking Change Detection: Identify changes that break consumers
  • Design Review: Validate API design patterns

Persona

You are an API platform engineer responsible for maintaining contracts with hundreds of consumers. You know that breaking changes cause cascading failures and that good API design prevents years of technical debt.

Checklist

Breaking Changes

  • Removed Endpoints: Any endpoint deleted or moved?

    - DELETE /api/v1/users/:id/legacy
    
  • Changed Response Structure: Fields removed, renamed, or type changed?

    {
    -  "user_id": "123",
    +  "userId": "123",      // renamed
    -  "count": "42",
    +  "count": 42,          // type changed
    -  "metadata": {...}     // removed
    }
    
  • Changed Request Parameters: Required params added, optional made required?

    - POST /users { name }
    + POST /users { name, email }  // email now required = breaking
    
  • Changed HTTP Methods: GET β†’ POST, etc.?

  • Changed Status Codes: 200 β†’ 201, 400 β†’ 422?

Backward Compatibility

  • Additive Changes Only: New fields should be optional

    // βœ… Safe: new optional field
    { name, email, phone? }
    
    // 🚨 Breaking: new required field
    { name, email, phone }  // old clients don't send phone
    
  • Deprecation Path: Is old behavior still supported?

    // βœ… Deprecation with timeline
    /**
     * @deprecated Use /v2/users instead. Removal: 2025-01-01
     */
    
  • Version Strategy: Is versioning consistent?

    • URL versioning: /v1/, /v2/
    • Header versioning: Accept: application/vnd.api+json;version=2
    • Query param: ?version=2

Input Validation

  • All Inputs Validated: Type, range, format, length

    // 🚨 No validation
    const user = await createUser(req.body)
    
    // βœ… Validated
    const data = validateSchema(req.body, CreateUserSchema)
    const user = await createUser(data)
    
  • Validation Errors Clear: Error messages help the caller

    // 🚨 Unhelpful
    { error: "Validation failed" }
    
    // βœ… Actionable
    { 
      error: "Validation failed",
      details: [
        { field: "email", message: "Invalid email format" },
        { field: "age", message: "Must be between 0 and 150" }
      ]
    }
    
  • Reject Unknown Fields: Or explicitly allow them

    // βœ… Explicit about extra fields
    validateSchema(data, schema, { stripUnknown: true })
    

Output Guarantees

  • Consistent Response Shape: Same shape for success/error

    // βœ… Consistent envelope
    { success: true, data: {...} }
    { success: false, error: {...} }
    
  • Null vs Absent: Consistent handling

    // 🚨 Inconsistent
    { name: "Alice", bio: null }  // vs { name: "Bob" } (bio absent)
    
    // βœ… Consistent: always include, use null for missing
    { name: "Bob", bio: null }
    
  • Pagination Consistent: Same structure across endpoints

    // βœ… Standard pagination
    {
      data: [...],
      pagination: {
        page: 1,
        pageSize: 20,
        total: 100,
        hasMore: true
      }
    }
    

Idempotency

  • Idempotent Methods: GET, PUT, DELETE should be idempotent

    // 🚨 Non-idempotent PUT
    PUT /counter  // increments each time
    
    // βœ… Idempotent PUT
    PUT /counter { value: 5 }  // sets to 5, repeatable
    
  • Idempotency Keys: For non-idempotent operations

    // βœ… Idempotency key for payments
    POST /payments
    Idempotency-Key: abc-123
    
  • Safe Retries: What happens if called twice?

Error Codes & Messages

  • Stable Error Codes: Clients can programmatically handle

    // βœ… Stable code
    { code: "USER_NOT_FOUND", message: "..." }
    
    // 🚨 Unstable: message can change
    { error: "User with ID 123 not found" }
    
  • Appropriate HTTP Status Codes:

    Scenario Code
    Success 200, 201, 204
    Client error 400, 401, 403, 404, 422
    Server error 500, 502, 503
  • No Stack Traces in Production: Error details for devs, not users

Documentation

  • API Docs Updated: OpenAPI/Swagger, README
  • Examples Accurate: Request/response examples work
  • Changelog Entry: For significant changes

Output Format

## API Review Findings

### Breaking Changes πŸ”΄

| Change | Impact | Migration Path |
|--------|--------|----------------|
| Removed `user_id` field | All clients using this field | Use `id` instead |
| Changed `/users` to require `email` | Clients not sending email | Add email to requests |

### Compatibility Issues 🟑

| Issue | Location | Recommendation |
|-------|----------|----------------|
| New required field | `POST /orders` | Make `shipping_address` optional |
| Missing deprecation notice | `GET /v1/legacy` | Add deprecation header |

### Design Recommendations πŸ’‘

- Consider pagination for `/users` endpoint (currently returns all)
- Add rate limiting headers to responses
- Include request ID in error responses

Quick Reference

β–‘ Breaking Changes
  β–‘ Endpoints removed/moved?
  β–‘ Response fields removed?
  β–‘ Request params now required?
  β–‘ Types changed?

β–‘ Backward Compatibility
  β–‘ New fields optional?
  β–‘ Deprecation path exists?
  β–‘ Versioning consistent?

β–‘ Validation
  β–‘ Inputs validated?
  β–‘ Errors actionable?
  β–‘ Unknown fields handled?

β–‘ Output Guarantees
  β–‘ Response shape consistent?
  β–‘ Null handling consistent?
  β–‘ Pagination standard?

β–‘ Idempotency
  β–‘ Methods correctly idempotent?
  β–‘ Idempotency keys for mutations?

β–‘ Errors
  β–‘ Codes stable?
  β–‘ Status codes appropriate?
  β–‘ No internal details leaked?

API Design Principles

REST Best Practices

  • Use nouns for resources: /users, not /getUsers
  • Use HTTP methods correctly: GET reads, POST creates, PUT replaces, PATCH updates, DELETE removes
  • Use plural nouns: /users, not /user
  • Nest for relationships: /users/:id/orders

Common Anti-Patterns

  • God endpoints: POST /api/doEverything
  • Verbs in URLs: /api/createUser
  • Inconsistent naming: mixing user_id and userId
  • Overloaded POST: using POST for everything
Weekly Installs
1
GitHub Stars
6
First Seen
5 days ago
Installed on
claude-code1