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

tradelab

v0.5.0

Published

Backtesting toolkit for Node.js with strategy simulation, historical data loading, and report generation

Readme

npm version GitHub License: MIT Node.js TypeScript


tradelab handles the simulation, sizing, exits, costs, and result exports; you bring the data and signal logic.

It works cleanly for a single-strategy backtest and scales up to portfolio runs, walk-forward testing, and detailed execution modeling. It is not a broker connector or a live trading tool.

npm install tradelab

Table of contents


What it includes

| Area | What you get | |---|---| | Engine | Candle and tick backtests with position sizing, exits, replay capture, and cost models | | Portfolio | Multi-system shared-capital simulation with live capital locking and daily loss halts | | Walk-forward | Rolling and anchored train/test validation with parameter search and stability summaries | | Data | Yahoo Finance downloads, CSV import, and local cache helpers | | Costs | Slippage, spread, and commission modeling | | Exports | HTML reports, metrics JSON, and trade CSV | | Dev experience | TypeScript definitions, ESM/CJS support, CLI for quick runs |


Quick start

If you already have candles, backtest() is the main entry point.

import { backtest, ema, exportBacktestArtifacts } from "tradelab";

const result = backtest({
  candles,
  symbol: "BTC-USD",
  interval: "5m",
  range: "60d",
  equity: 10_000,
  riskPct: 1,
  signal({ candles: history }) {
    if (history.length < 50) return null;

    const closes = history.map((bar) => bar.close);
    const fast = ema(closes, 10);
    const slow = ema(closes, 30);
    const last = closes.length - 1;

    if (fast[last - 1] <= slow[last - 1] && fast[last] > slow[last]) {
      const entry = history[last].close;
      const stop = Math.min(...history.slice(-15).map((bar) => bar.low));
      const risk = entry - stop;
      if (risk <= 0) return null;

      return { side: "long", entry, stop, rr: 2 };
    }

    return null;
  },
});

exportBacktestArtifacts({ result, outDir: "./output" });

After the run, check result.metrics for the headline numbers and result.positions for the trade log.


Loading historical data

Most users can start with getHistoricalCandles(). It abstracts over Yahoo Finance and CSV, handles caching, and normalizes the output so it feeds straight into backtest().

import { getHistoricalCandles, backtest } from "tradelab";

const candles = await getHistoricalCandles({
  source: "yahoo",
  symbol: "SPY",
  interval: "1d",
  period: "2y",
  cache: true,       // reuses local copy on repeated runs
});

const result = backtest({ candles, symbol: "SPY", interval: "1d", range: "2y", signal });

Supported sources: yahoo · csv · auto

Supported periods: 5d · 60d · 6mo · 1y · 2y · and more

Use cache: true for repeatable research runs. It eliminates network noise and makes failures easier to diagnose.

CSV import

const candles = await getHistoricalCandles({
  source: "csv",
  csvPath: "./data/spy.csv",
  csv: {
    timeCol: "timestamp",
    openCol: "open",
    // ... optional column mapping
  },
});

If your CSV already uses standard OHLCV column names, no mapping is needed at all.


Core concepts

The signal function

Your signal function is called on every bar. Return null to skip, or a signal object to open a trade.

signal({ candles, index, bar, equity, openPosition, pendingOrder }) {
  // return null to skip
  // return a signal to enter
  return {
    side: "long",      // "long" | "short" | "buy" | "sell"
    entry: bar.close,  // defaults to current close if omitted
    stop: bar.close - 2,
    rr: 2,             // target = entry + (entry - stop) * rr
  };
}

The minimum viable signal is just side, stop, and rr. Start there and add fields only when the strategy actually needs them.

Key backtest options

| Option | Purpose | |---|---| | equity | Starting equity (default 10000) | | riskPct | Percent of equity risked per trade | | warmupBars | Bars skipped before signal evaluation starts | | flattenAtClose | Forces end-of-day exit when enabled | | costs | Slippage, spread, and commission model | | strict | Throws on lookahead access | | collectEqSeries | Enables equity curve output | | collectReplay | Enables visualization payload |

Result shape

{
  symbol, interval, range,
  trades,     // every realized leg, including partial exits
  positions,  // completed positions - start here for analysis
  metrics,    // winRate, profitFactor, maxDrawdown, sharpe, ...
  eqSeries,   // [{ time, timestamp, equity }] - equity curve
  replay,     // visualization frames and events
}

First checks after any run:

  • metrics.trades - enough sample size to trust the numbers?
  • metrics.profitFactor - do winners beat losers gross of costs?
  • metrics.maxDrawdown - is the equity path survivable?
  • metrics.sideBreakdown - does one side carry the whole result?

Portfolio mode

Use backtestPortfolio() when you have one candle array per symbol and want a single combined result.

import { backtestPortfolio } from "tradelab";

const result = backtestPortfolio({
  equity: 100_000,
  systems: [
    { symbol: "SPY", candles: spy, signal: signalA, weight: 2 },
    { symbol: "QQQ", candles: qqq, signal: signalB, weight: 1 },
  ],
});

Weights now act as default per-system allocation caps rather than pre-funded sleeves. Capital is locked only when a fill happens, eqSeries includes lockedCapital and availableCapital, later systems size against remaining live capital, and maxDailyLossPct on backtestPortfolio() can halt the whole book for the rest of the day.


Walk-forward optimization

Use walkForwardOptimize() when one in-sample backtest is not enough. It supports rolling and anchored train/test windows across the full candle history.

import { walkForwardOptimize } from "tradelab";

const wf = walkForwardOptimize({
  candles,
  mode: "anchored",
  trainBars: 180,
  testBars: 60,
  stepBars: 60,
  scoreBy: "profitFactor",
  parameterSets: [
    { fast: 8,  slow: 21, rr: 2 },
    { fast: 10, slow: 30, rr: 2 },
  ],
  signalFactory(params) {
    return createSignalFromParams(params);
  },
});

Each window picks the best parameter set in training, then runs it blind on the test slice. The windows array now includes out-of-sample trade count, profitability, and a per-window stability score. bestParamsSummary reports how stable the winners were across the full run.


Tick backtests

Use backtestTicks() when you want event-driven fills on tick or quote data without changing the result shape used by metrics, exports, or replay.

import { backtestTicks } from "tradelab";

const result = backtestTicks({
  ticks,
  queueFillProbability: 0.35,
  signal,
});

Market entries fill on the next tick, limit orders can fill at the touch with configurable queue probability, and stop exits use the existing cost model with stop-specific slippage if you provide it in costs.slippageByKind.stop.


Execution and cost modeling

const result = backtest({
  candles,
  signal,
  costs: {
    slippageBps: 2,
    spreadBps: 1,
    slippageByKind: {
      market: 3,
      limit: 0.5,
      stop: 4,
    },
    commissionBps: 1,
    commissionPerUnit: 0,
    commissionPerOrder: 1,
    minCommission: 1,
  },
});
  • Slippage is applied in the trade direction
  • Spread is modeled as half-spread paid on entry and exit
  • Commission can be percentage-based, per-unit, per-order, or mixed
  • minCommission floors the fee per fill

Leaving costs at zero is the most common cause of inflated backtests. Set them from the start.


Exports and reporting

import { exportBacktestArtifacts } from "tradelab";

// Writes HTML report + trade CSV + metrics JSON in one call
exportBacktestArtifacts({ result, outDir: "./output" });

Or use the narrower helpers:

| Helper | Output | |---|---| | exportHtmlReport(options) | Interactive HTML report written to disk | | renderHtmlReport(options) | HTML report returned as a string | | exportTradesCsv(trades, options) | Flat trade ledger for spreadsheets or pandas | | exportMetricsJSON(options) | Machine-readable metrics for dashboards or automation |

For programmatic pipelines, exportMetricsJSON is usually the most useful format to build on.


CLI

The package ships a tradelab binary. Best for quick iteration, smoke tests, and trying the package before wiring it into application code.

# Backtest from Yahoo
npx tradelab backtest --source yahoo --symbol SPY --interval 1d --period 1y

# Backtest from CSV with a built-in strategy
npx tradelab backtest --source csv --csvPath ./data/btc.csv --strategy buy-hold --holdBars 3

# Multi-symbol portfolio
npx tradelab portfolio \
  --csvPaths ./data/spy.csv,./data/qqq.csv \
  --symbols SPY,QQQ \
  --strategy buy-hold

# Walk-forward validation
npx tradelab walk-forward \
  --source yahoo --symbol QQQ --interval 1d --period 2y \
  --trainBars 180 --testBars 60 --mode anchored

# Prefetch and cache data
npx tradelab prefetch --symbol SPY --interval 1d --period 1y
npx tradelab import-csv --csvPath ./data/spy.csv --symbol SPY --interval 1d

Built-in strategies: ema-cross · buy-hold

You can also point --strategy at a local module that exports default(args), createSignal(args), or signal for backtest, or signalFactory(params, args) plus parameterSets/createParameterSets(args) for walk-forward.


Examples

node examples/emaCross.js
node examples/yahooEmaCross.js SPY 1d 1y

The examples are a good place to start if you want something runnable before wiring the package into your own strategy code.


Importing

ESM

import { backtest, getHistoricalCandles, ema } from "tradelab";
import { fetchHistorical } from "tradelab/data";

CommonJS

const { backtest, getHistoricalCandles, ema } = require("tradelab");
const { fetchHistorical } = require("tradelab/data");

Documentation

| Guide | What it covers | |---|---| | Backtest engine | Signal contract, all options, result shape, portfolio mode, walk-forward | | Data, reporting, and CLI | Data loading, cache behavior, exports, CLI reference | | Strategy examples | Mean reversion, breakout, sentiment, LLM, and portfolio strategy patterns | | API reference | Compact index of every public export |


Common mistakes

  • Using unsorted candles or mixed intervals in a single series
  • Reading trades as if they were always full positions - use positions for top-line analysis
  • Leaving costs at zero and overestimating edge
  • Trusting one backtest without out-of-sample validation
  • Debugging a strategy with strict: false when lookahead is possible

Notes

  • Node 18+ is required
  • Yahoo downloads are cached under output/data by default
  • CommonJS and ESM are both supported
  • The engine is built for historical research - not brokerage execution or full exchange microstructure simulation