A TypeScript framework for backtesting and live trading strategies on multi-asset, crypto, forex or DEX (peer-to-peer marketplace), spot, futures with crash-safe persistence, signal validation, and AI optimization.

Build reliable trading systems: backtest on historical data, deploy live bots with recovery, and optimize strategies using LLMs like Ollama.
π API Reference | π Quick Start | π° Article
Create a production-ready trading bot in seconds:
# Create project with npx (recommended)
npx -y @backtest-kit/sidekick my-trading-bot
cd my-trading-bot
npm start
Want to see the code? π Demo app π
npm install backtest-kit ccxt ollama uuid
With the calculation of PnL
import { setLogger, setConfig } from 'backtest-kit';
// Enable logging
setLogger({
log: console.log,
debug: console.debug,
info: console.info,
warn: console.warn,
});
// Global config (optional)
setConfig({
CC_PERCENT_SLIPPAGE: 0.1, // % slippage
CC_PERCENT_FEE: 0.1, // % fee
CC_SCHEDULE_AWAIT_MINUTES: 120, // Pending signal timeout
});
import ccxt from 'ccxt';
import { addExchangeSchema, addStrategySchema, addFrameSchema, addRiskSchema } from 'backtest-kit';
// Exchange (data source)
addExchangeSchema({
exchangeName: 'binance',
getCandles: async (symbol, interval, since, limit) => {
const exchange = new ccxt.binance();
const ohlcv = await exchange.fetchOHLCV(symbol, interval, since.getTime(), limit);
return ohlcv.map(([timestamp, open, high, low, close, volume]) => ({ timestamp, open, high, low, close, volume }));
},
formatPrice: (symbol, price) => price.toFixed(2),
formatQuantity: (symbol, quantity) => quantity.toFixed(8),
});
// Risk profile
addRiskSchema({
riskName: 'demo',
validations: [
// TP at least 1%
({ pendingSignal, currentPrice }) => {
const { priceOpen = currentPrice, priceTakeProfit, position } = pendingSignal;
const tpDistance = position === 'long' ? ((priceTakeProfit - priceOpen) / priceOpen) * 100 : ((priceOpen - priceTakeProfit) / priceOpen) * 100;
if (tpDistance < 1) throw new Error(`TP too close: ${tpDistance.toFixed(2)}%`);
},
// R/R at least 2:1
({ pendingSignal, currentPrice }) => {
const { priceOpen = currentPrice, priceTakeProfit, priceStopLoss, position } = pendingSignal;
const reward = position === 'long' ? priceTakeProfit - priceOpen : priceOpen - priceTakeProfit;
const risk = position === 'long' ? priceOpen - priceStopLoss : priceStopLoss - priceOpen;
if (reward / risk < 2) throw new Error('Poor R/R ratio');
},
],
});
// Time frame
addFrameSchema({
frameName: '1d-test',
interval: '1m',
startDate: new Date('2025-12-01'),
endDate: new Date('2025-12-02'),
});
import { v4 as uuid } from 'uuid';
import { addStrategySchema, dumpSignalData, getCandles } from 'backtest-kit';
import { json } from './utils/json.mjs'; // LLM wrapper
import { getMessages } from './utils/messages.mjs'; // Market data prep
addStrategySchema({
strategyName: 'llm-strategy',
interval: '5m',
riskName: 'demo',
getSignal: async (symbol) => {
const candles1h = await getCandles(symbol, "1h", 24);
const candles15m = await getCandles(symbol, "15m", 48);
const candles5m = await getCandles(symbol, "5m", 60);
const candles1m = await getCandles(symbol, "1m", 60);
const messages = await getMessages(symbol, {
candles1h,
candles15m,
candles5m,
candles1m,
}); // Calculate indicators / Fetch news
const resultId = uuid();
const signal = await json(messages); // LLM generates signal
await dumpSignalData(resultId, messages, signal); // Log
return { ...signal, id: resultId };
},
});
import { Backtest, listenSignalBacktest, listenDoneBacktest } from 'backtest-kit';
Backtest.background('BTCUSDT', {
strategyName: 'llm-strategy',
exchangeName: 'binance',
frameName: '1d-test',
});
listenSignalBacktest((event) => console.log(event));
listenDoneBacktest(async (event) => {
await Backtest.dump(event.symbol, event.strategyName); // Generate report
});
import { Live, listenSignalLive } from 'backtest-kit';
Live.background('BTCUSDT', {
strategyName: 'llm-strategy',
exchangeName: 'binance', // Use API keys in .env
});
listenSignalLive((event) => console.log(event));
listenRisk, listenError, listenPartialProfit/Loss for alerts.Backtest.dump(), Live.dump().Customize via setConfig():
CC_SCHEDULE_AWAIT_MINUTES: Pending timeout (default: 120).CC_AVG_PRICE_CANDLES_COUNT: VWAP candles (default: 5).Backtest Kit is not a data-processing library - it is a time execution engine. Think of the engine as an async stream of time, where your strategy is evaluated step by step.
These three functions work together to dynamically manage the position. To reduce position linearity, by default, each DCA entry is formatted as a fixed unit of $100. This can be changed. No mathematical knowledge is required.
Public API:
commitAverageBuy β adds a new DCA entry. For LONG, only accepted when current price is below a new low. Silently rejected otherwise. This prevents averaging up. Can be overridden using setConfigcommitPartialProfit β closes X% of the position at a profit. Locks in gains while keeping exposure.commitPartialLoss β closes X% of the position at a loss. Cuts exposure before the stop-loss is hit.Scenario: LONG entry @ 1000, 4 DCA attempts (1 rejected), 3 partials, closed at TP.
totalInvested = $400 (4 Γ $100, rejected attempt not counted).
Entries
entry#1 @ 1000 β 0.10000 coins
commitPartialProfit(30%) @ 1150 β cnt=1
entry#2 @ 950 β 0.10526 coins
entry#3 @ 880 β 0.11364 coins
commitPartialLoss(20%) @ 860 β cnt=3
entry#4 @ 920 β 0.10870 coins
commitPartialProfit(40%) @ 1050 β cnt=4
entry#5 @ 980 β REJECTED (980 > ep3β929.92)
totalInvested = $400
Partial#1 β commitPartialProfit @ 1150, 30%, cnt=1
effectivePrice = hm(1000) = 1000
costBasis = $100
partialDollarValue = 30% Γ 100 = $30 β weight = 30/400 = 0.075
pnl = (1150β1000)/1000 Γ 100 = +15.00%
costBasis β $70
coins sold: 0.03000 Γ 1150 = $34.50
remaining: 0.07000
DCA after Partial#1
entry#2 @ 950 (950 < ep1=1000 β accepted)
entry#3 @ 880 (880 < ep1=1000 β accepted)
coins: 0.07000 + 0.10526 + 0.11364 = 0.28890
Partial#2 β commitPartialLoss @ 860, 20%, cnt=3
costBasis = 70 + 100 + 100 = $270
ep2 = 270 / 0.28890 β 934.58
partialDollarValue = 20% Γ 270 = $54 β weight = 54/400 = 0.135
pnl = (860β934.58)/934.58 Γ 100 β β7.98%
costBasis β $216
coins sold: 0.05778 Γ 860 = $49.69
remaining: 0.23112
DCA after Partial#2
entry#4 @ 920 (920 < ep2=934.58 β accepted)
coins: 0.23112 + 0.10870 = 0.33982
Partial#3 β commitPartialProfit @ 1050, 40%, cnt=4
costBasis = 216 + 100 = $316
ep3 = 316 / 0.33982 β 929.92
partialDollarValue = 40% Γ 316 = $126.4 β weight = 126.4/400 = 0.316
pnl = (1050β929.92)/929.92 Γ 100 β +12.91%
costBasis β $189.6
coins sold: 0.13593 Γ 1050 = $142.72
remaining: 0.20389
DCA after Partial#3 β rejected
entry#5 @ 980 (980 > ep3β929.92 β REJECTED)
Close at TP @ 1200
ep_final = ep3 β 929.92 (no new entries)
coins: 0.20389
remainingDollarValue = 400 β 30 β 54 β 126.4 = $189.6
weight = 189.6/400 = 0.474
pnl = (1200β929.92)/929.92 Γ 100 β +29.04%
coins sold: 0.20389 Γ 1200 = $244.67
Result (toProfitLossDto)
0.075 Γ (+15.00) = +1.125
0.135 Γ (β7.98) = β1.077
0.316 Γ (+12.91) = +4.080
0.474 Γ (+29.04) = +13.765
βββββββββββββββββββββββββββββ
β +17.89%
Cross-check (coins):
34.50 + 49.69 + 142.72 + 244.67 = $471.58
(471.58 β 400) / 400 Γ 100 = +17.90% β
priceOpen is the harmonic mean of all accepted DCA entries. After each partial close (commitPartialProfit or commitPartialLoss), the remaining cost basis is carried forward into the harmonic mean calculation for subsequent entries β so priceOpen shifts after every partial, which in turn changes whether the next commitAverageBuy call will be accepted.
Broker.useBrokerAdapter connects a live exchange (ccxt, Binance, etc.) to the framework with transaction safety. Every commit method fires before the internal position state mutates. If the exchange rejects the order, the fill times out, or the network fails, the adapter throws, the mutation is skipped, and backtest-kit retries automatically on the next tick.
Spot
import ccxt from "ccxt";
import { singleshot, sleep } from "functools-kit";
import {
Broker,
IBroker,
BrokerSignalOpenPayload,
BrokerSignalClosePayload,
BrokerPartialProfitPayload,
BrokerPartialLossPayload,
BrokerTrailingStopPayload,
BrokerTrailingTakePayload,
BrokerBreakevenPayload,
BrokerAverageBuyPayload,
} from "backtest-kit";
const FILL_POLL_INTERVAL_MS = 10_000;
const FILL_POLL_ATTEMPTS = 10;
const getSpotExchange = singleshot(async () => {
const exchange = new ccxt.binance({
apiKey: process.env.BINANCE_API_KEY,
secret: process.env.BINANCE_API_SECRET,
options: {
defaultType: "spot",
adjustForTimeDifference: true,
recvWindow: 60000,
},
enableRateLimit: true,
});
await exchange.loadMarkets();
return exchange;
});
/**
* Place a limit order and poll until filled (status === "closed").
* On timeout: cancel the order, sell any partial fill via market to rollback cleanly,
* then throw β backtest-kit will retry the commit against a clean exchange state.
*/
async function createLimitOrderAndWait(
exchange: ccxt.binance,
symbol: string,
side: "buy" | "sell",
qty: number,
price: number
): Promise<void> {
const order = await exchange.createOrder(symbol, "limit", side, qty, price);
for (let i = 0; i !== FILL_POLL_ATTEMPTS; i++) {
await sleep(FILL_POLL_INTERVAL_MS);
const status = await exchange.fetchOrder(order.id, symbol);
if (status.status === "closed") {
return;
}
}
// Cancel the remaining open portion
await exchange.cancelOrder(order.id, symbol);
// Check how much was partially filled
const final = await exchange.fetchOrder(order.id, symbol);
const filledQty = final.filled ?? 0;
if (filledQty > 0) {
// Sell partial fill via market to restore clean exchange state before backtest-kit retries
const rollbackSide = side === "buy" ? "sell" : "buy";
await exchange.createOrder(symbol, "market", rollbackSide, filledQty);
}
throw new Error(`Limit order ${order.id} [${side} ${qty} ${symbol} @ ${price}] not filled in time β partial fill rolled back, backtest-kit will retry`);
}
Broker.useBrokerAdapter(
class implements IBroker {
async waitForInit(): Promise<void> {
await getSpotExchange();
}
async onSignalOpenCommit(payload: BrokerSignalOpenPayload): Promise<void> {
const { symbol, cost, priceOpen, priceTakeProfit, priceStopLoss, position } = payload;
// Spot does not support short selling β reject immediately so backtest-kit skips the mutation
if (position === "short") {
throw new Error(`SpotBrokerAdapter: short position is not supported on spot (symbol=${symbol})`);
}
const exchange = await getSpotExchange();
const qty = parseFloat(exchange.amountToPrecision(symbol, cost / priceOpen));
const openPrice = parseFloat(exchange.priceToPrecision(symbol, priceOpen));
const tpPrice = parseFloat(exchange.priceToPrecision(symbol, priceTakeProfit));
const slPrice = parseFloat(exchange.priceToPrecision(symbol, priceStopLoss));
// Entry: limit buy, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, "buy", qty, openPrice);
// Take-profit: resting limit sell, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "limit", "sell", qty, tpPrice);
// Stop-loss: resting stop-limit sell, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "stop_loss_limit", "sell", qty, slPrice, { stopPrice: slPrice });
}
async onSignalCloseCommit(payload: BrokerSignalClosePayload): Promise<void> {
const { symbol, currentPrice } = payload;
const exchange = await getSpotExchange();
// Cancel all resting SL/TP orders β throws on exchange error, backtest-kit retries
const orders = await exchange.fetchOpenOrders(symbol);
for (const order of orders) {
await exchange.cancelOrder(order.id, symbol);
}
const balance = await exchange.fetchBalance();
const base = symbol.replace(/USDT|BUSD|BTC|ETH$/, "");
const qty = parseFloat(String(balance?.free?.[base] ?? 0));
if (qty > 0) {
const closePrice = parseFloat(exchange.priceToPrecision(symbol, currentPrice));
// Close: limit sell, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, "sell", qty, closePrice);
}
}
async onPartialProfitCommit(payload: BrokerPartialProfitPayload): Promise<void> {
const { symbol, cost, currentPrice } = payload;
const exchange = await getSpotExchange();
// Cancel all resting orders before partial close β throws on exchange error, backtest-kit retries
const orders = await exchange.fetchOpenOrders(symbol);
for (const order of orders) {
await exchange.cancelOrder(order.id, symbol);
}
const qty = parseFloat(exchange.amountToPrecision(symbol, cost / currentPrice));
const closePrice = parseFloat(exchange.priceToPrecision(symbol, currentPrice));
// Partial close: limit sell, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, "sell", qty, closePrice);
}
async onPartialLossCommit(payload: BrokerPartialLossPayload): Promise<void> {
const { symbol, cost, currentPrice } = payload;
const exchange = await getSpotExchange();
// Cancel all resting orders before partial close β throws on exchange error, backtest-kit retries
const orders = await exchange.fetchOpenOrders(symbol);
for (const order of orders) {
await exchange.cancelOrder(order.id, symbol);
}
const qty = parseFloat(exchange.amountToPrecision(symbol, cost / currentPrice));
const closePrice = parseFloat(exchange.priceToPrecision(symbol, currentPrice));
// Partial close: limit sell, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, "sell", qty, closePrice);
}
async onTrailingStopCommit(payload: BrokerTrailingStopPayload): Promise<void> {
const { symbol, newStopLossPrice } = payload;
const exchange = await getSpotExchange();
// Cancel existing SL order only β TP stays untouched
const orders = await exchange.fetchOpenOrders(symbol);
const slOrder = orders.find((o) => ["stop_loss_limit", "stop", "STOP_LOSS_LIMIT"].includes(o.type ?? "")) ?? null;
if (slOrder) {
await exchange.cancelOrder(slOrder.id, symbol);
}
const balance = await exchange.fetchBalance();
const base = symbol.replace(/USDT|BUSD|BTC|ETH$/, "");
const qty = parseFloat(String(balance?.free?.[base] ?? 0));
const slPrice = parseFloat(exchange.priceToPrecision(symbol, newStopLossPrice));
// Updated SL: resting stop-limit sell, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "stop_loss_limit", "sell", qty, slPrice, { stopPrice: slPrice });
}
async onTrailingTakeCommit(payload: BrokerTrailingTakePayload): Promise<void> {
const { symbol, newTakeProfitPrice } = payload;
const exchange = await getSpotExchange();
// Cancel existing TP order only β SL stays untouched
const orders = await exchange.fetchOpenOrders(symbol);
const tpOrder = orders.find((o) => ["limit", "LIMIT"].includes(o.type ?? "")) ?? null;
if (tpOrder) {
await exchange.cancelOrder(tpOrder.id, symbol);
}
const balance = await exchange.fetchBalance();
const base = symbol.replace(/USDT|BUSD|BTC|ETH$/, "");
const qty = parseFloat(String(balance?.free?.[base] ?? 0));
const tpPrice = parseFloat(exchange.priceToPrecision(symbol, newTakeProfitPrice));
// Updated TP: resting limit sell, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "limit", "sell", qty, tpPrice);
}
async onBreakevenCommit(payload: BrokerBreakevenPayload): Promise<void> {
const { symbol, newStopLossPrice } = payload;
const exchange = await getSpotExchange();
// Cancel existing SL order only β TP stays untouched
const orders = await exchange.fetchOpenOrders(symbol);
const slOrder = orders.find((o) => ["stop_loss_limit", "stop", "STOP_LOSS_LIMIT"].includes(o.type ?? "")) ?? null;
if (slOrder) {
await exchange.cancelOrder(slOrder.id, symbol);
}
const balance = await exchange.fetchBalance();
const base = symbol.replace(/USDT|BUSD|BTC|ETH$/, "");
const qty = parseFloat(String(balance?.free?.[base] ?? 0));
const slPrice = parseFloat(exchange.priceToPrecision(symbol, newStopLossPrice));
// Breakeven SL: resting stop-limit sell at entry price, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "stop_loss_limit", "sell", qty, slPrice, { stopPrice: slPrice });
}
async onAverageBuyCommit(payload: BrokerAverageBuyPayload): Promise<void> {
const { symbol, currentPrice, cost } = payload;
const exchange = await getSpotExchange();
const qty = parseFloat(exchange.amountToPrecision(symbol, cost / currentPrice));
const entryPrice = parseFloat(exchange.priceToPrecision(symbol, currentPrice));
// DCA entry: limit buy, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, "buy", qty, entryPrice);
}
}
);
Broker.enable();
Futures
import ccxt from "ccxt";
import { singleshot, sleep } from "functools-kit";
import {
Broker,
IBroker,
BrokerSignalOpenPayload,
BrokerSignalClosePayload,
BrokerPartialProfitPayload,
BrokerPartialLossPayload,
BrokerTrailingStopPayload,
BrokerTrailingTakePayload,
BrokerBreakevenPayload,
BrokerAverageBuyPayload,
} from "backtest-kit";
const FILL_POLL_INTERVAL_MS = 10_000;
const FILL_POLL_ATTEMPTS = 10;
const getFuturesExchange = singleshot(async () => {
const exchange = new ccxt.binance({
apiKey: process.env.BINANCE_API_KEY,
secret: process.env.BINANCE_API_SECRET,
options: {
defaultType: "future",
adjustForTimeDifference: true,
recvWindow: 60000,
},
enableRateLimit: true,
});
await exchange.loadMarkets();
return exchange;
});
/**
* Place a limit order and poll until filled (status === "closed").
* On timeout: cancel the order, sell any partial fill via market to rollback cleanly,
* then throw β backtest-kit will retry the commit against a clean exchange state.
*/
async function createLimitOrderAndWait(
exchange: ccxt.binance,
symbol: string,
side: "buy" | "sell",
qty: number,
price: number
): Promise<void> {
const order = await exchange.createOrder(symbol, "limit", side, qty, price);
for (let i = 0; i !== FILL_POLL_ATTEMPTS; i++) {
await sleep(FILL_POLL_INTERVAL_MS);
const status = await exchange.fetchOrder(order.id, symbol);
if (status.status === "closed") {
return;
}
}
// Cancel the remaining open portion
await exchange.cancelOrder(order.id, symbol);
// Check how much was partially filled
const final = await exchange.fetchOrder(order.id, symbol);
const filledQty = final.filled ?? 0;
if (filledQty > 0) {
// Close partial fill via market to restore clean exchange state before backtest-kit retries
const rollbackSide = side === "buy" ? "sell" : "buy";
await exchange.createOrder(symbol, "market", rollbackSide, filledQty, undefined, { reduceOnly: true });
}
throw new Error(`Limit order ${order.id} [${side} ${qty} ${symbol} @ ${price}] not filled in time β partial fill rolled back, backtest-kit will retry`);
}
Broker.useBrokerAdapter(
class implements IBroker {
async waitForInit(): Promise<void> {
await getFuturesExchange();
}
async onSignalOpenCommit(payload: BrokerSignalOpenPayload): Promise<void> {
const { symbol, cost, priceOpen, priceTakeProfit, priceStopLoss, position } = payload;
const exchange = await getFuturesExchange();
const qty = parseFloat(exchange.amountToPrecision(symbol, cost / priceOpen));
const openPrice = parseFloat(exchange.priceToPrecision(symbol, priceOpen));
const tpPrice = parseFloat(exchange.priceToPrecision(symbol, priceTakeProfit));
const slPrice = parseFloat(exchange.priceToPrecision(symbol, priceStopLoss));
const entrySide = position === "long" ? "buy" : "sell";
const exitSide = position === "long" ? "sell" : "buy";
// Entry: limit order, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, entrySide, qty, openPrice);
// Take-profit: resting limit on exit side, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "limit", exitSide, qty, tpPrice, { reduceOnly: true });
// Stop-loss: resting stop-market on exit side, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "stop_market", exitSide, qty, undefined, { stopPrice: slPrice, reduceOnly: true });
}
async onSignalCloseCommit(payload: BrokerSignalClosePayload): Promise<void> {
const { symbol, position, currentPrice } = payload;
const exchange = await getFuturesExchange();
// Cancel all resting SL/TP orders β throws on exchange error, backtest-kit retries
const orders = await exchange.fetchOpenOrders(symbol);
for (const order of orders) {
await exchange.cancelOrder(order.id, symbol);
}
const positions = await exchange.fetchPositions([symbol]);
const pos = positions.find((p) => p.symbol === symbol);
const qty = Math.abs(parseFloat(String(pos?.contracts ?? 0)));
const exitSide = position === "long" ? "sell" : "buy";
if (qty > 0) {
const closePrice = parseFloat(exchange.priceToPrecision(symbol, currentPrice));
// Close: limit order on exit side, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, exitSide, qty, closePrice);
}
}
async onPartialProfitCommit(payload: BrokerPartialProfitPayload): Promise<void> {
const { symbol, cost, currentPrice, position } = payload;
const exchange = await getFuturesExchange();
// Cancel all resting orders before partial close β throws on exchange error, backtest-kit retries
const orders = await exchange.fetchOpenOrders(symbol);
for (const order of orders) {
await exchange.cancelOrder(order.id, symbol);
}
const qty = parseFloat(exchange.amountToPrecision(symbol, cost / currentPrice));
const closePrice = parseFloat(exchange.priceToPrecision(symbol, currentPrice));
const exitSide = position === "long" ? "sell" : "buy";
// Partial close: limit order on exit side, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, exitSide, qty, closePrice);
}
async onPartialLossCommit(payload: BrokerPartialLossPayload): Promise<void> {
const { symbol, cost, currentPrice, position } = payload;
const exchange = await getFuturesExchange();
// Cancel all resting orders before partial close β throws on exchange error, backtest-kit retries
const orders = await exchange.fetchOpenOrders(symbol);
for (const order of orders) {
await exchange.cancelOrder(order.id, symbol);
}
const qty = parseFloat(exchange.amountToPrecision(symbol, cost / currentPrice));
const closePrice = parseFloat(exchange.priceToPrecision(symbol, currentPrice));
const exitSide = position === "long" ? "sell" : "buy";
// Partial close: limit order on exit side, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, exitSide, qty, closePrice);
}
async onTrailingStopCommit(payload: BrokerTrailingStopPayload): Promise<void> {
const { symbol, newStopLossPrice, position } = payload;
const exchange = await getFuturesExchange();
// Cancel existing SL order only β TP stays untouched
const orders = await exchange.fetchOpenOrders(symbol);
const slOrder = orders.find((o) => ["stop_market", "stop", "STOP_MARKET"].includes(o.type ?? "")) ?? null;
if (slOrder) {
await exchange.cancelOrder(slOrder.id, symbol);
}
const positions = await exchange.fetchPositions([symbol]);
const pos = positions.find((p) => p.symbol === symbol);
const qty = Math.abs(parseFloat(String(pos?.contracts ?? 0)));
const slPrice = parseFloat(exchange.priceToPrecision(symbol, newStopLossPrice));
const exitSide = position === "long" ? "sell" : "buy";
// Updated SL: resting stop-market on exit side, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "stop_market", exitSide, qty, undefined, { stopPrice: slPrice, reduceOnly: true });
}
async onTrailingTakeCommit(payload: BrokerTrailingTakePayload): Promise<void> {
const { symbol, newTakeProfitPrice, position } = payload;
const exchange = await getFuturesExchange();
// Cancel existing TP order only β SL stays untouched
const orders = await exchange.fetchOpenOrders(symbol);
const tpOrder = orders.find((o) => ["limit", "LIMIT"].includes(o.type ?? "")) ?? null;
if (tpOrder) {
await exchange.cancelOrder(tpOrder.id, symbol);
}
const positions = await exchange.fetchPositions([symbol]);
const pos = positions.find((p) => p.symbol === symbol);
const qty = Math.abs(parseFloat(String(pos?.contracts ?? 0)));
const tpPrice = parseFloat(exchange.priceToPrecision(symbol, newTakeProfitPrice));
const exitSide = position === "long" ? "sell" : "buy";
// Updated TP: resting limit on exit side, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "limit", exitSide, qty, tpPrice, { reduceOnly: true });
}
async onBreakevenCommit(payload: BrokerBreakevenPayload): Promise<void> {
const { symbol, newStopLossPrice, position } = payload;
const exchange = await getFuturesExchange();
// Cancel existing SL order only β TP stays untouched
const orders = await exchange.fetchOpenOrders(symbol);
const slOrder = orders.find((o) => ["stop_market", "stop", "STOP_MARKET"].includes(o.type ?? "")) ?? null;
if (slOrder) {
await exchange.cancelOrder(slOrder.id, symbol);
}
const positions = await exchange.fetchPositions([symbol]);
const pos = positions.find((p) => p.symbol === symbol);
const qty = Math.abs(parseFloat(String(pos?.contracts ?? 0)));
const slPrice = parseFloat(exchange.priceToPrecision(symbol, newStopLossPrice));
const exitSide = position === "long" ? "sell" : "buy";
// Breakeven SL: resting stop-market at entry price on exit side, accepted synchronously by Binance REST
await exchange.createOrder(symbol, "stop_market", exitSide, qty, undefined, { stopPrice: slPrice, reduceOnly: true });
}
async onAverageBuyCommit(payload: BrokerAverageBuyPayload): Promise<void> {
const { symbol, currentPrice, cost, position } = payload;
const exchange = await getFuturesExchange();
const qty = parseFloat(exchange.amountToPrecision(symbol, cost / currentPrice));
const entryPrice = parseFloat(exchange.priceToPrecision(symbol, currentPrice));
const entrySide = position === "long" ? "buy" : "sell";
// DCA entry: limit order, waits for fill β partial fill rolled back on timeout, backtest-kit retries
await createLimitOrderAndWait(exchange, symbol, entrySide, qty, entryPrice);
}
}
);
Broker.enable();
Signal open/close events are routed automatically via an internal event bus once Broker.enable() is called. No manual wiring needed. All other operations (partialProfit, trailingStop, breakeven, averageBuy) are intercepted explicitly before the corresponding state mutation.
backtest-kit uses Node.js AsyncLocalStorage to automatically provide
temporal time context to your strategies.
For a candle with:
timestamp = candle open time (openTime)stepMs = interval duration (e.g., 60000ms for "1m")timestamp + stepMsAlignment: All timestamps are aligned down to interval boundary. For example, for 15m interval: 00:17 β 00:15, 00:44 β 00:30
Adapter contract:
sincelimit candlessince + i * stepMs for i = 0..limit-1How since is calculated from when:
when = current execution context time (from AsyncLocalStorage)alignedWhen = Math.floor(when / stepMs) * stepMs (aligned down to interval boundary)since = alignedWhen - limit * stepMs (go back limit candles from aligned when)Boundary semantics (inclusive/exclusive):
since is always inclusive β first candle has timestamp === since
Exactly limit candles are returned
Last candle has timestamp === since + (limit - 1) * stepMs β inclusive
For getCandles: alignedWhen is exclusive β candle at that timestamp is NOT included (it's a pending/incomplete candle)
For getRawCandles: eDate is exclusive β candle at that timestamp is NOT included (it's a pending/incomplete candle)
For getNextCandles: alignedWhen is inclusive β first candle starts at alignedWhen (it's the current candle for backtest, already closed in historical data)
getCandles(symbol, interval, limit) - Returns exactly limit candles
when down to interval boundarysince = alignedWhen - limit * stepMs[since, alignedWhen) β half-open intervalgetCandles("BTCUSDT", "1m", 100) returns 100 candles ending before aligned whengetNextCandles(symbol, interval, limit) - Returns exactly limit candles (backtest only)
when down to interval boundarysince = alignedWhen (starts from aligned when, going forward)[alignedWhen, alignedWhen + limit * stepMs) β half-open intervalgetNextCandles("BTCUSDT", "1m", 10) returns next 10 candles starting from aligned whengetRawCandles(symbol, interval, limit?, sDate?, eDate?) - Flexible parameter combinations:
(limit) - since = alignedWhen - limit * stepMs, range [since, alignedWhen)(limit, sDate) - since = align(sDate), returns limit candles forward, range [since, since + limit * stepMs)(limit, undefined, eDate) - since = align(eDate) - limit * stepMs, eDate β exclusive, range [since, eDate)(undefined, sDate, eDate) - since = align(sDate), limit calculated from range, sDate β inclusive, eDate β exclusive, range [sDate, eDate)(limit, sDate, eDate) - since = align(sDate), returns limit candles, sDate β inclusivePersistent Cache:
since + i * stepMs for i = 0..limit-1According to this timestamp of a candle in backtest-kit is exactly the openTime, not closeTime
Key principles:
sincelimit candlessince + i * stepMsOrder book fetching uses the same temporal alignment as candles, but with a configurable time offset window instead of candle intervals.
**Time range calculation:**
- `when` = current execution context time (from AsyncLocalStorage)
- `offsetMinutes` = `CC_ORDER_BOOK_TIME_OFFSET_MINUTES` (configurable)
- `alignedTo` = `Math.floor(when / (offsetMinutes * 60000)) * (offsetMinutes * 60000)`
- `to` = `alignedTo` (aligned down to offset boundary)
- `from` = `alignedTo - offsetMinutes * 60000`
**Adapter contract:**
- `getOrderBook(symbol, depth, from, to, backtest)` is called on the exchange schema
- `depth` defaults to `CC_ORDER_BOOK_MAX_DEPTH_LEVELS`
- The `from`/`to` range represents a time window of exactly `offsetMinutes` duration
- Schema implementation may use the time range (backtest) or ignore it (live trading)
**Example with CC_ORDER_BOOK_TIME_OFFSET_MINUTES = 10:**
```
when = 1704067920000 // 2024-01-01 00:12:00 UTC
offsetMinutes = 10
offsetMs = 10 * 60000 // 600000ms
alignedTo = Math.floor(1704067920000 / 600000) * 600000
= 1704067800000 // 2024-01-01 00:10:00 UTC
to = 1704067800000 // 00:10:00 UTC
from = 1704067200000 // 00:00:00 UTC
```
Unlike candles, most exchanges (e.g. Binance GET /api/v3/depth) only expose the current order book with no historical query support β for backtest you must provide your own snapshot storage.
Key principles:
CC_ORDER_BOOK_TIME_OFFSET_MINUTES boundaryto = aligned timestamp, from = to - offsetMinutes * 60000depth defaults to CC_ORDER_BOOK_MAX_DEPTH_LEVELS(symbol, depth, from, to, backtest) β may ignore from/to in live modeAggregated trades fetching uses the same look-ahead bias protection as candles - to is always aligned down to the nearest minute boundary so future trades are never visible to the strategy.
Key principles:
to is always aligned down to the 1-minute boundary β prevents look-ahead biaslimit: returns one full window (CC_AGGREGATED_TRADES_MAX_MINUTES)limit: paginates backwards until collected, then slices to most recent limit(symbol, from, to, backtest) β may ignore from/to in live modeTime range calculation:
when = current execution context time (from AsyncLocalStorage)alignedTo = Math.floor(when / 60000) * 60000 (aligned down to 1-minute boundary)windowMs = CC_AGGREGATED_TRADES_MAX_MINUTES * 60000 β 60000to = alignedTo, from = alignedTo β windowMsWithout limit: fetches a single window and returns it as-is.
With limit: paginates backwards in CC_AGGREGATED_TRADES_MAX_MINUTES chunks until at least limit trades are collected, then slices to the most recent limit trades.
Example with CC_AGGREGATED_TRADES_MAX_MINUTES = 60, limit = 200:
when = 1704067920000 // 2024-01-01 00:12:00 UTC
alignedTo = 1704067800000 // 2024-01-01 00:12:00 β aligned to 00:12:00
windowMs = 59 * 60000 // 3540000ms = 59 minutes
Window 1: from = 00:12:00 β 59m = 23:13:00
to = 00:12:00
β got 120 trades β not enough
Window 2: from = 23:13:00 β 59m = 22:14:00
to = 23:13:00
β got 100 more β total 220 trades
result = last 200 of 220 (most recent)
Adapter contract:
getAggregatedTrades(symbol, from, to, backtest) is called on the exchange schemafrom/to are Date objectsCompatible with: garch for volatility modelling and volume-anomaly for detecting abnormal trade volume β both accept the same from/to time range format that getAggregatedTrades produces.
Why align timestamps to interval boundaries?
Because candle APIs return data starting from exact interval boundaries:
// 15-minute interval example:
when = 1704067920000 // 00:12:00
step = 15 // 15 minutes
stepMs = 15 * 60000 // 900000ms
// Alignment: round down to nearest interval boundary
alignedWhen = Math.floor(when / stepMs) * stepMs
// = Math.floor(1704067920000 / 900000) * 900000
// = 1704067200000 (00:00:00)
// Calculate since for 4 candles backwards:
since = alignedWhen - 4 * stepMs
// = 1704067200000 - 4 * 900000
// = 1704063600000 (23:00:00 previous day)
// Expected candles:
// [0] timestamp = 1704063600000 (23:00)
// [1] timestamp = 1704064500000 (23:15)
// [2] timestamp = 1704065400000 (23:30)
// [3] timestamp = 1704066300000 (23:45)
Pending candle exclusion: The candle at 00:00:00 (alignedWhen) is NOT included in the result. At when=00:12:00, this candle covers the period [00:00, 00:15) and is still open (pending). Pending candles have incomplete OHLCV data that would distort technical indicators. Only fully closed candles are returned.
Validation is applied consistently across:
getCandles() - validates first timestamp and countgetNextCandles() - validates first timestamp and countgetRawCandles() - validates first timestamp and countResult: Deterministic candle retrieval with exact timestamp matching.
All candle timestamp alignment uses UTC (Unix epoch). For intervals like 4h, boundaries are 00:00, 04:00, 08:00, 12:00, 16:00, 20:00 UTC. If your local timezone offset is not a multiple of the interval, the since timestamps will look "uneven" in local time.
For example, in UTC+5 the same 4h candle request logs as:
since: Sat Sep 20 2025 13:00:00 GMT+0500 β looks uneven (13:00)
since: Sat Sep 20 2025 17:00:00 GMT+0500 β looks uneven (17:00)
since: Sat Sep 20 2025 21:00:00 GMT+0500 β looks uneven (21:00)
since: Sun Sep 21 2025 05:00:00 GMT+0500 β looks uneven (05:00)
But in UTC these are perfectly aligned 4h boundaries:
since: Sat, 20 Sep 2025 08:00:00 GMT β 08:00 UTC β
since: Sat, 20 Sep 2025 12:00:00 GMT β 12:00 UTC β
since: Sat, 20 Sep 2025 16:00:00 GMT β 16:00 UTC β
since: Sun, 21 Sep 2025 00:00:00 GMT β 00:00 UTC β
Use toUTCString() or toISOString() in callbacks to see the actual aligned UTC times.
getCandles() always returns data UP TO the current backtest timestamp using async_hooksBacktest Kit exposes the same runtime in two equivalent forms. Both approaches use the same engine and guarantees - only the consumption model differs.
Suitable for production bots, monitoring, and long-running processes.
Backtest.background('BTCUSDT', config);
listenSignalBacktest(event => { /* handle signals */ });
listenDoneBacktest(event => { /* finalize / dump report */ });
Suitable for research, scripting, testing, and LLM agents.
for await (const event of Backtest.run('BTCUSDT', config)) {
// signal | trade | progress | done
}
Open-source QuantConnect/MetaTrader without the vendor lock-in
Unlike cloud-based platforms, backtest-kit runs entirely in your environment. You own the entire stack from data ingestion to live execution. In addition to Ollama, you can use neural-trader in getSignal function or any other third party library
The backtest-kit ecosystem extends beyond the core library, offering complementary packages and tools to enhance your trading system development experience:
Explore on NPM π
The @backtest-kit/cli package is a zero-boilerplate CLI runner for backtest-kit strategies. Point it at your strategy file and run backtests, paper trading, or live bots β no infrastructure code required.
--backtest, --paper, --live with graceful SIGINT shutdown@backtest-kit/ui with a single --ui flag--telegramdump/, modules/, and template/ are automatically isolated by entry point directoryThe fastest way to run any backtest-kit strategy from the command line. Instead of writing boilerplate for storage, notifications, candle caching, and signal logging, add one dependency and wire up your package.json scripts. Works equally well for a single-strategy project or a monorepo with dozens of strategies in separate subdirectories.
npx -y @backtest-kit/cli --init
Explore on NPM π
The @backtest-kit/pinets package lets you run TradingView Pine Script strategies directly in Node.js. Port your existing Pine Script indicators to backtest-kit with zero rewrite using the PineTS runtime.
.pine files or pass code strings directlyplot() outputs to structured signalsPerfect for traders who already have working TradingView strategies. Instead of rewriting your Pine Script logic in JavaScript, simply copy your .pine file and use getSignal() to extract trading signals. Works seamlessly with backtest-kit's temporal context - no look-ahead bias possible.
npm install @backtest-kit/pinets pinets backtest-kit
Explore on NPM π
The @backtest-kit/graph package lets you compose backtest-kit computations as a typed directed acyclic graph (DAG). Define source nodes that fetch market data and output nodes that compute derived values β then resolve the whole graph in topological order with automatic parallelism.
Promise.all parallelismINode for runtime/storage, high-level sourceNode + outputNode builders for authoringserialize / deserialize convert the graph to a flat IFlatNode[] list with id / nodeIdssourceNode receives (symbol, when, exchangeName) from the execution context automaticallyPerfect for multi-timeframe strategies where multiple Pine Script or indicator computations must be combined. Instead of manually chaining async calls, define each computation as a node and let the graph resolve dependencies in parallel. Adding a new filter or timeframe requires no changes to the existing wiring.
npm install @backtest-kit/graph backtest-kit
Explore on NPM π
The @backtest-kit/ui package is a full-stack UI framework for visualizing cryptocurrency trading signals, backtests, and real-time market data. Combines a Node.js backend server with a React dashboard - all in one package.
Perfect for monitoring your trading bots in production. Instead of building custom dashboards, @backtest-kit/ui provides a complete visualization layer out of the box. Each signal view includes detailed information forms, multi-timeframe candlestick charts, and JSON export for all data.
npm install @backtest-kit/ui backtest-kit ccxt
Explore on NPM π€
The @backtest-kit/ollama package is a multi-provider LLM inference library that supports 10+ providers including OpenAI, Claude, DeepSeek, Grok, Mistral, Perplexity, Cohere, Alibaba, Hugging Face, and Ollama with unified API and automatic token rotation.
Ideal for building multi-provider LLM strategies with fallback chains and ensemble predictions. The package returns structured trading signals with validated TP/SL levels, making it perfect for use in getSignal functions. Supports both backtest and live trading modes.
npm install @backtest-kit/ollama agent-swarm-kit backtest-kit
Explore on NPM π
The @backtest-kit/signals package is a technical analysis and trading signal generation library designed for AI-powered trading systems. It computes 50+ indicators across 4 timeframes and generates markdown reports optimized for LLM consumption.
Perfect for injecting comprehensive market context into your LLM-powered strategies. Instead of manually calculating indicators, @backtest-kit/signals provides a single function call that adds all technical analysis to your message context. Works seamlessly with getSignal function in backtest-kit strategies.
npm install @backtest-kit/signals backtest-kit
Explore on NPM π
The @backtest-kit/sidekick package is the easiest way to create a new Backtest Kit trading bot project. Like create-react-app, but for algorithmic trading.
The fastest way to bootstrap a new trading bot project. Instead of manually setting up dependencies, configurations, and boilerplate code, simply run one command and get a working project with LLM-powered strategy, multi-timeframe technical analysis, and risk management validation.
npx -y @backtest-kit/sidekick my-trading-bot
cd my-trading-bot
npm start
For language models: Read extended description in ./LLMs.md
450+ tests cover validation, recovery, reports, and events.
Fork/PR on GitHub.
MIT Β© tripolskypetr