Member-only story
Building a Trading Backtesting System — Part 3: Risk Management and Stop Loss Techniques

Risk management can be implemented using various built-in functionalities:
- Stop Loss Orders. These orders can be based on fixed price levels, percentage drops from entry prices, or dynamically adjusted based on indicators or market conditions.
- Position Sizing. To determine the quantity of shares or contracts to buy or sell for each trade. Position sizing strategies can be based on metrics such as account size, risk tolerance, volatility, or other factors.
- Portfolio Rebalancing. We can use techniques like periodic rebalancing, where the allocation of capital among different assets or trading strategies is adjusted over time to maintain desired risk levels or performance targets.
Stop Loss orders
Fixed stop loss percentage
Many people uses stop losses based on a percentage of the execution price, due to its simplicity and ease, specially if you trade manually.
We’re going to implement the order stop loss, after the buy order has been completed (from notify_order
), instead using bracket orders.
We configure a stop loss
parameter by percentage of execution price
.
class GoldenCrossStrategy(bt.Strategy):
params = dict(
stop_loss=None,
verbose=True
)
if __name__ == "__main__":
backtesting = Backtesting(100000)
backtesting.set_strategy(GoldenCrossStrategy, stop_loss=0.05)
Once the order is completed we’ll check the size of position. If we’ve just bought (long) or sold (short) the security (we’ve a position) we set the opposite operation with stop price, using exectype=bt.Order.Stop
. If not, it's because the stop loss has been executed so it doesn't make sense to set the stop loss.
class GoldenCrossStrategy(bt.Strategy):
def notify_order(self, order):
if order.status in [order.Completed]:
if order.isbuy():
...
else: # Sell
...
self.submit_stop_loss(order)
def submit_stop_loss(self, order):
position_size = self.getposition(order.p.data).size…