Bollinger Band Breakout Strategy

Author: ChaoZhang, Date: 2023-11-07 15:08:36
Tags:

img

Overview

This strategy uses Bollinger Bands to gauge market trend and combines bandwidth signal to identify trading opportunities, aiming for steady growth of the investment portfolio. Backtested with previous year’s data, it achieved 78.95% profitability with maximum drawdown of only -4.02%. This is one of my series of automated strategies that helps grow my portfolio steadily.

Feel free to tweak parameters and backtest this strategy. Any comments or ideas are appreciated.

If you are happy with the existing results and would like to automate this strategy, which can be done via alerts, you need to convert it to a study and add alerts in the code. Let me know if you are interested in that and I can create a study based on this strategy.

Strategy Logic

This strategy uses Bollinger Bands and bandwidth to determine entries and exits.

Bollinger Bands include upper band, middle band and lower band. The middle band is a n-period simple moving average, default n = 16. The upper band is middle band + k * standard deviation, lower band is middle band - k * standard deviation, default k = 3. When price approaches upper band, it indicates overvaluation or overbought. When price approaches lower band, it indicates undervaluation or oversold.

Bandwidth indicator shows the volatility of price relative to the middle band. It is calculated by (upper band - lower band)/middle band * 1000. When bandwidth is below 20, it indicates low volatility or consolidation. When bandwidth exceeds 50, it represents increased volatility.

This strategy looks for long opportunities when bandwidth is between 20-50 and price breaks below lower band. After going long, take profit is set at 108% of entry price, or a stop loss exit when price breaks above upper band.

Advantage Analysis

The advantages of this strategy include:

  1. Bollinger Bands gauge trend direction, reducing risks from false breakouts

  2. Bandwidth signal accurately locates range-bound action, avoiding large losses from big swings

  3. Backtest shows nearly 80% profitability over 1 year, extremely high risk-reward ratio

  4. Maximum drawdown under 5%, effectively controls risk and maintains steady portfolio growth

  5. Simple and clear logic, easy to understand and implement, widely applicable to various assets

Risk Analysis

The risks of this strategy include:

  1. Poor Bollinger parameter settings may miss good trading opportunities

  2. Low trading frequency during persistent bull or bear markets, profitability constrained

  3. Insufficient backtest data, actual performance may differ from backtest

  4. Stop loss may be taken out during extreme moves, leading to large losses

  5. High transaction costs also reduce actual profits

Solutions:

  1. Optimize parameters and adjust Bollinger period based on market

  2. Introduce additional indicators to handle abnormal market conditions

  3. Gather sufficient data and backtest across various markets to verify stability

  4. Adjust stop loss appropriately to prevent large losses from extreme moves

  5. Select trading platforms with low commissions to reduce transaction costs

Optimization Directions

This strategy can be improved in the following aspects:

  1. Add volume confirmation to avoid false breakouts

  2. Combine with trend indicators to identify trend direction

  3. Use machine learning to auto tune parameters and adapt to market

  4. Add correlation filter to avoid trading uncorrelated assets

  5. Optimize take profit/stop loss for more gains during uptrends

  6. Introduce more condition filters to increase win rate

  7. Test multi-timeframe combinations to profit from multiple cycles

  8. Build indexed portfolio to expand exposure

  9. Use machine learning to auto generate & validate new strategies

Conclusion

Overall this Bollinger Band breakout strategy backtested well and can produce steady returns in range-bound markets. The core logic is simple and clear, easy to grasp and apply. But further improvements in parameter optimization, risk control and portfolio management are needed for stable profits in complex markets. This is a basic trend-following strategy, and can be enhanced by introducing more technical indicators and risk management mechanisms, or combined with machine learning for automation. In summary, this strategy opens the door to algorithmic trading for beginners, and also provides possibilities for experienced traders to optimize strategies.


/*backtest
start: 2023-10-30 00:00:00
end: 2023-11-06 00:00:00
period: 3m
basePeriod: 1m
exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT"}]
*/

//@version=4
strategy("Bollinger Bands BAT/USDT 30min", overlay=true )

/// Indicators
///Bollinger Bands
source = close
length = input(16, minval=1)
mult = input(3, step=0.1, minval=0.001, maxval=50)
basis = sma(source, length)
dev = mult * stdev(source, length)

upper = basis + dev
lower = basis - dev

plot(basis, color=color.red)
p1 = plot(upper, color=color.blue)
p2 = plot(lower, color=color.blue)
fill(p1, p2)

//Bollinger bands width
bbw = (upper-lower)/basis*1000
//plot(bbw, color=color.blue)

upper_bbw_input = input(title="BBW Upper Threshold", step=1, minval=0, defval=50)
lower_bbw_input = input(title="BBW Lower Threshold", step=1, minval=0, defval=20)


// Backtesting Period
testStartYear = input(2019, "Backtest Start Year")
testStartMonth = input(1, "Backtest Start Month")
testStartDay = input(1, "Backtest Start Day")
testPeriodStart = timestamp(testStartYear,testStartMonth,testStartDay,0,0)

testStopYear = input(2020, "Backtest Stop Year")
testStopMonth = input(12, "Backtest Stop Month")
testStopDay = input(31, "Backtest Stop Day")
testPeriodStop = timestamp(testStopYear,testStopMonth,testStopDay,0,0)

testPeriod() => true

// Take Profit
tp_inp = input(8, title='Take Profit %', step=0.1)/100
take_level = strategy.position_avg_price * (1 + tp_inp)

//Entry Strategy
entry_long = crossover(source, lower) and (bbw < upper_bbw_input) and (bbw > lower_bbw_input)
exit_long = cross(high,upper) or close < lower

if testPeriod()

    strategy.entry(id="LongBB", long=true, comment="LongBB", when=entry_long)
    strategy.exit("Take Profit Long","LongBB",limit=take_level)
    strategy.close(id="LongBB", when=exit_long )



More