A comprehensive, extensible testing framework for NodeBoot applications that provides a plugin-based architecture for dependency injection testing, service mocking, and lifecycle management.
- Architecture Overview
- Quick Start
- Hook Types: Setup vs Return Hooks
- Available Hooks
- Advanced Usage
- Best Practices
- Troubleshooting
- Migration Guide
The NodeBoot Test Framework follows a layered, plugin-based architecture designed for maximum extensibility and composability:
┌─────────────────────────────────────────────────────────┐
│ Test Runner Integration │
│ (Jest, Mocha, Vitest, etc.) │
├─────────────────────────────────────────────────────────┤
│ Custom Hook Libraries │
│ (JestHooksLibrary, MochaHooksLibrary, etc.) │
├─────────────────────────────────────────────────────────┤
│ Core Framework │
│ (NodeBootTestFramework, HookManager, HooksLibrary) │
├─────────────────────────────────────────────────────────┤
│ Hook System │
│ (Hook base class, lifecycle phases) │
├─────────────────────────────────────────────────────────┤
│ NodeBoot Application │
│ (IoC Container, Services, Config) │
└─────────────────────────────────────────────────────────┘
- Plugin Architecture: Everything is a hook that can be added, removed, or customized
- Lifecycle-Driven: Clear, predictable execution phases
- Priority-Based: Hooks execute in controlled order based on priority
- State Management: Hooks can store and share state across lifecycle phases
- Test Runner Agnostic: Core framework works with any test runner
- Composable: Hook libraries can extend and combine functionality
The framework uses a priority-based hook system that executes in phases:
- beforeStart: Setup before application starts
- afterStart: Configuration after application starts
- beforeTests: Setup before test suite runs
- afterTests: Cleanup after test suite completes
- beforeEachTest: Setup before each individual test
- afterEachTest: Cleanup after each individual test
npm install @nodeboot/test @nodeboot/jest
# or
pnpm add @nodeboot/test @nodeboot/jestimport {useNodeBoot} from "@nodeboot/jest";
import {MyApp} from "./MyApp";
describe("My App Integration Tests", () => {
const {useHttp, useService, useConfig} = useNodeBoot(MyApp, ({useConfig, useMock, useEnv, usePactum}) => {
// Test configuration
useConfig({
app: {port: 3001},
database: {url: "sqlite::memory:"},
});
// Environment variables
useEnv({NODE_ENV: "test"});
// Enable Pactum for HTTP testing
usePactum();
// Mock a service
useMock(EmailService, {
sendEmail: jest.fn(() => Promise.resolve()),
});
});
it("should handle API requests", async () => {
const {get} = useHttp();
const response = await get("/api/users");
expect(response.status).toBe(200);
});
it("should access services", () => {
const userService = useService(UserService);
expect(userService).toBeDefined();
});
});The NodeBoot Test Framework provides two distinct types of hooks that serve different purposes in your test lifecycle:
Setup hooks are called during test configuration and are used to prepare your test environment before the application starts. These hooks configure how your application will run during tests.
Key Characteristics:
- Execute during the setup callback function passed to
useNodeBoot() - Run before the application starts
- Used for configuration, mocking, and environment setup
- Cannot access running application services or HTTP endpoints
- Changes take effect when the application starts
Usage Pattern:
const hooks = useNodeBoot(MyApp, ({useConfig, useMock, useEnv}) => {
// These are Setup Hooks - they configure the test environment
useConfig({database: {url: "sqlite::memory:"}});
useMock(EmailService, {sendEmail: jest.fn()});
useEnv({NODE_ENV: "test"});
});Common Setup Hooks:
useConfig()- Override application configurationuseMock()- Mock service implementationsuseEnv()- Set environment variablesusePactum()- Enable HTTP testing toolsuseCleanup()- Register cleanup functionsuseAddress()- Get server address after startup
Return hooks are returned from useNodeBoot() and are used during test execution to interact with your running application. These hooks provide access to services, repositories, and HTTP clients.
Key Characteristics:
- Available after
useNodeBoot()returns - Execute during test runtime when called
- Used for interacting with the running application
- Can access services, make HTTP requests, and query data
- Provide the actual testing capabilities
Usage Pattern:
const {useService, useHttp, useRepository} = useNodeBoot(MyApp, setupCallback);
it("should work with services", () => {
// These are Return Hooks - they interact with the running app
const userService = useService(UserService);
const {get, post} = useHttp();
const userRepo = useRepository(UserRepository);
});Common Return Hooks:
useService()- Access IoC container servicesuseRepository()- Access data repositoriesuseHttp()- HTTP client for API testinguseSupertest()- Supertest instance for HTTP testinguseConfig()- Access current configuration (read-only)useSpy()- Create Jest spies on services
┌─────────────────┐ ┌──────────────────┐ ┌─────────────────┐
│ Setup Phase │ │ Application │ │ Test Execution │
│ │ │ Startup │ │ │
│ Setup Hooks │───▶│ │───▶│ Return Hooks │
│ - useConfig() │ │ - Load config │ │ - useService() │
│ - useMock() │ │ - Start server │ │ - useHttp() │
│ - useEnv() │ │ - Initialize │ │ - useRepo() │
└─────────────────┘ └──────────────────┘ └─────────────────┘
-
Use Setup Hooks for Configuration:
// ✅ Good - Configure before app starts useNodeBoot(App, ({useConfig, useMock}) => { useConfig({port: 3001}); useMock(EmailService, mockImpl); });
-
Use Return Hooks for Testing:
// ✅ Good - Test the running application const {useService, useHttp} = useNodeBoot(App, setup); it("should work", () => { const service = useService(MyService); expect(service.doSomething()).toBeTruthy(); });
-
Don't Mix Hook Types:
// ❌ Bad - Can't use return hooks in setup useNodeBoot(App, ({useConfig, useService}) => { // useService not available here useConfig({port: 3001}); const service = useService(MyService); // This will fail! });
-
Understand Timing:
// ✅ Good - Right timing for each hook type const hooks = useNodeBoot(App, ({useConfig}) => { useConfig({database: {url: "test.db"}}); // Setup: before app starts }); it("should access database", () => { const repo = hooks.useRepository(UserRepo); // Runtime: after app started });
These hooks are called during the setup callback passed to useNodeBoot() and configure your test environment before the application starts.
Override application configuration for tests.
useConfig({
app: {port: 3001},
database: {url: "test.db"},
redis: {host: "localhost", port: 6380},
});Set environment variables for the test session.
useEnv({
NODE_ENV: "test",
API_KEY: "test-key",
DEBUG: "true",
});Mock service methods with automatic cleanup.
// Mock with Jest functions
useMock(EmailService, {
sendEmail: jest.fn(() => Promise.resolve()),
validateEmail: jest.fn(() => true),
});
// Mock with plain implementations
useMock(PaymentService, {
processPayment: () => ({success: true, transactionId: "test-123"}),
});Access the server's listening address after startup.
useAddress(address => {
console.log("Server running at:", address);
// Set up external test dependencies
});Access the application context for advanced setup.
useAppContext(context => {
expect(context.config).toBeDefined();
expect(context.logger).toBeDefined();
// Additional context validation or setup
});Enable Pactum.js integration for HTTP testing.
usePactum(); // Uses default server address
// or
usePactum("http://localhost:3001"); // Custom base URL
// Now you can use spec() from pactum directly in testsRegister cleanup functions that will be called automatically.
useCleanup({
afterAll: () => {
// Clean up test data, close connections, etc.
},
afterEach: () => {
// Reset state between tests
},
});Get service instances from the IoC container.
const userService = useService(UserService);
const result = userService.findUser("123");Get repository instances for data layer testing.
const userRepo = useRepository(UserRepository);
await userRepo.create({name: "Test User"});
const users = await userRepo.findAll();Get HTTP client for API testing.
const {get, post, put, delete: del} = useHttp();
// GET request
const users = await get("/api/users");
// POST request with data
const newUser = await post("/api/users", {
name: "John Doe",
email: "john@example.com",
});
// With headers
const response = await get("/api/protected", {
headers: {Authorization: "Bearer token"},
});
// Custom base URL
const externalApi = useHttp("https://api.external.com");
const data = await externalApi.get("/data");Get Supertest instance for HTTP testing with built-in assertions.
const request = useSupertest();
await request
.get("/api/users")
.expect(200)
.expect("Content-Type", /json/)
.expect(res => {
expect(res.body).toHaveLength(1);
});Access the current configuration (read-only during test execution).
const config = useConfig();
const port = config.getNumber("app.port");
const dbUrl = config.getString("database.url");
const isProduction = config.getBoolean("app.production", false);Some hooks can be used both during setup and test execution phases.
Can be used as both a setup hook (with callback) and return hook (direct access).
// Setup usage - configure during setup phase
useNodeBoot(App, ({useAppContext}) => {
useAppContext(context => {
// Configure based on application context
console.log("App started with config:", context.config);
});
});
// Return usage - access during test execution
const {useAppContext} = useNodeBoot(App, setup);
it("should access app context", () => {
useAppContext(context => {
expect(context.logger).toBeDefined();
expect(context.config).toBeDefined();
});
});import {Hook} from "@nodeboot/test";
import {NodeBootAppView} from "@nodeboot/core";
export class CustomDatabaseHook extends Hook {
constructor() {
super(1); // Priority (lower numbers run first)
}
override async beforeStart() {
// Set up test database
await this.setupTestDatabase();
}
override async afterTests() {
// Clean up test database
await this.cleanupTestDatabase();
}
override async beforeEachTest() {
// Reset database state
await this.resetDatabase();
}
// Setup hook touse the database connection
use() {
return {
getConnection: () => this.getState("connection"),
seedData: (data: any) => this.seedTestData(data),
};
}
// Setup hook to configure database connection
call(config: DatabaseConfig) {
this.setState("config", config);
}
private async setupTestDatabase() {
// Implementation
}
private async cleanupTestDatabase() {
// Implementation
}
private async resetDatabase() {
// Implementation
}
}Create custom hook libraries for specific testing needs:
import {HooksLibrary} from "@nodeboot/test";
// Import Jest-specific Hooks library if using Jest
import {JestHooksLibrary} from "@nodeboot/jest";
import {CustomHook} from "./CustomHook";
export class MyCustomHooksLibrary extends JestHooksLibrary {
customHook = new CustomDatabaseHook();
override registerHooks(hookManager: HookManager) {
super.registerHooks(hookManager);
hookManager.addHook(this.customHook);
}
override getSetupHooks(): JestSetUpHooks {
// Make sure to include base setup hooks
const baseHooks = super.getSetupHooks();
return {
...baseHooks,
useCustom: this.customHook.call.bind(this.customHook),
};
}
override getReturnHooks() {
// Make sure to include base return hooks
const baseHooks = super.getReturnHooks();
return {
...baseHooks,
useCustom: this.customHook.use.bind(this.customHook),
};
}
}
// Use custom library
const hooks = useNodeBoot(MyApp, setup, new MyCustomHooksLibrary());Test applications with multiple servers or services:
describe("Multi-Service Integration", () => {
const api = useNodeBoot(ApiApp, ({useConfig}) => {
useConfig({app: {port: 3001}});
});
const auth = useNodeBoot(AuthApp, ({useConfig}) => {
useConfig({app: {port: 3002}});
});
it("should communicate between services", async () => {
const apiHttp = api.useHttp();
const authHttp = auth.useHttp();
// Test inter-service communication
const token = await authHttp.post("/login", credentials);
const data = await apiHttp.get("/protected", {
headers: {Authorization: `Bearer ${token.data.token}`},
});
expect(data.status).toBe(200);
});
});import {useNodeBoot} from "@nodeboot/jest";
import {spec} from "pactum";
describe("User API with Persistence", () => {
const {useHttp, useRepository, useMock} = useNodeBoot(AppWithDatabase, ({useConfig, usePactum}) => {
useConfig({
database: {url: "sqlite::memory:"},
});
usePactum();
});
beforeEach(async () => {
// Seed test data
const userRepo = useRepository(UserRepository);
await userRepo.create({
id: "1",
name: "Test User",
email: "test@example.com",
});
});
it("should fetch users from database", async () => {
const response = await spec().get("/api/users").expectStatus(200).returns("res.body");
expect(response).toHaveLength(1);
expect(response[0].name).toBe("Test User");
});
it("should create new users", async () => {
const newUser = {
name: "John Doe",
email: "john@example.com",
};
const response = await spec().post("/api/users").withJson(newUser).expectStatus(201).returns("res.body");
expect(response.id).toBeDefined();
expect(response.name).toBe(newUser.name);
});
});describe("User Management", () => {
const hooks = useNodeBoot(App, commonSetup);
describe("Authentication", () => {
// Auth-specific tests
});
describe("Profile Management", () => {
// Profile-specific tests
});
});// Mock external dependencies, keep internal services real
useMock(EmailService, {sendEmail: jest.fn()}); // External
useMock(PaymentGateway, {charge: jest.fn()}); // External
// Don't mock UserService, OrderService, etc. (internal business logic)// Use environment-specific configs
useNodeBoot(AppUnderTest, ({useConfig}) => {
useConfig({
app: {
port: 20000,
},
database: {url: process.env.TEST_DB_URL || "sqlite::memory:"},
redis: {host: "localhost", port: 6380}, // Test Redis instance
external: {
apiKey: "test-key",
baseUrl: "http://localhost:8080", // Mock server
},
});
});const {useRepository} = useNodeBoot(AppUnderTest);
// Clean slate for each test
beforeEach(async () => {
const db = useRepository(DatabaseRepository);
await db.truncateAll();
await db.seedTestData();
});const {useService} = useNodeBoot(AppUnderTest);
it("should handle async operations", async () => {
const service = useService(AsyncService);
// Use proper async/await
const result = await service.processAsync("data");
expect(result).toBeDefined();
// Verify async side effects
const spy = useSpy(EmailService, "sendEmail");
expect(spy).toHaveBeenCalled();
});-
Service Not Found Error
Error: The class MyService is not decorated with @ServiceEnsure your service classes are properly decorated with
@Service(). -
IoC Container Not Found
Error: IOC Container is required for useService hook to workMake sure your app is properly initialized with dependency injection.
-
Port Conflicts Use random ports in tests:
useConfig({app: {port: 0}}); // Random available port
-
Memory Leaks in Tests Ensure proper cleanup:
useCleanup({ afterAll: () => { // Close connections, clear caches, etc. }, });
-
Enable Debug Logging
useEnv({DEBUG: "nodeboot:*"});
-
Inspect Hook Execution The framework logs hook execution order and timing.
-
Verify Mock Calls
const spy = useSpy(Service, "method"); console.log("Mock calls:", spy.mock.calls);
// Before (manual setup)
beforeAll(async () => {
app = new MyApp();
server = await app.start();
});
afterAll(async () => {
await server.close();
});
// After (NodeBoot Test Framework)
const {useHttp} = useNodeBoot(MyApp);When adding new testing capabilities, create hooks that follow the framework patterns and integrate with the lifecycle system.
See Jest Custom Hooks for a concrete example.
MIT License - see LICENSE file for details.