Warning
Labs currently only supports Node.js. Workers are spawned via tsx with V8-specific flags (--allow-natives-syntax, --expose-gc), which are not portable to Bun (JSC) or Deno. Portability will be on the roadmap.
Labs is JS benchmarking you can trust. Trying to get good signal is harder than you might think. VMs are non-deterministic, environments are unstable, and typical benchmarks don't give you any sense of a comparison's validity. Labs detects variance, giving feedback on how to fix it, and uses statistical analysis to determine if two runs are actually different.
npm i @pmndrs/labsCreate a config and a bench file. Benches use a generator where code before yield is setup, the yielded function is measured, and code after is teardown.
// labs.config.ts
import { defineConfig } from '@pmndrs/labs'
export default defineConfig({
benchDir: '.',
})Chain .gc('inner') to force GC between samples to control for collection and measure its impact. Use @tags in the name string for filtering.
// array-push.bench.ts
import { bench, group } from '@pmndrs/labs'
group('array @stress', () => {
bench('push 1k', function* () {
const arr: number[] = []
yield () => {
for (let i = 0; i < 1000; i++) arr.push(i)
}
})
})Each bench runs in an isolated worker process. CPU clock speed is measured before and after the run β if it drifted, Labs flags the result so it doesn't pollute comparisons. Adaptive sampling collects more samples until the confidence interval converges, or marks the bench noisy if it can't.
# Run benches all, save with auto timestamp
bench
# Or filter by tag
bench "@mytag"
# Save with a name for easier reading
bench "@mytag" -n 'v1.0.0'And get the pretty results.
labs
βΆ relation-churn.bench.ts (tsx + v8 flags)
clk: ~4.32 GHz
cpu: Apple M4 Pro
runtime: node 25.8.0 (arm64-darwin)
benchmark avg (min β¦ max) p75 / p99 (min β¦ top 1%)
------------------------------------------- -------------------------------
β’ relation churn
------------------------------------------- -------------------------------
β big test 17.80 ms/iter 18.02 ms βββββ β βββ
(17.25 ms β¦ 19.10 ms) 18.45 ms βββββββββββββββββββββ
gc( 1.09 ms ⦠3.12 ms) 47.63 mb ( 41.19 mb⦠50.10 mb)Compare against a baseline.
bench compareAnd see the results!
ββ compare 2026-03-20_16-25-36 -> 2026-03-20_16-36-12
Apple M4 Pro
Mann-Whitney U Ξ±=0.05 minΞ=5% cliff's dβ₯0.474
relation-churn.bench.ts
bench baseline candidate Ξp50 Ξp99 p
------------------------------------------------------------------------------------
β’ relation churn
----------------------------------------------------------------------------------
β big test 17.96ms 17.74ms -1.2% +0.1% .003
ββββ
β
βββ
β
β ββ
β
βββ
ββββEvery run saves results by default (auto-timestamped). Use bench run to execute without saving.
pnpm bench # run all, save with auto timestamp
pnpm bench "relation" # partial match on file name, save
pnpm bench "relation churn" # separator-agnostic match, save
pnpm bench "@relation" # filter by tag, save
pnpm bench "churn @relation" # name + tag combined, save
pnpm bench -n "v1.2.0" # save with explicit name
pnpm bench -n "v1.2.0" -m "refactor" # save with name and description
pnpm bench --baseline # save and set as baseline
pnpm bench -b # shorthand for --baseline
pnpm bench -n "v1.2.0" -b # save with name and set as baseline
pnpm bench --compare # save, then compare vs baseline
pnpm bench -c # shorthand for --compare
pnpm bench --last # rerun previous selection, saveResults are saved to <benchDir>/.labs/results/<name>.json and include hardware metadata (CPU, arch, runtime) for like-for-like comparisons.
pnpm bench run # run all, no save
pnpm bench run "relation" # filtered, no save
pnpm bench run "@relation" # filtered by tag, no save
pnpm bench run --last # replay last selection, no savepnpm bench list # list all saved results
pnpm bench delete "v1.2.0" # delete a specific saved result
pnpm bench prune # remove results with unstable CPU clocks
pnpm bench clear # delete all saved resultsbench list shows each result's name, description, timestamp, and CPU. The current baseline is marked with (baseline).
pnpm bench baseline # interactive baseline picker
pnpm bench baseline "v1.2.0" # set a result as the baseline
pnpm bench --baseline # save and set the new result as baseline
pnpm bench -b # shorthand for --baselinepnpm bench compare # interactive picker (latest preselected)
pnpm bench compare "v1.3.0" # compare named result vs baseline
pnpm bench compare --last # replay the last compared pair
pnpm bench compare -l # shorthand for --lastOutputs a colored table for each eligible benchmark:
| Column | Description |
|---|---|
| baseline | Baseline p50 (median) time |
| candidate | Candidate p50 (median) time |
| Ξp50 | Signed percent change in p50 β color-coded green (faster), red (slower), or dim (neutral) |
| Ξp99 | Signed percent change in p99 β when this diverges from Ξp50, the distribution shape changed |
| p | Mann-Whitney U p-value β below alpha = statistically significant |
Each row is prefixed with a verdict icon: green β² (faster), red βΌ (slower), or gray β (neutral). Below each row, two distribution sparklines sit under their respective columns β baseline (cyan) and candidate (magenta) β on a shared axis. This makes distribution shifts, bimodal behavior, and tail changes visible at a glance.
Comparison is gated. Two runs must pass all checks before any results are shown.
Environment checks (fail = entire comparison is denied):
- Hardware match β CPU model, architecture, and runtime (Node/Bun/etc.) must be identical between runs.
- Clock stability β each run's CPU frequency must be stable throughout (pre/post drift < 5%), and the two runs must have run at comparable clock speeds (< 5% apart). Unstable clocks produce unreliable timings regardless of sample count.
Per-bench checks (fail = that bench is skipped with a reason):
- Not missing β the bench must exist in both runs. Benches present only in baseline or only in candidate are reported separately.
- Not noisy β neither run's samples can be flagged
noisy(adaptive sampling hitmaxCpuTimebefore converging). Noisy data is not reliable enough to compare. - Minimum samples β both runs must have β₯ 14 samples after outlier trimming. The MW-U normal approximation is unreliable below this threshold.
import { bench, group } from 'labs'
group('my-group @mytag', () => {
bench('my-bench', function* () {
// setup
yield () => {
// measured code
}
// teardown
}).gc('inner')
})Tags are @-prefixed tokens in the group or bench name string. They are stripped from the display name and used for filtering.
group('relation-queries @relation', () => {
bench('ChildOf(parent)', function* () { ... }).gc('inner');
bench('wildcard @slow', function* () { ... }).gc('inner');
});Tags inherit: ChildOf(parent) has effective tags [@relation], wildcard has [@relation, @slow].
Filter by tag (quote the @ so pnpm passes it through):
pnpm bench "@relation" # runs both benches
pnpm bench "@slow" # runs only wildcardLabs is single-run only. Each benchmark comparison uses mitata's collected sample arrays for the baseline and candidate.
A change is flagged only when all three conditions are met:
**p <= alpha**(Mann-Whitney U, default 0.05) β statistical significance. The Mann-Whitney U test is a non-parametric, rank-based test that determines whether values from one group consistently rank higher than the other. It is robust to non-normal distributions and GC-induced outliers.**|Ξp50| >= minDelta**(default 5%) β practical magnitude. Filters environmental noise (thermal throttling, OS scheduling, etc.) that can produce statistically significant but practically meaningless differences, especially on hybrid-core CPUs.**|cliff's d| >= minEffect**(default 0.474) β effect size. Cliff's delta measures how separated two distributions are (range [-1, +1]). High-variance benchmarks can show large median shifts while the actual sample distributions overlap heavily β a sign of JIT/scheduling noise rather than a real code change. The default threshold of 0.474 corresponds to the "medium" effect size boundary (Romano et al. 2006), meaning at least ~74% of pairwise sample comparisons must favor one direction.
The p99 ratio provides a variance/stability signal. When it diverges from the p50 ratio, the distribution shape changed between runs (e.g., tails got worse even if the median improved).
Place labs.config.ts alongside your bench files:
import { defineConfig } from 'labs'
export default defineConfig({
benchDir: '.',
benchMatch: '**/*.bench.ts',
nodeFlags: ['--allow-natives-syntax', '--expose-gc'],
})| Option | Default | Description |
| ------------ | ------------------------------------------- | ------------------------------------------------------------------------------------------------------------------ | --------- | ------------------------------------------------------------------------------------- |
| benchDir | (required) | Directory to search, relative to config file |
| benchMatch | **/*.bench.ts | Glob pattern for discovery |
| nodeFlags | ['--allow-natives-syntax', '--expose-gc'] | Node flags per worker process |
| resultsDir | .labs | Directory for saved results, relative to config |
| adaptive | true | Adaptive sampling mode: true uses default CI threshold, false disables, number sets CI threshold (e.g. 0.01) |
| maxCpuTime | 5 | Max CPU budget in seconds for adaptive sampling; benches that don't converge or reach minSamples are noisy |
| minCpuTime | 0.642 | Minimum CPU time budget per benchmark in seconds; set to raise/lower runtime budget |
| minSamples | 20 | Minimum sample count per benchmark; set to increase/decrease sample floor |
| maxSamples | 1e9 | Maximum sample cap per benchmark to prevent pathological long runs |
| alpha | 0.05 | Mann-Whitney U significance level |
| minDelta | 0.05 | Minimum absolute Ξp50 ratio to flag a verdict; filters environmental noise on identical code |
| minEffect | 0.474 | Minimum | Cliff's d | to flag a verdict; filters noise on high-variance benches where distributions overlap |
Sampling behavior:
adaptive: false: fixed stopping (samples >= minSamplesandcpu_time >= minCpuTime) withmaxSamplesas cap.adaptive: true: adaptive CI stopping with default threshold (2.5%), but never beforeminSamplesandminCpuTime.adaptive: <number>: same adaptive behavior with a custom CI threshold (0.01is stricter than0.025).- In adaptive mode,
maxCpuTimeis a hard budget. Benchmarks that don't converge or don't reachminSamplesare markednoisy.
Note
More info: adaptive statistics
Labs uses online variance in log-space (Welford update) to handle long-tailed VM timing samples. This means convergence is based on multiplicative error (relative confidence), which is usually more stable for benchmark timing data than linear-space variance.
Stopping in adaptive mode is:
- Floor: wait until both
minSamplesandminCpuTimeare reached - Converged: stop once the relative CI target is met (
adaptive: true=>2.5%,adaptive: 0.01=>1%) - Bailout: if convergence or
minSamplesis not reached beforemaxCpuTime, mark asnoisy - Safety cap:
maxSamplesstill limits pathological runs