JSPM

  • Created
  • Published
  • Downloads 15
  • Score
    100M100P100Q85059F
  • License MIT

๐Ÿš€ Advanced TypeScript API generator with clean architecture, comprehensive testing, and automatic formatting. Generate production-ready Node.js APIs with complete integration test suites.

Package Exports

  • node-apis
  • node-apis/dist/index.js

This package does not declare an exports field, so the exports above have been automatically detected and optimized by JSPM instead. If any package subpath is missing, it is recommended to post an issue to the original package (node-apis) to support the "exports" field. If that is not possible, create a JSPM override to customize the exports field for this package.

Readme

Node APIs Generator

๐Ÿš€ The most advanced TypeScript API generator for Node.js - Create production-ready API modules with clean architecture, comprehensive testing, and automatic code formatting.

โœจ Why Choose Node APIs Generator?

  • ๐Ÿš€ Object Destructuring - Modern TypeScript patterns with clean parameter handling
  • ๐Ÿง  Intelligent Validation - Automatic Zod schema generation with pattern recognition
  • ๐Ÿ“‹ Named Fields - Production-ready default fields instead of empty placeholders
  • ๐Ÿ—๏ธ Clean Architecture - Controller โ†’ Handler โ†’ Repository pattern
  • ๐ŸŒ Multi-Framework - Support for Express.js and Hono frameworks
  • ๐ŸŽจ Smart Naming - Accepts any naming format, generates consistent professional code
  • โšก Performance Monitoring - Built-in execution timing and request correlation
  • ๐Ÿ” Request Tracing - Complete payload logging for easy debugging
  • ๐ŸŽฏ Type-Driven - Intelligent code generation from TypeScript types
  • ๐Ÿ”ง TypeScript Strict Mode - Generated code passes strict TypeScript compilation
  • ๐Ÿ“ฆ Dependency-Free - Generated repositories have zero external dependencies
  • โœจ Auto-Formatting - Prettier integration for consistent code style
  • ๐Ÿ”„ Two-Phase Generation - Review types first, then generate code with optimized folder structures
  • ๐ŸŽฏ Smart Interactive Mode - Numbered selection, validation, and existing module handling
  • ๐Ÿงช Comprehensive Testing - Complete integration test suite generated automatically
  • ๐Ÿ›ก๏ธ Production Ready - Error handling, validation, and observability built-in
  • ๐Ÿšซ No Service Layer - Direct handler-to-repository pattern for simplicity
  • โš™๏ธ Smart Configuration - Set preferences once, skip repetitive prompts
  • ๐Ÿ“ฆ Zero Config - Works out of the box with sensible defaults

๐Ÿš€ Try It Now!

# Install globally and start building amazing APIs
npm install -g node-apis

# Generate REST APIs
node-apis --name blog --crud --api-style rest --framework express

# Generate tRPC APIs  
node-apis --name user --crud --api-style trpc --framework hono

# Run the comprehensive tests
npm test

โญ Love this tool? Star it on GitHub and follow @sobebarali for more developer tools!

๐ŸŽฏ What Makes This Different?

Unlike other generators that create static boilerplate, this tool:

  1. Uses modern TypeScript patterns with object destructuring and intelligent type inference
  2. Generates smart validation with automatic Zod schema creation and pattern recognition
  3. Provides production-ready templates with realistic named fields instead of empty placeholders
  4. Parses your TypeScript types and generates intelligent code
  5. Includes performance monitoring and request correlation out of the box
  6. Follows modern clean architecture patterns
  7. Generates working, formatted code that's ready for production
  8. Creates comprehensive test suites with integration tests
  9. Supports iterative development with smart type-driven regeneration

๐ŸŽจ Smart Naming System

The generator accepts any naming format and automatically converts it to professional, consistent naming conventions:

Input Format Directory Files Classes Variables Constants
user-profile user-profile/ create.userProfile.ts CreateUserProfile userProfile USER_PROFILE
blog_post blog-post/ create.blogPost.ts CreateBlogPost blogPost BLOG_POST
productCategory product-category/ create.productCategory.ts CreateProductCategory productCategory PRODUCT_CATEGORY
OrderHistory order-history/ create.orderHistory.ts CreateOrderHistory orderHistory ORDER_HISTORY

Benefits:

  • โœ… Flexible Input - Use any naming style you prefer
  • โœ… Valid JavaScript - All generated identifiers are syntactically correct
  • โœ… Professional Output - Follows industry-standard naming conventions
  • โœ… Import Safety - No path mismatches or file not found errors

๐ŸŽจ Choose Your API Style

The generator supports two distinct API paradigms, each optimized for different use cases:

๐ŸŒ REST APIs (Traditional HTTP)

  • Best for: Public APIs, microservices, traditional web applications
  • Generates: Controllers, routes, HTTP endpoints with Express/Hono
  • Benefits: Standard HTTP patterns, widely adopted, framework agnostic

๐Ÿš€ tRPC APIs (Type-safe RPC)

  • Best for: Full-stack TypeScript applications, internal APIs, type-safe client-server communication
  • Generates: Procedures, routers, end-to-end type safety
  • Benefits: Auto-completion, compile-time safety, seamless TypeScript integration

Interactive Flow:

๐Ÿš€ Which API style would you like to generate?
  ๐ŸŒ REST APIs (traditional HTTP endpoints)
  ๐Ÿš€ tRPC (type-safe RPC procedures)

๐Ÿ› ๏ธ  Which web framework would you like to use?
  Express.js (Traditional, widely adopted)  
  Hono (Modern, lightweight, fast)

๐Ÿš€ Quick Start

Installation

# Global installation (recommended)
npm install -g node-apis

# Or use npx (no installation required)
npx node-apis

First-Time Setup (Optional)

Set your framework preference to skip repetitive prompts:

# Interactive setup - choose your preferred framework
node-apis --init-config

# Or set directly
node-apis --set-framework hono  # or express

๐Ÿšจ Monorepo Users - Important Note

If you're working in a monorepo (pnpm workspaces, Yarn workspaces, npm workspaces) and encounter this error:

npm error Unsupported URL Type "workspace:": workspace:*

Solution: Use global installation to avoid workspace conflicts:

# โœ… Recommended: Install globally
npm install -g node-apis

# โœ… Alternative: Use npx (no installation)
npx node-apis

# โœ… pnpm users: Bypass workspace
pnpm add -g node-apis

# โœ… Yarn users: Global install
yarn global add node-apis

Why this happens: Monorepos use workspace: protocol for local packages, which can conflict with npm registry installations. Global installation bypasses workspace resolution.

Generate Your First API

# Interactive mode - just run the command!
node-apis

# Or specify directly - any naming format works!
node-apis --name user-profile --crud
node-apis --name blog_post --crud
node-apis --name productCategory --crud

# Choose your framework
node-apis --name book --crud --framework express  # Default
node-apis --name book --crud --framework hono     # Lightweight alternative

๐ŸŽฏ Three API Types

The generator supports three distinct API types with optimized folder structures:

1. CRUD APIs (--crud)

Full-stack database operations with HTTP endpoints:

  • Use for: User management, product catalogs, blog posts
  • Generates: Controllers, handlers, repository, validators, routes, tests
  • Pattern: HTTP โ†’ Controller โ†’ Handler โ†’ Repository โ†’ Database
  • Folders: controllers/, handlers/, repository/, services/, types/, validators/, routes

2. Custom APIs (--custom)

Business logic operations with HTTP endpoints:

  • Use for: Authentication, notifications, file uploads
  • Generates: Controllers, services, validators, routes, tests
  • Pattern: HTTP โ†’ Controller โ†’ Service โ†’ External APIs/Logic
  • Folders: controllers/, handlers/, repository/, services/, types/, validators/, routes

3. Internal Services (--services) โญ Optimized Structure

Third-party integrations for internal use (no HTTP layer):

  • Use for: Payment processing, email services, cloud APIs
  • Generates: Pure service functions, types, comprehensive tests
  • Pattern: Direct function calls โ†’ External APIs
  • Folders: Only services/ and types/ (clean & minimal)
  • Import: Use in other modules via import { serviceFunction } from '../module/services/...'

๐Ÿš€ New in v3.5.0: Intelligent Code Generation

๐Ÿง  Smart Object Destructuring

Handlers now use modern TypeScript patterns with clean parameter destructuring:

// โœจ Generated handler with object destructuring
export default async function createProductHandler({
  name,
  description,
  status,
  requestId,
}: {
  name: string;
  description: string;
  status: string;
  requestId: string;
}): Promise<typeResult> {
  const product = await create({ name, description, status });
  // ...
}

๐ŸŽฏ Automatic Validation Generation

Smart Zod schema generation with pattern recognition:

// โœจ Generated validator with intelligent patterns
export const payloadSchema = z.object({
  name: z.string(),
  userEmail: z.string().email().optional(), // ๐ŸŽฏ Auto-detected email
  userId: z.string().uuid(), // ๐ŸŽฏ Auto-detected UUID
  phoneNumber: z.string().min(10), // ๐ŸŽฏ Auto-detected phone
  profileUrl: z.string().url().optional(), // ๐ŸŽฏ Auto-detected URL
  description: z.string().optional(),
});

๐Ÿ“‹ Production-Ready Named Fields

No more empty placeholders - every module generates with realistic, useful fields:

// โœจ Generated types with meaningful fields
export type typePayload = {
  name: string; // Universal title/label field
  description?: string; // Common descriptive field
  status?: string; // Useful for state management
  // Add more fields here
};

// โœจ Module-specific IDs
export type typeResultData = {
  productId: string; // Smart ID naming
  name: string;
  description: string | null;
  status: string | null;
  created_at: string;
  updated_at: string;
};

๐Ÿ” Type-Driven Intelligence

The generator analyzes your TypeScript types and generates intelligent code:

  • Smart ID Detection: Automatically uses todoId, userId, productId instead of generic id
  • Optional Field Handling: Proper handling in UPDATE operations (partial updates)
  • Pattern Recognition: Field names trigger appropriate validation (email, URL, phone, UUID)
  • Framework Adaptation: Same intelligent patterns work for both Express.js and Hono

โš™๏ธ Configuration

Set your preferences once and skip repetitive prompts:

# Initialize configuration (interactive)
node-apis --init-config

# Set default framework and API style
node-apis --set-framework express
node-apis --set-api-style trpc

# Now generate without specifying preferences
node-apis --name user --crud  # Uses your configured framework and API style

The config file (node-apis.config.json) stores your preferences and is extensible for future features like database ORM selection.

Configuration Workflow Example

# First time setup - choose your preferences interactively
node-apis --init-config
# โœ… Configuration file created successfully!
# ๐Ÿš€ Default framework: express, API style: rest

# Change preferences anytime
node-apis --set-framework hono
node-apis --set-api-style trpc
# โœ… Framework set to: hono
# โœ… API style set to: tRPC procedures

# Now generate APIs without specifying preferences
node-apis --name user --crud
# Uses Hono + tRPC from config

# Override config for specific generation
node-apis --name admin --crud --api-style rest --framework express
# Uses Express + REST despite Hono + tRPC being configured

๐Ÿข Monorepo Support

Working in a monorepo? The CLI supports custom target directories so you can generate APIs from any location:

Option 1: Use --target-dir Flag

Generate APIs directly from your monorepo root:

# From monorepo root, generate in apps/server/
node-apis --name user --crud --target-dir apps/server

# From monorepo root, generate in packages/api/
node-apis --name product --crud --target-dir packages/api

# Target directory can be absolute or relative
node-apis --name order --crud --target-dir /path/to/your/backend

Option 2: Global Installation

Install globally to avoid workspace protocol errors:

# โœ… Recommended for monorepos
npm install -g node-apis

# Use from anywhere in your monorepo
cd monorepo-root
node-apis --name user --crud --target-dir apps/api

Option 3: Use npx

Run without installation:

# Always works, no conflicts
npx node-apis --name user --crud --target-dir apps/server

Monorepo Examples

# Nx monorepo
node-apis --name auth --crud --target-dir apps/backend

# Lerna/Rush monorepo
node-apis --name user --crud --target-dir packages/api

# Yarn/pnpm workspaces
node-apis --name product --crud --target-dir services/catalog-api

# Custom structure
node-apis --name notification --services --target-dir infrastructure/email-service

The generated structure will be:

your-target-dir/
โ””โ”€โ”€ src/apis/your-module/
    โ”œโ”€โ”€ controllers/
    โ”œโ”€โ”€ handlers/
    โ””โ”€โ”€ ...

๐Ÿ’ก Pro Tip: Use global installation (npm install -g node-apis) to avoid workspace conflicts and enable usage from any directory.

That's it! You'll get a complete, production-ready API module with:

  • โœ… Controllers with request logging
  • โœ… Handlers with performance monitoring
  • โœ… Repository with clean data access
  • โœ… TypeScript types and validation
  • โœ… Comprehensive integration test suite
  • โœ… Test configuration (Vitest + Supertest)
  • โœ… Automatic code formatting

๐Ÿ—๏ธ Generated Architecture

Your APIs follow a clean, modern architecture with smart naming and comprehensive testing:

src/apis/user-profile/          # kebab-case directories
โ”œโ”€โ”€ controllers/                # HTTP routing with payload logging
โ”‚   โ”œโ”€โ”€ create.userProfile.ts   # camelCase files โ†’ POST /api/user-profiles
โ”‚   โ”œโ”€โ”€ get.userProfile.ts      # GET /api/user-profiles/:id
โ”‚   โ”œโ”€โ”€ list.userProfile.ts     # GET /api/user-profiles
โ”‚   โ”œโ”€โ”€ update.userProfile.ts   # PUT /api/user-profiles/:id
โ”‚   โ””โ”€โ”€ delete.userProfile.ts   # DELETE /api/user-profiles/:id
โ”œโ”€โ”€ handlers/                   # Business logic with performance monitoring
โ”‚   โ”œโ”€โ”€ create.userProfile.ts   # โœ… Execution timing
โ”‚   โ”œโ”€โ”€ get.userProfile.ts      # โœ… Error handling
โ”‚   โ””โ”€โ”€ ...                     # โœ… Request correlation
โ”œโ”€โ”€ repository/                 # Data access layer
โ”‚   โ””โ”€โ”€ user-profile.repository.ts # โœ… Clean functions
โ”œโ”€โ”€ types/                      # TypeScript definitions
โ”‚   โ”œโ”€โ”€ create.userProfile.ts   # โœ… Type-safe payloads
โ”‚   โ””โ”€โ”€ ...                     # โœ… Result types
โ”œโ”€โ”€ validators/                 # Zod validation schemas
โ”‚   โ”œโ”€โ”€ create.userProfile.ts   # โœ… Input validation
โ”‚   โ””โ”€โ”€ ...                     # โœ… Error handling
โ””โ”€โ”€ user-profile.routes.ts      # Express/Hono router

tests/user-profile/             # Comprehensive test suite
โ”œโ”€โ”€ create/
โ”‚   โ”œโ”€โ”€ validation.test.ts      # Input validation tests
โ”‚   โ”œโ”€โ”€ success.test.ts         # Happy path integration tests
โ”‚   โ””โ”€โ”€ errors.test.ts          # Error handling tests
โ”œโ”€โ”€ get/
โ”‚   โ””โ”€โ”€ ... (same pattern for all operations)
โ””โ”€โ”€ shared/
    โ””โ”€โ”€ helpers.ts              # Test utilities

๐Ÿ’ก Improved Two-Phase Generation Process

Phase 1: Type Definition & Review

node-apis --name book --crud
# ๐Ÿš€ Phase 1: Generating directory structure and type files...
# โœ… Type files generated successfully!

What happens:

  • Creates main module directory and types/ subdirectory only
  • Generates TypeScript type files with placeholder interfaces
  • Shows detailed instructions for each operation type
  • Prompts you to review and customize the typePayload interfaces

Example type file generated:

export type typePayload = {
  // Add your specific fields here
  // name: string;
  // description: string;
  // category?: string;
};

Phase 2: Code Generation & Testing

# After you review types and confirm (type 'yes' or 'y')
# ๐Ÿš€ Phase 2: Generating services and repositories...
# ๐Ÿงช Phase 3: Generating comprehensive test suite...

What happens:

  • Creates remaining directories based on API type:
    • Services: Only services/ (no HTTP layer)
    • CRUD/Custom: All folders (controllers, handlers, repository, validators, routes)
  • Generates all code files using your confirmed type definitions
  • Auto-formats all generated code with Prettier
  • Creates comprehensive test suite with validation, success, and error cases

Benefits of Two-Phase Approach

  • ๐ŸŽฏ Type-First Development: Define your data structures before implementation
  • ๐Ÿ”ง Customizable: Edit types to match your exact requirements
  • ๐Ÿšซ No Rework: Generated code uses your confirmed field definitions
  • ๐Ÿ“ Clean Structure: Services get minimal folders, APIs get full structure
  • โšก Efficient: Only creates what each API type actually needs

๐Ÿ”ฅ Generated Code Examples

Controller (HTTP Layer) - Smart Naming in Action

// Input: --name user-profile
// Generated: src/apis/user-profile/controllers/create.userProfile.ts

import { validatePayload } from '../validators/create.userProfile';
import createUserProfileHandler from '../handlers/create.userProfile';

export default async function createUserProfileController(
  req: Request,
  res: Response
): Promise<void> {
  const requestId = (req.headers['x-request-id'] as string) || generateRequestId();

  // Professional naming: USER_PROFILE (CONSTANT_CASE)
  console.info(
    `${requestId} [CONTROLLER] - CREATE USER_PROFILE payload:`,
    JSON.stringify(req.body, null, 2)
  );

  // Validation with detailed error responses
  const validation = validatePayload(req.body);
  if (!validation.success) {
    res.status(400).json({
      data: null,
      error: { code: 'VALIDATION_ERROR', message: validation.error.message, statusCode: 400 },
    });
    return;
  }

  // Call handler with request correlation - PascalCase function names
  const result = await createUserProfileHandler(validation.data, requestId);
  const statusCode = result.error ? result.error.statusCode : 201;
  res.status(statusCode).json(result);
}

Handler (Business Logic) - TypeScript Best Practices

// TypeScript best practice: import type for type-only imports
import type {
  typePayload,
  typeResult,
  typeResultData,
  typeResultError,
} from '../types/create.userProfile';
import create from '../repository/user-profile.repository';

export default async function createUserProfileHandler(
  payload: typePayload,
  requestId: string
): Promise<typeResult> {
  let data: typeResultData | null = null;
  let error: typeResultError | null = null;

  try {
    const startTime = Date.now();
    console.info(`${requestId} [USER_PROFILE] - CREATE handler started`);

    // Direct repository call (no service layer)
    const userProfile = await create(payload);
    data = userProfile;

    const duration = Date.now() - startTime;
    console.info(
      `${requestId} [USER_PROFILE] - CREATE handler completed successfully in ${duration}ms`
    );
  } catch (err) {
    // TypeScript strict mode compatible error handling
    const errorMessage = err instanceof Error ? err.message : 'An unexpected error occurred';
    console.error(`${requestId} [USER_PROFILE] - CREATE handler error: ${errorMessage}`);
    error = {
      code: 'CREATE_FAILED',
      message: errorMessage,
      statusCode: 500,
    };
  }

  return { data, error };
}

Repository (Data Access) - Dependency-Free & Type-Safe

// TypeScript best practice: import type for type-only imports
import type { typePayload as CreatePayload } from '../types/create.userProfile';

export default async function create(payload: CreatePayload) {
  try {
    // TODO: Replace with your database implementation
    // Example: return await db.userProfile.create({ data: payload });

    // Mock implementation - replace with actual database call
    const userProfile = {
      id: `mock-id-${Date.now()}`,
      ...payload,
      created_at: new Date().toISOString(),
      updated_at: new Date().toISOString(),
    };
    return userProfile;
  } catch (error) {
    // TypeScript strict mode compatible - no custom error classes needed
    throw new Error(
      `Database error: Failed to create user profile: ${error instanceof Error ? error.message : 'Unknown error'}`
    );
  }
}

// โœ… No external dependencies - completely self-contained
// โœ… Uses native Error class instead of custom error classes
// โœ… TypeScript strict mode compatible
// โœ… Valid JavaScript identifiers (camelCase variables)

๐Ÿงช Generated Test Suite

Integration Tests (Focus on Real API Testing)

// tests/book/create-book/success.test.ts
import { describe, it, expect } from 'vitest';
import request from 'supertest';
import app from '../../../src/app';
import { typePayload } from '../../../src/apis/book/types/create.book';

describe('Create Book - Success Tests', () => {
  it('should create book successfully', async () => {
    const payload: typePayload = {
      title: 'Test Book',
      author: 'Test Author',
      metadata: { publisher: 'Test Publisher' },
    };

    const response = await request(app).post('/api/books').send(payload).expect(201);

    expect(response.body.data).toBeDefined();
    expect(response.body.error).toBeNull();
  });
});

Error Handling Tests

// tests/book/create-book/errors.test.ts
describe('Create Book - Error Tests', () => {
  it('should return 400 for invalid payload', async () => {
    const invalidPayload = { invalidField: 'invalid-value' };

    const response = await request(app).post('/api/books').send(invalidPayload).expect(400);

    expect(response.body.data).toBeNull();
    expect(response.body.error.code).toBe('VALIDATION_ERROR');
  });
});

Validation Tests

// tests/book/create-book/validation.test.ts
describe('Create Book - Validation Tests', () => {
  it('should validate required fields', () => {
    const payload: typePayload = {
      title: 'Valid Book',
      author: 'Valid Author',
      metadata: { publisher: 'Valid Publisher' },
    };

    const result = validatePayload(payload);
    expect(result.success).toBe(true);
  });
});

๐ŸŽฏ Usage Examples

Basic CRUD API with Smart Naming

# Any naming format works - the generator handles it intelligently!
node-apis --name user-profile --crud      # kebab-case
node-apis --name blog_post --crud         # snake_case
node-apis --name productCategory --crud   # camelCase
node-apis --name OrderHistory --crud      # PascalCase

# All generate professional, consistent code:
# โœ… 5 endpoints: POST, GET, GET/:id, PUT/:id, DELETE/:id
# โœ… Complete TypeScript types with proper naming
# โœ… Zod validation schemas
# โœ… 15 integration tests (3 per operation)
# โœ… Test configuration (Vitest + Supertest)
# โœ… Performance monitoring
# โœ… Request correlation
# โœ… Auto-formatted code

Multi-Framework Support

# Express.js (default)
node-apis --name user-profile --crud --framework express

# Hono (lightweight alternative)
node-apis --name blog_post --crud --framework hono

# Both generate framework-specific code with consistent naming!

Custom Operations with Tests

# Generate custom user operations
node-apis --name user --custom "login,logout,resetPassword"

# What you get:
# โœ… 3 custom endpoints with full implementation
# โœ… Type-safe request/response interfaces
# โœ… Validation schemas
# โœ… 9 integration tests (3 per operation)
# โœ… Error handling tests
# โœ… Validation tests

Internal Service Operations

# Generate third-party service integrations
node-apis --name stripe --services "createPayment,refund,getPaymentStatus"
node-apis --name sendgrid --services "sendEmail,sendBulkEmail"

# What you get:
# โœ… Pure service functions (no HTTP layer)
# โœ… Clean folder structure (only services/ and types/)
# โœ… Type-safe request/response interfaces
# โœ… Error handling with consistent patterns
# โœ… Comprehensive test suites (validation, success, error cases)
# โœ… Ready for internal use in other modules
# โœ… Template code with TODO comments for easy implementation

Generated Structure for Services:

src/apis/stripe/
โ”œโ”€โ”€ services/
โ”‚   โ”œโ”€โ”€ createPayment.stripe.ts
โ”‚   โ”œโ”€โ”€ refund.stripe.ts
โ”‚   โ””โ”€โ”€ getPaymentStatus.stripe.ts
โ””โ”€โ”€ types/
    โ”œโ”€โ”€ createPayment.stripe.ts
    โ”œโ”€โ”€ refund.stripe.ts
    โ””โ”€โ”€ getPaymentStatus.stripe.ts

# No controllers/, handlers/, validators/, repository/ folders
# Services are pure functions for internal use
# Just run the command - it's smart and user-friendly!
node-apis

# ๐ŸŽฏ Smart Features:
# โœ… Numbered selection (works in all terminals)
# โœ… Existing module detection with smart options
# โœ… Enhanced validation with helpful examples
# โœ… Clear visual feedback with emojis and formatting

# ๐Ÿ”„ Interactive Flow:
# 1. ๐Ÿ” Detect existing modules (if any)
# 2. ๐Ÿ“ Enter module name with validation
# 3. ๐ŸŽฏ Choose API type (1-3 numbered selection):
#    1. ๐Ÿ—ƒ๏ธ  CRUD operations (Create, Read, Update, Delete)
#    2. โšก Custom API operations (Business logic endpoints)
#    3. ๐Ÿ”ง Internal service operations (Third-party integrations)
# 4. ๐Ÿ“‹ Enter operation names with smart validation
# 5. ๐Ÿš€ Choose API style (REST or tRPC) - NEW!
# 6. โš™๏ธ  Framework selection (Express or Hono)
# 7. ๐Ÿšจ Handle existing modules:
#    โ€ข ๐Ÿ”„ Overwrite existing module (replace all files)
#    โ€ข โž• Add operations to existing module
#    โ€ข โŒ Cancel generation
# 8. โœจ Two-phase generation with type review
# 9. ๐Ÿงช Comprehensive test suite generation

๐ŸŽฏ Interactive Mode Benefits

  • Terminal Compatible: Numbered selection works everywhere
  • Smart Validation: Helpful examples and error messages
  • Existing Module Handling: Never accidentally overwrite work
  • Visual Feedback: Emojis and clear formatting
  • Type-First: Review and customize types before code generation

Type-Driven Development with Smart Naming

# 1. Generate types first (any naming format!)
node-apis --name product_category --crud

# 2. Edit the types (add your fields)
# Edit: src/apis/product-category/types/create.productCategory.ts

# 3. Code and tests automatically use your exact types!
# All generated code is type-safe and uses consistent naming:
# - Directory: product-category/ (kebab-case)
# - Files: create.productCategory.ts (camelCase)
# - Classes: CreateProductCategoryController (PascalCase)
# - Variables: productCategory (camelCase)
# - Constants: PRODUCT_CATEGORY (CONSTANT_CASE)

Run Your Tests

# Run all tests
npm test

# Run tests for specific module
npm run test:module -- product

# Run with coverage
npm run test:coverage

# Watch mode for development
npm run test:watch

๐Ÿ”ฅ tRPC Support - Type-Safe APIs Made Easy

New in v3.6.1: Enhanced tRPC procedures with consistent error handling and improved type safety!

๐ŸŽฏ What is tRPC Style?

tRPC (TypeScript Remote Procedure Call) provides end-to-end type safety from your backend to frontend. Instead of traditional REST endpoints, you get type-safe procedure calls with automatic validation.

๐Ÿš€ Quick tRPC Example

# Generate tRPC procedures instead of REST controllers
node-apis --name blog --crud --trpc-style

# Set tRPC as your default style
node-apis --set-trpc-style true
node-apis --name user --crud  # Uses tRPC style

๐Ÿ—๏ธ tRPC vs REST Structure Comparison

tRPC Style REST Style
src/apis/blog/ src/apis/blog/
โ”œโ”€โ”€ procedures/ โ”œโ”€โ”€ controllers/
โ”œโ”€โ”€ handlers/ โ”œโ”€โ”€ handlers/
โ”œโ”€โ”€ repository/ โ”œโ”€โ”€ repository/
โ”œโ”€โ”€ types/ โ”œโ”€โ”€ types/
โ”œโ”€โ”€ validators/ โ”œโ”€โ”€ validators/
โ””โ”€โ”€ blog.router.ts โ””โ”€โ”€ blog.routes.ts

๐ŸŽฏ Generated tRPC Code Examples

tRPC Procedure (procedures/create.blog.ts)

import { publicProcedure } from '../../../trpc';
import { payloadSchema } from '../validators/create.blog';
import createBlogHandler from '../handlers/create.blog';
import type { typePayload } from '../types/create.blog';

export const createBlogProcedure = publicProcedure
  .input(payloadSchema)                    // ๐ŸŽฏ Automatic validation
  .mutation(async ({ input }: { input: typePayload }) => {  // ๐ŸŽฏ Enhanced type safety
    const requestId = generateRequestId();
    
    try {
      return await createBlogHandler({     // ๐ŸŽฏ Same business logic
        ...input,
        requestId,
      });
    } catch (error) {                      // ๐Ÿ›ก๏ธ Consistent error handling
      return {
        data: null,
        error: {
          code: 'INTERNAL_ERROR',
          message: error instanceof Error ? error.message : 'Something went wrong',
          statusCode: 500,
          requestId
        }
      };
    }
  });

tRPC Router (blog.router.ts)

import { router } from '../../trpc';
import { createBlogProcedure } from './procedures/create.blog';
import { getBlogProcedure } from './procedures/get.blog';
// ...

export const blogRouter = router({
  create: createBlogProcedure,             // ๐ŸŽฏ Procedure mapping
  get: getBlogProcedure,
  list: listBlogsProcedure,
  update: updateBlogProcedure,
  delete: deleteBlogProcedure,
});

export type BlogRouter = typeof blogRouter; // ๐ŸŽฏ Type export

๐Ÿ”ง Required tRPC Setup

To use the generated tRPC code, you'll need to set up tRPC in your project:

1. Install Dependencies

npm install @trpc/server @trpc/client zod

2. Create tRPC Setup (src/trpc/index.ts)

import { initTRPC } from '@trpc/server';

const t = initTRPC.create();

export const router = t.router;
export const publicProcedure = t.procedure;

// Main app router
import { blogRouter } from '../apis/blog/blog.router';

export const appRouter = router({
  blog: blogRouter,
  // Add more modules here
});

export type AppRouter = typeof appRouter;

3. Express Integration (src/server.ts)

import express from 'express';
import { createExpressMiddleware } from '@trpc/server/adapters/express';
import { appRouter } from './trpc';

const app = express();

app.use(
  '/trpc',
  createExpressMiddleware({
    router: appRouter,
  })
);

app.listen(3000);

๐Ÿš€ Client Usage Examples

Next.js Client

import { createTRPCNext } from '@trpc/next';
import type { AppRouter } from '../server/trpc';

export const trpc = createTRPCNext<AppRouter>({
  config() {
    return { url: '/api/trpc' };
  },
});

// In a React component
function BlogManager() {
  const createBlog = trpc.blog.create.useMutation();
  const { data: blogs } = trpc.blog.list.useQuery({ page: 1 });

  const handleCreate = async () => {
    const result = await createBlog.mutateAsync({
      name: 'My Blog Post',       // โœ… Type-safe
      description: 'Great post!', // โœ… Auto-complete
      status: 'published',        // โœ… Validated
    });
    
    if (result.data) {
      console.log('Created:', result.data.blogId); // โœ… Type inference
    }
  };

  return (
    <div>
      <button onClick={handleCreate}>Create Blog</button>
      {blogs?.data?.items.map(blog => (
        <div key={blog.blogId}>{blog.name}</div>
      ))}
    </div>
  );
}

๐ŸŽฏ Key Benefits of tRPC Style

โœ… End-to-End Type Safety

// Full TypeScript inference
const blog = await trpc.blog.create.mutate({
  name: "Post Title",     // โœ… Type-safe
  description: "Content", // โœ… Optional field
  // status: 123          // โŒ TypeScript error!
});

// Automatic return type inference
blog.data?.blogId;        // โœ… string
blog.data?.created_at;    // โœ… string

โœ… Enhanced Error Handling (New in v3.6.1)

// Consistent error format across all procedures
const result = await trpc.blog.create.mutate({ name: "Test" });

if (result.error) {
  console.log(result.error.code);        // โœ… 'INTERNAL_ERROR'
  console.log(result.error.message);     // โœ… Descriptive error message
  console.log(result.error.statusCode);  // โœ… HTTP status code
  console.log(result.error.requestId);   // โœ… Request tracing ID
}

โœ… Same Business Logic

The handlers, repository, and types are identical to REST - only the transport layer changes!

โœ… Smart Validation

// Automatic Zod validation
trpc.blog.create.mutate({
  name: "",               // โŒ Validation error
  description: null,      // โŒ Type error
});

โœ… Performance Benefits

  • Direct procedure calls (no HTTP overhead)
  • Built-in caching with React Query
  • Automatic request deduplication
  • Optimistic updates support

๐ŸŽฏ When to Use Each Style

Use tRPC Style When:

  • โœ… Full-stack TypeScript projects
  • โœ… Team values type safety
  • โœ… Modern development workflow
  • โœ… React/Next.js frontend
  • โœ… API consumed primarily by your own frontend

Use REST Style When:

  • โœ… Public APIs for third parties
  • โœ… Multiple different client technologies
  • โœ… Traditional HTTP/JSON APIs
  • โœ… OpenAPI/Swagger documentation needed

๐Ÿ“‹ tRPC Configuration

Set tRPC as your default style:

# Set tRPC style preference
node-apis --set-trpc-style true

# Now all generations use tRPC style by default
node-apis --name user --crud     # Uses tRPC procedures
node-apis --name auth --custom "login,logout"  # Uses tRPC procedures

# Override for specific generation
node-apis --name public-api --crud --framework express  # Uses REST despite tRPC config

๐Ÿ”ฅ Complete tRPC Example

Generate a complete blog API with tRPC:

# Generate blog API with tRPC style (new syntax)
node-apis --name blog --crud --api-style trpc --framework express

# Or using deprecated syntax (shows warning)
node-apis --name blog --crud --trpc-style

# What you get:
# โœ… 5 tRPC procedures (create, get, list, update, delete)
# โœ… Type-safe validation with Zod schemas
# โœ… Business logic handlers with object destructuring
# โœ… Repository functions for data access
# โœ… TypeScript types for requests/responses
# โœ… Complete test suite for all operations
# โœ… tRPC router combining all procedures
# โœ… Production-ready code with error handling

Generated structure:

src/apis/blog/
โ”œโ”€โ”€ procedures/           # ๐Ÿ†• tRPC procedures
โ”‚   โ”œโ”€โ”€ create.blog.ts
โ”‚   โ”œโ”€โ”€ get.blog.ts
โ”‚   โ””โ”€โ”€ ...
โ”œโ”€โ”€ handlers/             # โœ… Same business logic
โ”œโ”€โ”€ repository/           # โœ… Same data access
โ”œโ”€โ”€ types/               # โœ… Same TypeScript types
โ”œโ”€โ”€ validators/          # โœ… Same Zod schemas (perfect for tRPC!)
โ””โ”€โ”€ blog.router.ts       # ๐Ÿ†• tRPC router

This is a complete, production-ready tRPC API generated in seconds! ๐ŸŽ‰

๐Ÿ“‹ Command Line Options

Option Alias Description
--name <name> -n Module name (skips interactive prompt)
--crud Generate CRUD operations (create, get, list, update, delete)
--custom <names> Generate custom operations (comma-separated)
--services <names> Generate internal service operations (comma-separated)
--api-style <style> API style to generate (rest|trpc), defaults to rest ๐Ÿ†•
--framework <framework> Web framework to use (express|hono), defaults to express
--target-dir <dir> Target directory for generated files (default: current directory)
--set-api-style <style> Set default API style in config (rest|trpc) ๐Ÿ†•
--set-framework <framework> Set default framework in config (express|hono)
--trpc-style โš ๏ธ Deprecated: Use --api-style trpc instead
--set-trpc-style <bool> โš ๏ธ Deprecated: Use --set-api-style instead
--force -f Overwrite existing files
--no-interactive Skip interactive prompts
--init-config Initialize configuration file
--version -V Show version number
--help -h Show help information

๐ŸŽจ What Makes the Generated Code Special?

โœ… Performance Monitoring Built-In

req-1703123456789-abc123 [BOOK] - CREATE handler started
req-1703123456789-abc123 [BOOK] - CREATE handler completed successfully in 45ms

โœ… Complete Request Tracing

req-1703123456789-abc123 [CONTROLLER] - CREATE BOOK payload: {
  "title": "The Great Gatsby",
  "author": "F. Scott Fitzgerald"
}

โœ… Production-Ready Error Handling

{
  "data": null,
  "error": {
    "code": "VALIDATION_ERROR",
    "message": "Title is required",
    "statusCode": 400
  }
}

โœ… Type-Safe Throughout

  • Controllers know exact request/response types
  • Handlers use your custom field definitions
  • Repositories match your data structure
  • Validators enforce your business rules

๐Ÿ›ก๏ธ Production-Ready Error Handling

Defense in Depth Architecture (New in v3.6.1)

The generator now implements comprehensive error handling across all API layers, ensuring your applications are resilient and production-ready:

Complete Coverage Across All Layers

๐ŸŒ API Entry Points
โ”œโ”€โ”€ ๐Ÿ›ก๏ธ Controllers (Express/Hono) - Framework & validation errors
โ”œโ”€โ”€ ๐Ÿ›ก๏ธ tRPC Procedures - Procedure-level errors (NEW!)
โ”œโ”€โ”€ ๐Ÿ›ก๏ธ Handlers - Business logic errors  
โ””โ”€โ”€ ๐Ÿ›ก๏ธ Repository - Data access errors

Consistent Error Format

All layers return the same standardized error structure:

{
  data: null,
  error: {
    code: 'VALIDATION_ERROR' | 'NOT_FOUND' | 'INTERNAL_ERROR',
    message: 'Descriptive error message',
    statusCode: 400 | 404 | 500,
    requestId: 'req-abc123...' // For request tracing
  }
}

Enhanced tRPC Error Handling

// Every tRPC procedure now includes robust error handling
export const createUserProcedure = publicProcedure
  .input(payloadSchema)
  .mutation(async ({ input }: { input: typePayload }) => {
    const requestId = randomBytes(16).toString('hex');
    
    try {
      return await createUserHandler({ ...input, requestId });
    } catch (error) {
      // Consistent error format with request tracing
      return {
        data: null,
        error: {
          code: 'INTERNAL_ERROR',
          message: error instanceof Error ? error.message : 'Something went wrong',
          statusCode: 500,
          requestId // Essential for debugging
        }
      };
    }
  });

Benefits of This Approach

  • ๐Ÿ” Request Tracing: Every error includes a requestId for debugging
  • ๐Ÿ”„ Consistency: Same error format across Express, Hono, and tRPC
  • ๐Ÿ›ก๏ธ Reliability: Prevents unhandled promise rejections
  • ๐Ÿ“Š Monitoring: Structured errors perfect for logging systems
  • ๐ŸŽฏ Production Ready: Built for real-world application requirements

๐Ÿš€ Advanced Features

Smart Type-Driven Generation

  • Parses your TypeScript types and generates matching code
  • Regenerates handlers when you update type definitions
  • Maintains consistency between types and implementation
  • Tests automatically use your exact types for complete type safety

Comprehensive Testing

  • Integration tests only - focus on real API behavior
  • No complex mocking - tests actual endpoints with supertest
  • Type-safe tests - all tests use your TypeScript types
  • Complete coverage - validation, success, and error scenarios
  • Ready-to-run - includes Vitest configuration and scripts

Automatic Code Formatting

  • Prettier integration formats all generated code
  • Consistent style across your entire codebase
  • No manual formatting needed

Clean Architecture

  • No service layer bloat - direct handler-to-repository pattern
  • Single responsibility - each layer has a clear purpose
  • Easy to test - clean separation of concerns
  • Performance monitoring built into every handler

Developer Experience

  • Interactive CLI that guides you through the process
  • Smart defaults that work out of the box
  • Incremental development - add operations to existing modules
  • Type safety throughout the entire stack
  • Test-driven development ready out of the box

๐Ÿ“ฆ Requirements

  • Node.js >= 16.0.0
  • TypeScript project (the generator creates TypeScript files)

๐Ÿ”ง Troubleshooting

Common Issues and Solutions

๐Ÿšจ Workspace Protocol Error (Monorepo Users)

npm error Unsupported URL Type "workspace:": workspace:*

Solution: Install globally to avoid workspace conflicts:

npm install -g node-apis  # โœ… Recommended
# or
npx node-apis            # โœ… No installation needed

๐Ÿšจ Permission Denied (macOS/Linux)

Error: EACCES: permission denied

Solution: Use sudo or fix npm permissions:

sudo npm install -g node-apis  # Quick fix
# or
npm config set prefix ~/.npm-global  # Better long-term solution

๐Ÿšจ Command Not Found After Global Install

bash: node-apis: command not found

Solution: Check your PATH or use npx:

npx node-apis  # Always works
# or
echo $PATH     # Check if npm global bin is in PATH

๐Ÿšจ TypeScript Compilation Errors in Generated Code

Solution: Ensure you have TypeScript installed and compatible version:

npm install -g typescript  # Global TypeScript
# or in your project
npm install --save-dev typescript

Note: Generated code is compatible with TypeScript strict mode and follows best practices:

  • Uses import type for type-only imports
  • Proper error handling with instanceof Error checks
  • Valid JavaScript identifiers for all variable names

๐Ÿšจ Tests Failing After Generation

Solution: Install test dependencies:

npm install --save-dev vitest supertest @types/supertest

๐Ÿ’ก Pro Tips

  • Always use global installation for CLI tools like node-apis
  • Use npx if you prefer not to install globally
  • Check the generated files - they include helpful TODO comments
  • Customize the types first before generating the full code
  • Generated code is TypeScript strict mode ready - no compilation errors
  • No external dependencies - generated repositories are completely self-contained
  • Use any naming format - the smart naming system handles everything

๐Ÿค Contributing

We welcome contributions! Here's how:

  1. Fork the repository
  2. Create your feature branch (git checkout -b feature/amazing-feature)
  3. Commit your changes (git commit -m 'Add amazing feature')
  4. Push to the branch (git push origin feature/amazing-feature)
  5. Open a Pull Request

๐Ÿ“‹ Changelog

v3.6.1 - Enhanced Error Handling & Type Safety ๐Ÿ›ก๏ธ

๐Ÿ”ฅ Major Enhancement: Consistent Error Handling

  • โœ… Enhanced tRPC Procedures: Added try-catch blocks to all tRPC procedure templates
  • โœ… Type Safety Improvements: Explicit typePayload typing in all procedures
  • โœ… Consistent Error Format: All procedures return standardized error structure
  • โœ… Defense in Depth: Complete error handling coverage across all API layers
  • โœ… Request Tracing: Request IDs included in all error responses for debugging
  • โœ… Production Ready: Prevents unhandled promise rejections and crashes

v3.5.1 - tRPC Integration & Monorepo Support ๐Ÿš€

๐Ÿ”ฅ Major Feature: tRPC Support

  • โœ… tRPC Style Generation: Generate tRPC procedures instead of REST controllers
  • โœ… Type-Safe APIs: Full end-to-end type safety from backend to frontend
  • โœ… CLI Integration: --trpc-style flag and --set-trpc-style configuration
  • โœ… Smart Templates: New tRPC procedure, router, and test templates
  • โœ… Same Business Logic: Reuses existing handlers, repository, types, and validators
  • โœ… Conditional Generation: Switch between tRPC and REST styles seamlessly

๐Ÿข Monorepo Support

  • โœ… Target Directory: --target-dir flag for generating in specific directories
  • โœ… Flexible Paths: Support for absolute and relative target paths
  • โœ… Root Generation: Generate APIs from monorepo root without cd commands
  • โœ… Global Installation: Improved compatibility with workspace protocols

๐ŸŽฏ Enhanced Developer Experience

  • โœ… Interactive tRPC Setup: Prompts for setting tRPC style preference
  • โœ… Configuration Management: Persistent tRPC style settings in config file
  • โœ… Comprehensive Documentation: Complete tRPC setup and usage examples
  • โœ… Performance Benefits: Direct procedure calls with built-in validation

v3.5.0 - Major Code Generation Revolution ๐ŸŽ‰

๐Ÿง  Handler Destructuring Revolution

  • โœ… Modern TypeScript Patterns: All handlers now use object destructuring
  • โœ… Clean Parameter Handling: ({ name, email, requestId }: HandlerParams) => {}
  • โœ… Type-Safe Function Signatures: Full TypeScript inference and validation
  • โœ… Repository Consistency: Matching destructuring patterns across all layers

๐Ÿ” Intelligent Validation & Auto-Population

  • โœ… Smart Pattern Recognition: Email, URL, phone, UUID auto-detection
  • โœ… Realistic Default Fields: name, description, status in every module
  • โœ… Module-Specific IDs: todoId, userId, productId instead of generic id
  • โœ… Enhanced Type System: Better optional field handling in UPDATE operations

๐Ÿ—๏ธ Framework & Architecture Improvements

  • โœ… Hono Compatibility: Full support for Hono framework with destructuring
  • โœ… Express Enhancement: Improved Express.js templates with modern patterns
  • โœ… Clean Architecture: Refined handler โ†’ repository pattern
  • โœ… Type-First Development: Types drive intelligent code generation

โœจ Developer Experience & Quality

  • โœ… Production-Ready Code: Realistic fields and professional patterns
  • โœ… Zero Configuration Issues: All generated code passes strict TypeScript
  • โœ… Smart Naming: Consistent professional naming across all generated files
  • โœ… Enhanced Testing: Tests automatically use exact type definitions

v3.1.6 - TypeScript & Build Fixes ๐Ÿ”ง

๐Ÿ”ง Critical Fixes:

  • โœ… TypeScript Strict Mode: Fixed 'error' is of type 'unknown' compilation errors
  • โœ… Variable Naming: Fixed invalid JavaScript identifiers in generated repository code
  • โœ… Build Stability: All generated code now passes strict TypeScript compilation
  • โœ… Error Handling: Improved error handling patterns for better type safety

๐ŸŽจ Code Quality Improvements:

  • โœ… Import Type: All templates now use import type for type-only imports (TypeScript best practice)
  • โœ… Dependency-Free: Removed shared errors dependency from generated repositories
  • โœ… Smart Variables: Variable names now use camelCase regardless of input format

v3.1.5 - Critical Bug Fix ๐Ÿ›

๐Ÿ”ง Critical Fix:

  • โœ… Module Import Error: Fixed Cannot find module 'test-config-generator.service' error
  • โœ… Package Stability: Temporarily disabled test config generation to ensure package works
  • โœ… Global Installation: Package now works correctly when installed globally

v3.1.4 - Bug Fix Release ๐Ÿ›

๐Ÿ”ง Critical Fix:

  • โœ… Missing Module Fix: Fixed missing test-config-generator.service in published package
  • โœ… Import Resolution: Resolved module import errors when using the npm package globally

v3.1.3 - Smart Naming System ๐ŸŽจ

๐ŸŽ‰ Major Enhancement: Smart Naming Transformation

  • โœ… Flexible Input: Accept any naming format (kebab-case, snake_case, camelCase, PascalCase)
  • โœ… Professional Output: Generate consistent, industry-standard naming conventions
  • โœ… Import Safety: Eliminate path mismatches and file not found errors
  • โœ… Framework Consistency: Works seamlessly with both Express and Hono

๐Ÿ”ง Technical Improvements:

  • โœ… Template System: Updated all templates for consistent naming
  • โœ… Path Resolution: Fixed CLI path generation bugs
  • โœ… Code Quality: Professional naming throughout generated code
  • โœ… Error Prevention: No more invalid JavaScript identifiers

๐Ÿ“ Examples:

# All of these work perfectly now!
node-apis --name user-profile --crud      # โ†’ user-profile/ directory
node-apis --name blog_post --crud         # โ†’ blog-post/ directory
node-apis --name productCategory --crud   # โ†’ product-category/ directory

๐Ÿ“„ License

MIT License - see the LICENSE file for details.

๐ŸŽ‰ Why Developers Love This Tool

"Finally, a code generator that creates code I actually want to use in production!"

"The smart naming system is incredible - I can use any naming style and get perfect output!"

"The comprehensive test suite saved me days of writing tests manually."

"The performance monitoring and request tracing saved me hours of debugging."

"Clean architecture out of the box - no more service layer spaghetti!"

"The type-driven approach is genius - my handlers always match my data structure."

"Integration tests that actually test the real API - brilliant!"

"No more worrying about naming conventions - the generator handles it all professionally!"

"The generated code passes TypeScript strict mode without any errors - amazing!"

๐Ÿ“Š What You Get

For CRUD APIs:

  • ๐Ÿ—๏ธ 22 files generated (5 operations ร— 4 files + routes + repository)
  • ๐Ÿงช 15 integration tests (3 per operation)
  • โšก Production-ready with monitoring and error handling
  • ๐ŸŽฏ Type-safe throughout the entire stack

For Custom APIs:

  • ๐Ÿ—๏ธ Nร—4 files generated (N operations ร— 4 files + routes + repository)
  • ๐Ÿงช Nร—3 integration tests (3 per operation)
  • โšก Production-ready with monitoring and error handling
  • ๐ŸŽฏ Type-safe throughout the entire stack

๐Ÿ“‹ Configuration File

The node-apis.config.json file stores your preferences:

{
  "version": "1.0.0",
  "framework": "express",
  "trpcStyle": false,
  "database": {
    "orm": "prisma",
    "type": "postgresql"
  },
  "preferences": {
    "autoFormat": true,
    "generateTests": true,
    "skipConfirmation": false
  }
}

Configuration Options

  • framework: Web framework (express | hono)
  • trpcStyle: Generate tRPC procedures instead of REST controllers (true | false)
  • database: Database settings (future feature)
    • orm: ORM preference (prisma | typeorm | drizzle)
    • type: Database type (postgresql | mysql | sqlite)
  • preferences: Generation preferences
    • autoFormat: Auto-format generated code
    • generateTests: Generate test files
    • skipConfirmation: Skip confirmation prompts

Configuration Benefits

  • ๐Ÿš€ Faster Workflow - Skip repetitive framework selection prompts
  • ๐Ÿ‘ฅ Team Consistency - Share config files across team members
  • ๐Ÿ”ง Flexible Override - CLI options still work to override config
  • ๐Ÿ“ˆ Future-Proof - Extensible for database ORM and other preferences
  • ๐Ÿ’พ Persistent - Settings saved locally per project

Ready to generate amazing APIs with comprehensive tests? ๐Ÿš€

npm install -g node-apis
node-apis --name book --crud
npm test  # Run your generated tests!

๐Ÿ‘จโ€๐Ÿ’ป About the Author

Hi! I'm Sobebar Ali, a passionate Backend Developer and Founding AI Engineer at Capri AI. I built this tool to solve the repetitive task of creating production-ready API modules with proper architecture, comprehensive testing, and modern TypeScript patterns.

๐ŸŽฏ Why I Built This Tool

After years of building APIs professionally, I noticed developers spending too much time on boilerplate code instead of business logic. This generator bridges that gap by providing:

  • Production-ready code that follows industry best practices
  • Comprehensive testing that actually tests your APIs
  • Type-safe patterns that prevent runtime errors
  • Clean architecture that scales with your project

๐ŸŒŸ Connect with Me

๐Ÿ’ Support This Project

If this tool saves you development time and helps your team build better APIs:

  • โญ Star this repository on GitHub
  • ๐Ÿ“ฆ Share it with your development team
  • ๐Ÿ› Report issues or suggest features
  • ๐Ÿ’– Follow me for more developer tools and insights

๐Ÿค Contributing

I welcome contributions! Whether it's:

  • ๐Ÿ› Bug fixes
  • โœจ New features (like tRPC support!)
  • ๐Ÿ“š Documentation improvements
  • ๐Ÿงช Test enhancements

Check out the contribution guidelines to get started.


Happy coding and testing! โœจ

"Building this tool has been a journey of solving real developer problems. I hope it saves you as much time as it has saved me and my team!" - Sobebar Ali