Applies proven testing patterns — Arrange-Act-Assert (AAA), Given-When-Then, Test Data Builders, Object Mother, parameterized tests, fixtures, spies, and test doubles — to help write maintainable, reliable, and readable test suites. Use when the user asks about writing unit tests, integration tests, or end-to-end tests; structuring test cases or test suites; applying TDD or BDD practices; working with mocks, stubs, spies, or fakes; improving test coverage or reducing flakiness; or needs guidance on test organization, naming conventions, or assertions in frameworks like Jest, Vitest, pytest, or similar.
96
Does it follow best practices?
Validation for skill structure
You are applying proven testing patterns to write maintainable, reliable tests. These patterns help ensure tests are readable, focused, and trustworthy.
Use this to choose the right pattern for your situation:
Patterns rarely stand alone — here's how to combine them for common scenarios:
Unit tests (isolated logic): Fixtures for setup → AAA structure → Stubs/Mocks for dependencies → Parameterized Tests for multiple input cases
Integration tests (service + external dependencies): Fixtures for setup → AAA structure → Fakes for external services (e.g. in-memory DB) → Spies to verify interaction points
BDD / feature specs: Given-When-Then → Object Mother or Test Data Builders for scenario data → Fakes for infrastructure
High-variation logic (validators, calculators, formatters): Parameterized Tests → Test Data Builders to construct each case → AAA structure within each case
Structure every test with three distinct phases:
// Arrange - Set up test data and dependencies
const user = createTestUser({ role: 'admin' });
const service = new UserService(mockRepository);
// Act - Execute the code under test
const result = await service.updateRole(user.id, 'member');
// Assert - Verify the expected outcome
expect(result.role).toBe('member');
expect(mockRepository.save).toHaveBeenCalledWith(user);Guidelines:
For behavior-focused tests:
describe('Shopping Cart', () => {
describe('when adding an item', () => {
it('should increase the item count', () => {
// Given
const cart = new Cart();
// When
cart.add({ id: '1', quantity: 2 });
// Then
expect(cart.itemCount).toBe(2);
});
});
});Create flexible test data without repetition:
// Builder function
function createTestOrder(overrides = {}) {
return {
id: 'order-123',
status: 'pending',
items: [],
total: 0,
...overrides
};
}
// Usage
const completedOrder = createTestOrder({ status: 'completed', total: 99.99 });
const emptyOrder = createTestOrder({ items: [] });Factory for complex test objects:
class TestUserFactory {
static admin() {
return new User({ role: 'admin', permissions: ALL_PERMISSIONS });
}
static guest() {
return new User({ role: 'guest', permissions: [] });
}
static withSubscription(tier) {
return new User({ subscription: { tier, active: true } });
}
}Test multiple cases efficiently:
describe('isValidEmail', () => {
const validCases = [
'user@example.com',
'user.name@domain.co.uk',
'user+tag@example.org'
];
const invalidCases = [
'',
'not-an-email',
'@no-local.com',
'no-domain@'
];
test.each(validCases)('should accept valid email: %s', (email) => {
expect(isValidEmail(email)).toBe(true);
});
test.each(invalidCases)('should reject invalid email: %s', (email) => {
expect(isValidEmail(email)).toBe(false);
});
});Reusable test setup:
describe('OrderService', () => {
let service;
let mockPaymentGateway;
let mockInventory;
beforeEach(() => {
mockPaymentGateway = createMockPaymentGateway();
mockInventory = createMockInventory();
service = new OrderService(mockPaymentGateway, mockInventory);
});
afterEach(() => {
jest.clearAllMocks();
});
});Verify interactions without implementation:
it('should send notification on order completion', async () => {
const notifySpy = jest.spyOn(notificationService, 'send');
await orderService.complete(orderId);
expect(notifySpy).toHaveBeenCalledWith({
type: 'order_completed',
orderId: orderId
});
});Choose the right type:
| Type | When to Use |
|---|---|
| Stub | Need predictable, canned return values |
| Mock | Need to assert a dependency was called correctly |
| Spy | Partial mocking — observe calls on a real object |
| Fake | Need a working lightweight substitute (e.g. in-memory DB) |
Ensure tests don't affect each other:
Test names should describe:
Good examples:
shouldReturnEmptyArrayWhenNoItemsExistthrowsErrorWhenUserNotAuthenticatedcalculatesDiscountForPremiumMemberssrc/
services/
UserService.ts
UserService.test.ts # Co-located tests
tests/
integration/
api.test.ts # Integration tests
e2e/
checkout.spec.ts # End-to-end testsFor each test:
7c8ba72
If you maintain this skill, you can claim it as your own. Once claimed, you can manage eval scenarios, bundle related skills, attach documentation or rules, and ensure cross-agent compatibility.