npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

test-gen-js

v0.3.2

Published

Auto-generate test boilerplate code for JavaScript/TypeScript, React, and React Native projects

Readme

test-gen-js

🧪 Auto-generate test boilerplate code for JavaScript/TypeScript, React, and React Native projects

npm version License: MIT GitHub Actions


🎯 Goal

"From zero tests to having basic tests"

This library is not about perfect test automation, but about lowering the barrier to writing tests.

Problems This Tool Solves

| Problem | Solution | |---------|----------| | 😫 "Creating test files is tedious" | ✅ Auto-generate boilerplate | | 🤔 "I don't know how to start" | ✅ Provide a working starting point | | 😰 "I don't even have basic render tests" | ✅ Provide minimal safety net | | 📚 "I want to learn how to write tests" | ✅ Use as a learning tool |

Limitations

❌ Auto-generate business logic tests → Developers must write these
❌ Perfect test coverage → Not possible (80% boilerplate, 20% manual)

📋 Prerequisites

Make sure you have the following packages installed in your project:

# Required for TypeScript type checking in test files
npm install -D @types/jest jest

# For React projects
npm install -D @testing-library/react @testing-library/jest-dom

# For React Native projects
npm install -D @testing-library/react-native

📦 Installation

# Global installation
npm install -g test-gen-js

# Or use with npx (no installation required)
npx test-gen-js generate src/components/Button.tsx

# Or install as devDependency
npm install -D test-gen-js

🛠️ Setup with Git Hooks (Recommended)

Set up automatic testing before each commit:

# 1. Install as dev dependency
npm install -D test-gen-js

# 2. Initialize (creates config + sets up Git hooks)
npx test-gen-js init

# 3. Generate tests for your components
npx test-gen-js generate src/components/Button.tsx

# 4. Now when you commit, tests run automatically!
git add .
git commit -m "feat: add Button component"
# 🧪 Running tests before commit...
# ✅ Tests passed!

What init Does

| Item | Description | |------|-------------| | .testgenrc.js | Creates configuration file | | husky | Installs Git hooks manager | | lint-staged | Runs tests on staged files only | | pre-commit | Tests run before each commit |

Pre-commit Behavior

  • ✅ Tests pass → Commit proceeds
  • ❌ Tests fail → Commit is blocked
  • ⏭️ Skip with git commit --no-verify (not recommended)

🚀 Quick Start

1. Generate React Component Tests

Input: src/components/Button.tsx

import React from 'react';

interface ButtonProps {
  title: string;
  onPress: () => void;
  disabled?: boolean;
  loading?: boolean;
}

export const Button = ({ title, onPress, disabled = false, loading = false }: ButtonProps) => {
  return (
    <button onClick={onPress} disabled={disabled || loading}>
      {loading ? 'Loading...' : title}
    </button>
  );
};

Run command:

npx test-gen-js generate src/components/Button.tsx

Output: src/components/Button.test.tsx

import React from 'react';
import { render, fireEvent, screen, waitFor } from '@testing-library/react';
import { Button } from './Button';

describe('Button', () => {
  const defaultProps = {
    title: 'Test Title',
    onPress: jest.fn(),
    disabled: false,
    loading: false
  };

  beforeEach(() => {
    jest.clearAllMocks();
  });

  it('renders without crashing', () => {
    render(<Button {...defaultProps} />);
  });

  it('renders with title prop', () => {
    render(<Button {...defaultProps} />);
    // TODO: Add specific assertions for title
  });

  it('calls onPress when triggered', () => {
    const handler = jest.fn();
    render(<Button {...defaultProps} onPress={handler} />);
    
    // TODO: Trigger the onPress event
    // fireEvent.click(screen.getByRole('button'));
    
    // expect(handler).toHaveBeenCalled();
  });
});

2. Generate React Native Component Tests

Input: src/components/Card.tsx

import React, { useState } from 'react';
import { View, Text, TouchableOpacity, StyleSheet } from 'react-native';

interface CardProps {
  title: string;
  description: string;
  onPress?: () => void;
}

export const Card = ({ title, description, onPress }: CardProps) => {
  const [expanded, setExpanded] = useState(false);

  return (
    <TouchableOpacity onPress={onPress} style={styles.container}>
      <Text style={styles.title}>{title}</Text>
      <Text style={styles.description}>{description}</Text>
    </TouchableOpacity>
  );
};

const styles = StyleSheet.create({
  container: { padding: 16 },
  title: { fontSize: 18, fontWeight: 'bold' },
  description: { fontSize: 14 },
});

Run command:

npx test-gen-js generate src/components/Card.tsx --snapshot

Output: src/components/Card.test.tsx

import React from 'react';
import { render, fireEvent, screen, waitFor } from '@testing-library/react-native';
import { Card } from './Card';

describe('Card', () => {
  const defaultProps = {
    title: 'Test Title',
    description: 'Test Text',
    onPress: jest.fn()
  };

  beforeEach(() => {
    jest.clearAllMocks();
  });

  it('renders without crashing', () => {
    render(<Card {...defaultProps} />);
  });

  it('matches snapshot', () => {
    const { toJSON } = render(<Card {...defaultProps} />);
    expect(toJSON()).toMatchSnapshot();
  });

  it('calls onPress when triggered', () => {
    const handler = jest.fn();
    render(<Card {...defaultProps} onPress={handler} />);
    
    // fireEvent.press(screen.getByTestId('card'));
    // expect(handler).toHaveBeenCalled();
  });

  // Hook: useState
  it('uses useState correctly', () => {
    render(<Card {...defaultProps} />);
    // TODO: Add assertions for useState behavior
  });
});

3. Generate Function Tests

Input: src/utils/calculate.ts

export function calculateDiscount(price: number, discountRate: number): number {
  if (discountRate < 0 || discountRate > 1) {
    throw new Error('Invalid discount rate');
  }
  return price * (1 - discountRate);
}

export async function fetchUserData(userId: string): Promise<User> {
  const response = await fetch(`/api/users/${userId}`);
  return response.json();
}

Run command:

npx test-gen-js generate src/utils/calculate.ts

Output: src/utils/calculate.test.ts

import { calculateDiscount, fetchUserData } from './calculate';

describe('calculateDiscount', () => {
  beforeEach(() => {
    jest.clearAllMocks();
  });

  it('should return expected result', () => {
    const result = calculateDiscount(42, 42);
    
    // TODO: Add assertions
    expect(result).toBeDefined();
  });

  describe('price parameter', () => {
    it('should handle valid price', () => {
      // TODO: Test with valid price values
    });
  });

  describe('discountRate parameter', () => {
    it('should handle valid discountRate', () => {
      // TODO: Test with valid discountRate values
    });
  });
});

describe('fetchUserData', () => {
  beforeEach(() => {
    jest.clearAllMocks();
  });

  it('should resolve successfully', async () => {
    const result = await fetchUserData('test-string');
    
    // TODO: Add assertions
    expect(result).toBeDefined();
  });

  it('should handle errors gracefully', async () => {
    // TODO: Mock error scenario
    // jest.spyOn(global, 'fetch').mockRejectedValue(new Error('Network error'));
    // await expect(fetchUserData('123')).rejects.toThrow('Network error');
  });
});

📋 CLI Commands

generate (alias: g)

Generate tests for a single file

# Basic usage
test-gen-js generate <file>
tgjs g <file>

# Options
--output, -o <path>    # Specify output file path
--template, -t <type>  # Template type (component | function | hook)
--snapshot             # Include snapshot tests
--mock                 # Auto-generate mocks (default: true)
--overwrite            # Overwrite existing file

Examples:

# Basic generation
tgjs g src/components/Header.tsx

# Include snapshot tests
tgjs g src/components/Header.tsx --snapshot

# Custom output path
tgjs g src/components/Header.tsx -o __tests__/Header.test.tsx

# Overwrite existing file
tgjs g src/components/Header.tsx --overwrite

scan (alias: s)

Scan directory and generate tests for all files at once.

# Basic usage - scan entire src folder
test-gen-js scan src
tgjs s src

# Options
--dry-run              # Preview without creating files
--pattern <glob>       # File pattern (default: **/*.{ts,tsx,js,jsx})
--exclude <patterns>   # Patterns to exclude
--snapshot             # Include snapshot tests
--overwrite            # Overwrite existing test files

Examples:

# Preview what will be generated (no files created)
tgjs scan src --dry-run

# Generate tests for all components in src/components
tgjs scan src/components

# Generate tests with snapshots
tgjs scan src --snapshot

# Overwrite existing test files
tgjs scan src --overwrite

# Custom pattern (only .tsx files)
tgjs scan src --pattern "**/*.tsx"

Output example:

🔍 Scanning directory: /your-project/src
📝 Pattern: **/*.{ts,tsx,js,jsx}
🚫 Exclude: node_modules/**, dist/**, **/*.test.*, ...

📦 Processing files...

[1/5] ✅ components/Button.tsx → components/Button.test.tsx
[2/5] ✅ components/Card.tsx → components/Card.test.tsx
[3/5] ⏭️  components/index.ts (no components/functions)
[4/5] ✅ utils/helpers.ts → utils/helpers.test.ts
[5/5] ❌ utils/broken.ts: Parse error

══════════════════════════════════════════════════
📊 Summary
══════════════════════════════════════════════════
   Total files:    5
   Created:        3
   Updated:        0
   Skipped:        1
   Failed:         1

init

Initialize test-gen-js configuration and set up Git hooks for pre-commit testing.

# Basic usage - creates config and sets up Git hooks
test-gen-js init

# Options
--no-hooks    # Skip Git hooks setup
--force       # Overwrite existing configuration

What it does:

  1. Creates .testgenrc.js configuration file
  2. Installs husky and lint-staged (if not present)
  3. Sets up pre-commit hook to run tests before each commit

Example:

# Install test-gen-js as dev dependency
npm install -D test-gen-js

# Initialize (sets up Git hooks)
npx test-gen-js init

# Now when you commit, tests will run automatically!
git add .
git commit -m "feat: add new component"
# 🧪 Running tests before commit...
# ✅ Tests passed, commit successful!

Pre-commit behavior:

  • Tests run only for staged files (files you're committing)
  • If tests fail, commit is blocked
  • If tests pass, commit proceeds normally
  • Use git commit --no-verify to skip tests (not recommended)

📊 Supported Types

| Type | Support | Test Framework | Notes | |------|---------|----------------|-------| | JavaScript functions | ✅ | Jest | | | TypeScript functions | ✅ | Jest | Type analysis supported | | React components | ✅ | Jest + @testing-library/react | | | React Native components | ✅ | Jest + @testing-library/react-native | | | Custom Hooks | ✅ | Jest + @testing-library/react-hooks | | | Node.js modules | 🔜 v0.2 | Jest | | | Express handlers | 🔜 v0.2 | Jest + supertest | | | Vue components | 🔜 Plugin | Vitest | | | Angular components | 🔜 Plugin | Jasmine | |


🔧 How It Works

AST (Abstract Syntax Tree) Analysis

┌─────────────────────────────────────────────────────────────────┐
│  1. Input: Button.tsx                                           │
├─────────────────────────────────────────────────────────────────┤
│  export const Button = ({ title, onPress, disabled }) => {      │
│    const [loading, setLoading] = useState(false);               │
│    return (                                                     │
│      <TouchableOpacity onPress={onPress} disabled={disabled}>   │
│        <Text>{title}</Text>                                     │
│      </TouchableOpacity>                                        │
│    );                                                           │
│  }                                                              │
└─────────────────────────────────────────────────────────────────┘
                              │
                              ▼ Babel Parser
┌─────────────────────────────────────────────────────────────────┐
│  2. AST Analysis Result                                         │
├─────────────────────────────────────────────────────────────────┤
│  {                                                              │
│    name: "Button",                                              │
│    type: "arrow",                                               │
│    props: [                                                     │
│      { name: "title", type: "string", required: true },         │
│      { name: "onPress", type: "function", required: true },     │
│      { name: "disabled", type: "boolean", required: false }     │
│    ],                                                           │
│    hooks: ["useState"],                                         │
│    events: ["onPress"],                                         │
│    framework: "react-native"                                    │
│  }                                                              │
└─────────────────────────────────────────────────────────────────┘
                              │
                              ▼ EJS Template
┌─────────────────────────────────────────────────────────────────┐
│  3. Output: Button.test.tsx                                     │
├─────────────────────────────────────────────────────────────────┤
│  describe('Button', () => {                                     │
│    const defaultProps = { title: '...', onPress: jest.fn() };   │
│    it('renders without crashing', () => { ... });               │
│    it('calls onPress when pressed', () => { ... });             │
│    it('uses useState correctly', () => { ... });                │
│  });                                                            │
└─────────────────────────────────────────────────────────────────┘

Automation Coverage

| Area | Automation Level | Description | |------|------------------|-------------| | Import statements | ✅ 100% | Auto-detect framework | | describe/it structure | ✅ 100% | Based on component/function name | | defaultProps generation | ✅ 80% | TypeScript type analysis | | Mock setup | ✅ 70% | Auto-detect major libraries | | Render tests | ✅ 100% | Always provided | | Event handler tests | ✅ 60% | Detect onPress, onClick, etc. | | Hook tests | ✅ 50% | Detect useState, useEffect, etc. | | Business logic tests | ❌ 0% | Developer must write |


🗺️ Roadmap

✅ Phase 1: MVP (v0.1.x) - Current

  • [x] Project structure setup
  • [x] AST parser implementation (Babel-based)
  • [x] CLI interface (commander)
  • [x] Basic test generator
    • [x] React components
    • [x] React Native components
    • [x] JavaScript/TypeScript functions
  • [x] EJS template system
  • [x] GitHub Actions CI/CD
  • [x] Automated npm publishing

✅ Phase 2: Extended Features (v0.2.x) - Current

  • [x] Directory scanning and batch generation (scan command)
  • [x] Configuration file support (.testgenrc.js)
  • [x] Git hooks for pre-commit testing (init command)
  • [ ] Node.js backend support
  • [ ] Improved mock generation
  • [ ] Prettier/ESLint integration
  • [ ] Watch mode
  • [ ] Custom template support

🔮 Phase 3: Plugin System (v0.3.x+)

  • [ ] Plugin architecture
  • [ ] Vue.js plugin
  • [ ] Angular plugin
  • [ ] VS Code extension
  • [ ] AI integration (optional)

🧪 Testing

test-gen-js has comprehensive test coverage to ensure reliability.

Running Tests

# Run all tests
npm test

# Run with coverage report
npm test -- --coverage

# Run only unit tests
npm test -- --testPathIgnorePatterns=integration

# Run only integration tests
npm test -- --testPathPattern=integration

# Run tests in watch mode
npm test -- --watch

Test Structure

| Test Type | Description | Files | |-----------|-------------|-------| | Unit Tests | Test individual modules in isolation | *.test.ts | | Integration Tests | Test CLI commands end-to-end | cli.integration.test.ts |

Test Coverage

-----------------------|---------|----------|---------|---------|
File                   | % Stmts | % Branch | % Funcs | % Lines |
-----------------------|---------|----------|---------|---------|
src/utils              |   96.77 |      100 |     100 |   96.72 |
src/parser             |   78.72 |    78.72 |   66.66 |   79.01 |
src/analyzer           |   72.92 |    58.42 |   83.78 |   76.15 |
src/generator          |   53.84 |    46.03 |   38.88 |   59.40 |
-----------------------|---------|----------|---------|---------|

Writing Tests for Your Project

After generating test files with test-gen-js, you can run your project's tests:

# Run generated tests
npm test

# Run specific test file
npm test -- Button.test.tsx

# Run tests matching a pattern
npm test -- --testPathPattern=components

Test Examples

Unit Test Example:

// src/utils/helpers.test.ts
import { formatDate, calculateTotal } from './helpers';

describe('formatDate', () => {
  it('should format date correctly', () => {
    const result = formatDate(new Date('2024-01-15'));
    expect(result).toBe('2024-01-15');
  });
});

describe('calculateTotal', () => {
  it('should calculate total with tax', () => {
    const result = calculateTotal(100, 0.1);
    expect(result).toBe(110);
  });
});

Integration Test Example:

// src/cli.integration.test.ts
import { execSync } from 'child_process';
import fs from 'fs-extra';

describe('CLI Integration', () => {
  it('should generate test file', () => {
    // Run CLI command
    execSync('npx test-gen-js generate src/Button.tsx');
    
    // Verify output
    expect(fs.existsSync('src/Button.test.tsx')).toBe(true);
  });
});

Continuous Integration

Add to your CI/CD pipeline:

# .github/workflows/test.yml
name: Tests
on: [push, pull_request]

jobs:
  test:
    runs-on: ubuntu-latest
    steps:
      - uses: actions/checkout@v4
      - uses: actions/setup-node@v4
        with:
          node-version: '20'
      - run: npm ci
      - run: npm test -- --coverage
      - run: npm run build

📁 Project Structure

test-gen-js/
├── bin/
│   └── cli.js                    # CLI entry point
├── src/
│   ├── index.ts                  # Main exports
│   ├── cli.ts                    # CLI logic (commander)
│   ├── types.ts                  # TypeScript type definitions
│   ├── analyzer/
│   │   ├── index.ts
│   │   ├── fileAnalyzer.ts       # Main file analysis
│   │   ├── componentAnalyzer.ts  # React component analysis
│   │   └── functionAnalyzer.ts   # Function analysis
│   ├── parser/
│   │   ├── index.ts
│   │   ├── astParser.ts          # Babel AST parsing
│   │   └── typeExtractor.ts      # TypeScript type extraction
│   ├── generator/
│   │   ├── index.ts
│   │   ├── testGenerator.ts      # Test code generation
│   │   └── mockGenerator.ts      # Mock code generation
│   ├── templates/
│   │   ├── component.ejs         # Component test template
│   │   ├── function.ejs          # Function test template
│   │   └── snapshot.ejs          # Snapshot test template
│   └── utils/
│       ├── fileUtils.ts          # File utilities
│       └── naming.ts             # Naming utilities
├── .github/
│   └── workflows/
│       ├── ci.yml                # CI (build/test)
│       └── publish.yml           # Automated npm publish
├── package.json
├── tsconfig.json
└── README.md

🤝 Contributing

Contributions are always welcome!

How to Contribute

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

Types of Contributions

  • 🐛 Bug reports
  • 💡 Feature requests
  • 📝 Documentation improvements
  • 🔧 Code contributions
  • 🌍 Translations

📄 License

MIT License - Feel free to use, modify, and distribute.


🙏 Acknowledgments


📞 Contact