EMA cross over strategy with stop loss#
This is an example notebook how to create and run backtests where stop loss is being used. It is based on PancakeSwap EMA example.
We trade on BNB/BUSD pair using stop loss.
We define stop loss related variables
stop_loss_time_bucket
andstop_loss_pct
.Stop loss is set to 95% when a position is opened with open_1x_long
We pass
stop_loss_time_bucket
to load_pair_data_for_single_exchange when creating our trading universe. This will load more granular candle data that is used to simulate real-time stop loss triggers. In our case we use 1h candles to simulate stop loss, whereas strategy itself is using 4h candles. Stop loss trades happen outside normaldecide_trades
triggers. This all is baked in to the backtesting engine and you do not need to worry about it all.Although stop loss is the most common special order feature in volatile crypto markets, you can use this to do take profit orders for strategies as well. TODO: Take profit trades do not have an example notebook yet.
Set up#
Set up the parameters used in in this strategy backtest study.
Backtested blockchain, exchange and trading pair
Backtesting period
Strategy parameters for EMA crossovers
[1]:
import datetime
import pandas as pd
from tradingstrategy.chain import ChainId
from tradingstrategy.timebucket import TimeBucket
from tradeexecutor.strategy.cycle import CycleDuration
from tradeexecutor.strategy.strategy_module import StrategyType, TradeRouting, ReserveCurrency
# Tell what trade execution engine version this strategy needs to use
trading_strategy_engine_version = "0.1"
# What kind of strategy we are running.
# This tells we are going to use
trading_strategy_type = StrategyType.managed_positions
# How our trades are routed.
# PancakeSwap basic routing supports two way trades with BUSD
# and three way trades with BUSD-BNB hop.
trade_routing = TradeRouting.pancakeswap_busd
# How often the strategy performs the decide_trades cycle.
# We do it for every 16h.
trading_strategy_cycle = CycleDuration.cycle_16h
# Strategy keeps its cash in BUSD
reserve_currency = ReserveCurrency.busd
# Time bucket for our candles
candle_time_bucket = TimeBucket.h4
# We use more granular hourly price feed to
# to check for the stop loss / take profit conditions
stop_loss_time_bucket = TimeBucket.h1
# Which chain we are trading
chain_id = ChainId.bsc
# Which exchange we are trading on.
exchange_slug = "pancakeswap-v2"
# Which trading pair we are trading
trading_pair_ticker = ("WBNB", "BUSD")
# How much of the cash to put on a single trade
position_size = 0.10
#
# Strategy thinking specific parameter
#
batch_size = 90
slow_ema_candle_count = 15
fast_ema_candle_count = 5
# Set stop loss to 5% of the position
stop_loss_pct = 0.95
# Range of backtesting and synthetic data generation.
# Because we are using synthetic data actual dates do not really matter -
# only the duration
start_at = datetime.datetime(2021, 6, 1)
end_at = datetime.datetime(2022, 1, 1)
# Start with 10,000 USD
initial_deposit = 10_000
Strategy logic and trade decisions#
decide_trades
function decide what trades to take. In this example, we calculate two exponential moving averages (EMAs) and make decisions based on those.
[2]:
from typing import List, Dict
from pandas_ta.overlap import ema
from tradeexecutor.state.visualisation import PlotKind
from tradeexecutor.state.trade import TradeExecution
from tradeexecutor.strategy.pricing_model import PricingModel
from tradeexecutor.strategy.pandas_trader.position_manager import PositionManager
from tradeexecutor.state.state import State
from tradingstrategy.universe import Universe
def decide_trades(
timestamp: pd.Timestamp,
universe: Universe,
state: State,
pricing_model: PricingModel,
cycle_debug_data: Dict) -> List[TradeExecution]:
"""The brain function to decide the trades on each trading strategy cycle.
- Reads incoming execution state (positions, past trades)
- Reads the current universe (candles)
- Decides what to do next
- Outputs strategy thinking for visualisation and debug messages
:param timestamp:
The Pandas timestamp object for this cycle. Matches
trading_strategy_cycle division.
Always truncated to the zero seconds and minutes, never a real-time clock.
:param universe:
Trading universe that was constructed earlier.
:param state:
The current trade execution state.
Contains current open positions and all previously executed trades, plus output
for statistics, visualisation and diangnostics of the strategy.
:param pricing_model:
Pricing model can tell the buy/sell price of the particular asset at a particular moment.
:param cycle_debug_data:
Python dictionary for various debug variables you can read or set, specific to this trade cycle.
This data is discarded at the end of the trade cycle.
:return:
List of trade instructions in the form of :py:class:`TradeExecution` instances.
The trades can be generated using `position_manager` but strategy could also hand craft its trades.
"""
# The pair we are trading
pair = universe.pairs.get_single()
# How much cash we have in the hand
cash = state.portfolio.get_current_cash()
# Get OHLCV candles for our trading pair as Pandas Dataframe.
# We could have candles for multiple trading pairs in a different strategy,
# but this strategy only operates on single pair candle.
# We also limit our sample size to N latest candles to speed up calculations.
candles: pd.DataFrame = universe.candles.get_single_pair_data(timestamp, sample_count=batch_size)
# We have data for open, high, close, etc.
# We only operate using candle close values in this strategy.
close = candles["close"]
# Calculate exponential moving averages based on slow and fast sample numbers.
slow_ema_series = ema(close, length=slow_ema_candle_count)
fast_ema_series = ema(close, length=fast_ema_candle_count)
if slow_ema_series is None or fast_ema_series is None:
# Cannot calculate EMA, because
# not enough samples in backtesting
return []
slow_ema = slow_ema_series.iloc[-1]
fast_ema = fast_ema_series.iloc[-1]
# Get the last close price from close time series
# that's Pandas's Series object
# https://pandas.pydata.org/docs/reference/api/pandas.Series.iat.html
current_price = close.iloc[-1]
# List of any trades we decide on this cycle.
# Because the strategy is simple, there can be
# only zero (do nothing) or 1 (open or close) trades
# decides
trades = []
# Create a position manager helper class that allows us easily to create
# opening/closing trades for different positions
position_manager = PositionManager(timestamp, universe, state, pricing_model)
if not position_manager.is_any_open():
# No open positions
# Check for entry condition
# Entry condition:
# Close price is higher than the slow EMA
if current_price >= slow_ema:
buy_amount = cash * position_size
trades += position_manager.open_1x_long(pair, buy_amount, stop_loss_pct=stop_loss_pct)
else:
# We do have an open position
# check for exit condition
# Exit condition:
# Fast EMA crosses slow EMA
if fast_ema >= slow_ema and current_price < slow_ema:
trades += position_manager.close_all()
assert len(trades) == 1
# Visualize strategy
# See available Plotly colours here
# https://community.plotly.com/t/plotly-colours-list/11730/3?u=miohtama
visualisation = state.visualisation
visualisation.plot_indicator(timestamp, "Slow EMA", PlotKind.technical_indicator_on_price, slow_ema, colour="darkblue")
visualisation.plot_indicator(timestamp, "Fast EMA", PlotKind.technical_indicator_on_price, fast_ema, colour="#003300")
return trades
Defining the trading universe#
We create a trading universe with a single blockchain, exchange and trading pair. For the sake of easier understanding the code, we name this “Uniswap v2” like exchange with a single ETH-USDC trading pair.
The trading pair contains generated noise-like OHLCV trading data.
[3]:
from tradeexecutor.strategy.universe_model import UniverseOptions
from tradeexecutor.strategy.trading_strategy_universe import TradingStrategyUniverse, \
load_pair_data_for_single_exchange
from tradeexecutor.strategy.execution_context import ExecutionContext
from tradingstrategy.client import Client
import datetime
def create_trading_universe(
ts: datetime.datetime,
client: Client,
execution_context: ExecutionContext,
universe_options: UniverseOptions,
) -> TradingStrategyUniverse:
"""Creates the trading universe where the strategy trades.
If `execution_context.live_trading` is true then this function is called for
every execution cycle. If we are backtesting, then this function is
called only once at the start of backtesting and the `decide_trades`
need to deal with new and deprecated trading pairs.
As we are only trading a single pair, load data for the single pair only.
:param ts:
The timestamp of the trading cycle. For live trading,
`create_trading_universe` is called on every cycle.
For backtesting, it is only called at the start
:param client:
Trading Strategy Python client instance.
:param execution_context:
Information how the strategy is executed. E.g.
if we are live trading or not.
:return:
This function must return :py:class:`TradingStrategyUniverse` instance
filled with the data for exchanges, pairs and candles needed to decide trades.
The trading universe also contains information about the reserve asset,
usually stablecoin, we use for the strategy.
"""
# Load all datas we can get for our candle time bucket
dataset = load_pair_data_for_single_exchange(
client,
execution_context,
candle_time_bucket,
chain_id,
exchange_slug,
[trading_pair_ticker],
universe_options,
stop_loss_time_bucket=stop_loss_time_bucket,
)
# Filter down to the single pair we are interested in
universe = TradingStrategyUniverse.create_single_pair_universe(
dataset,
chain_id,
exchange_slug,
trading_pair_ticker[0],
trading_pair_ticker[1],
)
return universe
Set up the market data client#
The Trading Strategy market data client is the Python library responsible for managing the data feeds needed to run the backtest.None
We set up the market data client with an API key.
If you do not have an API key yet, you can register one.
[4]:
from tradingstrategy.client import Client
client = Client.create_jupyter_client()
Started Trading Strategy in Jupyter notebook environment, configuration is stored in /home/alex/.tradingstrategy
Load data#
Load data from the server.
Calls
create_trading_universe
and prints out how much data we have loaded_
[5]:
from tradeexecutor.strategy.execution_context import ExecutionMode
universe = create_trading_universe(
end_at,
client,
ExecutionContext(mode=ExecutionMode.data_preload),
UniverseOptions(),
)
print(f"We loaded {universe.universe.candles.get_candle_count():,} candles.")
We loaded 5,353 candles.
Run backtest#
Run backtest using giving trading universe and strategy function.
Running the backtest outputs
state
object that contains all the information on the backtesting position and trades.The trade execution engine will download the necessary datasets to run the backtest. The datasets may be large, several gigabytes.
[6]:
import logging
from tradeexecutor.backtest.backtest_runner import run_backtest_inline
state, universe, debug_dump = run_backtest_inline(
name="BNB/USD EMA crossover example",
start_at=start_at,
end_at=end_at,
client=client,
cycle_duration=trading_strategy_cycle,
decide_trades=decide_trades,
universe=universe,
initial_deposit=initial_deposit,
reserve_currency=ReserveCurrency.busd,
trade_routing=trade_routing,
log_level=logging.WARNING,
)
trade_count = len(list(state.portfolio.get_all_trades()))
print(f"Backtesting completed, backtested strategy made {trade_count} trades")
Backtesting completed, backtested strategy made 62 trades
Examine backtest results#
Examine state
that contains all actions the trade executor took.
We plot out a chart that shows - The price action - When the strategy made buys or sells
[7]:
print(f"Positions taken: {len(list(state.portfolio.get_all_positions()))}")
print(f"Trades made: {len(list(state.portfolio.get_all_trades()))}")
Positions taken: 31
Trades made: 62
[8]:
from tradeexecutor.visual.single_pair import visualise_single_pair
figure = visualise_single_pair(
state,
universe.universe.candles,
start_at=start_at,
end_at=end_at)
figure.show()