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 🙏

© 2024 – Pkg Stats / Ryan Hefner

grademark

v0.2.9

Published

Toolkit for algo trading and backtesting in JavaScript and TypeScript.

Downloads

162

Readme

Grademark

Toolkit for algo trading and backtesting in JavaScript and TypeScript.

This API builds on Data-Forge and is best used from Data-Forge Notebook (making it easy to plot charts and visualize).

Check out the release notes to see updates and breaking changes.

Follow the developer on Twitter

Click here to support the developer.

Please see what this looks like in the Grademark first example and the unit tests in this repo.

Love this? Please star this repo!

First example

From the Grademark first example here's some example output. Click to see the first example as a notebook.

Analysis of a sequence of trades looks like this:

Analysis of trades screenshot

Here's a chart that visualizes the equity curve for the example strategy:

Equity curve

Here's another chart, this one is a visualization of the drawdown for the example strategy:

Drawdown

Pre-requisites

  • Make sure your data is sorted in forward chronological order.

Data format

Your data needs to be loaded into memory in the following format:

interface IBar {
    time: Date;
    open: number;
    high: number;
    low: number;
    close: number;
}

const data: IBar[] = ... load your data ...

Features

  • Define a trading strategy with entry and exit rules.
  • Backtest a trading strategy on a single financial instrument.
  • Apply custom indicators to your input data series.
  • Specify lookback period.
  • Built-in intrabar stop loss.
  • Compute and plot equity curve and drawdown charts.
  • Throughly covered by automated tests.
  • Calculation of risk and rmultiples.
  • Intrabar profit target.
  • Intrabar trailing stop loss.
  • Conditional buy on price level (intrabar).
  • Monte carlo simulation.
  • Multiple parameter optimization based on permutations of parameters (using grid search and hill-climb algorithms).
  • Walk forward optimization and backtesting.
  • Plot a chart of trailing stop loss.
  • Short selling.

Data-Forge Notebook comes with example JavaScript notebooks that demonstrate many of these features.

If you need help with new features please reach out!

Maybe coming later

  • Support for precise decimal numbers.
  • Fees.
  • Slippage.
  • Position sizing.
  • Testing multiple instruments / portfolio simulation / ranking instruments.
  • Market filters.

Complete examples

For a ready to go example please see the repo grademark-first-example.

Usage

Instructions here are for JavaScript, but this library is written in TypeScript and so it can also be used from TypeScript.

Installation

npm install --save grademark

Import modules

const dataForge = require('data-forge');
require('data-forge-fs'); // For file loading capability.
require('data-forge-indicators'); // For the moving average indicator.
require('data-forge-plot'); // For rendering charts.
const { backtest, analyze, computeEquityCurve, computeDrawdown } = require('grademark');

Load your data

Use Data-Forge to load and prep your data, make sure your data is sorted in forward chronological order.

This example loads a CSV file, but feel free to load your data from REST API, database or wherever you want!

let inputSeries = dataForge.readFileSync("STW.csv")
    .parseCSV()
    .parseDates("date", "D/MM/YYYY")
    .parseFloats(["open", "high", "low", "close", "volume"])
    .setIndex("date") // Index so we can later merge on date.
    .renameSeries({ date: "time" });

The example data file is available in the example repo.

Add indicators

Add whatever indicators and signals you want to your data.

const movingAverage = inputSeries
    .deflate(bar => bar.close)          // Extract closing price series.
    .sma(30);                           // 30 day moving average.

inputSeries = inputSeries
    .withSeries("sma", movingAverage)   // Integrate moving average into data, indexed on date.
    .skip(30)                           // Skip blank sma entries.

Create a strategy

This is a very simple and very naive mean reversion strategy:

const strategy = {
    entryRule: (enterPosition, args) => {
        if (args.bar.close < args.bar.sma) { // Buy when price is below average.
            enterPosition({ direction: "long" }); // Long is default, pass in "short" to short sell.
        }
    },

    exitRule: (exitPosition, args) => {
        if (args.bar.close > args.bar.sma) {
            exitPosition(); // Sell when price is above average.
        }
    },

    stopLoss: args => { // Optional intrabar stop loss.
        return args.entryPrice * (5/100); // Stop out on 5% loss from entry price.
    },
};

Running a backtest

Backtest your strategy, then compute and print metrics:

const trades = backtest(strategy, inputSeries)
console.log("Made " + trades.length + " trades!");

const startingCapital = 10000;
const analysis = analyze(startingCapital, trades);
console.log(analysis);

Visualizing the results

Use Data-Forge Plot to visualize the equity curve and drawdown chart from your trading strategy:

computeEquityCurve(trades)
    .plot()
    .renderImage("output/my-equity-curve.png");

computeDrawdown(trades)
    .plot()
    .renderImage("output/my-drawdown.png");

Advanced backtesting

We are only just getting started in this example to learn more please follow my blog and YouTube channel.

Resources

Support the developer

Click here to support the developer.