Jest

Jest best practices, patterns, and API guidance for JavaScript/TypeScript testing. Covers mock design, async testing, matchers, timer mocks, snapshots, modul...

MIT-0 · Free to use, modify, and redistribute. No attribution required.
0 · 167 · 1 current installs · 1 all-time installs
byAnivar Aravind@anivar
MIT-0
Security Scan
VirusTotalVirusTotal
Benign
View report →
OpenClawOpenClaw
Benign
high confidence
Purpose & Capability
The name/description (Jest guidance) matches the included rule files and references. There are no unrelated requirements (no cloud credentials, no unrelated binaries), so requested capabilities align with the stated purpose.
Instruction Scope
SKILL.md and the referenced rule/reference files are documentation and coding guidance for Jest; they do not instruct the agent to read unrelated system files, access secrets, or transmit data externally. The activation triggers (jest imports, describe, test, etc.) are appropriate for a Jest-focused skill.
Install Mechanism
No install spec and no code files beyond documentation — the skill is instruction-only, which is the lowest-risk install mechanism. Nothing is downloaded or written to disk during install.
Credentials
The skill declares no required environment variables, no credentials, and no config paths. That is proportionate for a documentation/guide skill.
Persistence & Privilege
always is false, it does not request permanent presence or system configuration changes, and it does not modify other skills' configs. disable-model-invocation is false (normal), so the agent may call it autonomously — acceptable given the low sensitivity of the content.
Assessment
This skill is a documentation-only Jest best-practices guide and appears safe and coherent: it asks for nothing and installs nothing. Before installing, verify the source_url (https://github.com/anivar/jest-skill) and the license if you want provenance, and confirm the Jest baseline (v29/30) matches your project. Also be aware that the agent may invoke this skill autonomously when it detects Jest test code patterns; review any automated suggestions it generates before applying them to your codebase.

Like a lobster shell, security has layers — review code before you run it.

Current versionv1.0.0
Download zip
latestvk976v7p4av1mqr8fbwzr0r2nsh82a7z6

License

MIT-0
Free to use, modify, and redistribute. No attribution required.

SKILL.md

Jest

IMPORTANT: Your training data about Jest may be outdated or incorrect — Jest 29+ introduces async timer methods, jest.replaceProperty, and ESM mocking via jest.unstable_mockModule. Jest 30 deprecates the done callback in favor of async patterns. Always rely on this skill's rule files and the project's actual source code as the source of truth. Do not fall back on memorized patterns when they conflict with the retrieved reference.

When to Use Jest

Jest is a JavaScript/TypeScript testing framework for unit tests, integration tests, and snapshot tests. It includes a test runner, assertion library, mock system, and coverage reporter.

NeedRecommended Tool
Unit/integration testing (JS/TS)Jest
React component testingJest + React Testing Library
E2E browser testingPlaywright, Cypress
API contract testingJest + Supertest
Smaller/faster test runnerVitest (Jest-compatible API)
Native ESM without configVitest or Node test runner

Rule Categories by Priority

PriorityCategoryImpactPrefix
1Mock DesignCRITICALmock- (5 rules)
2Async TestingCRITICALasync-
3Matcher UsageHIGHmatcher-
4Timer MockingHIGHtimer-
5Test StructureHIGHstructure-
6Module MockingMEDIUMmodule-
7Snapshot TestingMEDIUMsnapshot-
8ConfigurationMEDIUMconfig-
9Performance & CIMEDIUMperf-

Quick Reference

1. Mock Design (CRITICAL)

  • mock-clear-vs-reset-vs-restore — clearAllMocks vs resetAllMocks vs restoreAllMocks
  • mock-spy-restore — Always restore jest.spyOn; prefer restoreMocks config
  • mock-factory-hoisting — jest.mock factory cannot reference outer variables
  • mock-partial-require-actual — Use jest.requireActual for partial module mocking
  • mock-what-to-mock — What to mock and what not to mock; mock boundaries

2. Async Testing (CRITICAL)

  • async-always-await — Always return/await promises or assertions are skipped
  • async-expect-assertions — Use expect.assertions(n) to verify async assertions ran
  • async-done-try-catch — Wrap expect in try/catch when using done callback

3. Matcher Usage (HIGH)

  • matcher-equality-choice — toBe vs toEqual vs toStrictEqual
  • matcher-floating-point — Use toBeCloseTo for floats, never toBe
  • matcher-error-wrapping — Wrap throwing code in arrow function for toThrow

4. Timer Mocking (HIGH)

  • timer-recursive-safety — Use runOnlyPendingTimers for recursive timers
  • timer-async-timers — Use async timer methods when promises are involved
  • timer-selective-faking — Use doNotFake to leave specific APIs real

5. Test Structure (HIGH)

  • structure-setup-scope — beforeEach/afterEach are scoped to describe blocks
  • structure-test-isolation — Each test must be independent; reset state in beforeEach
  • structure-sync-definition — Tests must be defined synchronously

6. Module Mocking (MEDIUM)

  • module-manual-mock-conventionsmocks directory conventions
  • module-esm-unstable-mock — Use jest.unstable_mockModule for ESM
  • module-do-mock-per-test — jest.doMock + resetModules for per-test mocks

7. Snapshot Testing (MEDIUM)

  • snapshot-keep-small — Keep snapshots small and focused
  • snapshot-property-matchers — Use property matchers for dynamic fields
  • snapshot-deterministic — Mock non-deterministic values for stable snapshots

8. Configuration (MEDIUM)

  • config-coverage-thresholds — Set per-directory coverage thresholds
  • config-transform-node-modules — Configure transformIgnorePatterns for ESM packages
  • config-environment-choice — Per-file @jest-environment docblock over global jsdom

9. Performance & CI (MEDIUM)

  • perf-ci-workers — --runInBand or --maxWorkers for CI
  • perf-isolate-modules — jest.isolateModules for per-test module state

Jest API Quick Reference

APIPurpose
test(name, fn, timeout?)Define a test
describe(name, fn)Group tests
beforeEach(fn) / afterEach(fn)Per-test setup/teardown
beforeAll(fn) / afterAll(fn)Per-suite setup/teardown
expect(value)Start an assertion
jest.fn(impl?)Create a mock function
jest.spyOn(obj, method)Spy on existing method
jest.mock(module, factory?)Mock a module
jest.useFakeTimers(config?)Fake timer APIs
jest.useRealTimers()Restore real timers
jest.restoreAllMocks()Restore all spies/mocks
jest.resetModules()Clear module cache
jest.isolateModules(fn)Sandboxed module cache
jest.requireActual(module)Import real module (bypass mock)

How to Use

Read individual rule files for detailed explanations and code examples:

rules/mock-clear-vs-reset-vs-restore.md
rules/async-always-await.md

Each rule file contains:

  • Brief explanation of why it matters
  • Incorrect code example with explanation
  • Correct code example with explanation
  • Additional context and decision tables

References

PriorityReferenceWhen to read
1references/matchers.mdAll matchers: equality, truthiness, numbers, strings, arrays, objects, asymmetric, custom
2references/mock-functions.mdjest.fn, jest.spyOn, .mock property, return values, implementations
3references/jest-object.mdjest.mock, jest.useFakeTimers, jest.setTimeout, jest.retryTimes
4references/async-patterns.mdPromises, async/await, done callbacks, .resolves/.rejects
5references/configuration.mdtestMatch, transform, moduleNameMapper, coverage, environments
6references/snapshot-testing.mdtoMatchSnapshot, inline snapshots, property matchers, serializers
7references/module-mocking.mdManual mocks, mocks, ESM mocking, partial mocking
8references/anti-patterns.md15 common mistakes with BAD/GOOD examples
9references/ci-and-debugging.mdCI optimization, sharding, debugging, troubleshooting

Ecosystem: Related Testing Skills

This Jest skill covers Jest's own API surface — the foundation layer. For framework-specific testing patterns built on top of Jest, use these companion skills:

Testing needCompanion skillWhat it covers
API mocking (network-level)mswMSW 2.0 handlers, setupServer, server.use() per-test overrides, HttpResponse.json(), GraphQL mocking, concurrent test isolation
React Native componentsreact-native-testingRNTL v13/v14 queries (getByRole, findBy), userEvent, fireEvent, waitFor, async render patterns
Zod schema validationzod-testingsafeParse() result testing, z.flattenError() assertions, z.toJSONSchema() snapshot drift, zod-schema-faker mock data, property-based testing
Redux-Saga side effectsredux-saga-testingexpectSaga integration tests, testSaga unit tests, providers, reducer integration, cancellation testing
Java testingjava-testingJUnit 5, Mockito, Spring Boot Test slices, Testcontainers, AssertJ

How They Interact

┌─────────────────────────────────────────────┐
│              Your Test File                 │
│                                             │
│  import { setupServer } from 'msw/node'     │  → msw skill
│  import { render } from '@testing-library/  │  → react-native-testing skill
│            react-native'                    │
│  import { UserSchema } from './schemas'     │  → zod-testing skill
│                                             │
│  describe('UserScreen', () => {             │  ┐
│    beforeEach(() => { ... })                │  │
│    afterEach(() => jest.restoreAllMocks())   │  │→ jest skill (this one)
│    test('...', async () => {                │  │
│      await expect(...).resolves.toEqual()   │  │
│    })                                       │  ┘
│  })                                         │
└─────────────────────────────────────────────┘

The Jest skill provides the test lifecycle (describe, test, beforeEach, afterEach), mock system (jest.fn, jest.mock, jest.spyOn), assertion engine (expect, matchers), and configuration (jest.config.js). The companion skills provide patterns for their specific APIs that run on top of Jest.

Full Compiled Document

For the complete guide with all rules expanded: AGENTS.md

Files

40 total
Select a file
Select a file to preview.

Comments

Loading comments…