资源加载中... loading...

Quantitative Trading Strategy Based on Reversal Patterns at Support and Resistance Levels

Author: ChaoZhang, Date: 2024-06-07 16:45:09
Tags:

img

Overview

This strategy is based on reversal patterns (hammer, engulfing, and doji) and support and resistance levels in technical analysis, trading on a 1-hour chart. The strategy identifies potential market reversal points and executes trades with predefined take profit and stop loss levels.

The main idea of the strategy is to enter a long position when a bullish reversal pattern (such as a hammer, bullish engulfing, or doji) appears near a support level, and to enter a short position when a bearish reversal pattern (such as a hammer, bearish engulfing, or doji) appears near a resistance level. Take profit and stop loss levels are set to control risk and lock in profits.

Strategy Logic

  1. Calculate the lowest low and highest high within the specified lookback period using ta.lowest() and ta.highest() functions to determine support and resistance levels.
  2. Check if the current candlestick forms a hammer, engulfing pattern, or doji.
  3. If a bullish reversal pattern appears near a support level, enter a long position; if a bearish reversal pattern appears near a resistance level, enter a short position.
  4. Set the take profit price at 3% above the entry price and the stop loss price at 1% below the entry price.
  5. Close the position when the price reaches the take profit or stop loss level.

Strategy Advantages

  1. Combines reversal patterns and key support and resistance levels, improving the reliability of trading signals.
  2. Sets clear take profit and stop loss levels, effectively controlling risk.
  3. Suitable for both trending and ranging markets, capturing potential reversal opportunities.
  4. Simple and easy-to-understand code, facilitating implementation.

Strategy Risks

  1. In ranging markets, frequent reversal signals may lead to overtrading and commission losses.
  2. The identification of support and resistance levels depends on the choice of lookback period, and different lookback periods may lead to different results.
  3. The reliability of reversal patterns is not absolute, and false signals may result in losses.

Solutions:

  1. Adjust the parameters and confirmation conditions of reversal patterns to reduce false signals.
  2. Incorporate other technical indicators or market sentiment indicators to improve signal reliability.
  3. Adjust take profit and stop loss levels appropriately to adapt to different market conditions.

Strategy Optimization Directions

  1. Introduce volume indicators to confirm the validity of reversal patterns. Reversal patterns with high trading volume may be more reliable.
  2. Consider support and resistance levels from multiple time frames to improve the accuracy of support and resistance levels.
  3. Combine trend indicators, such as moving averages, to trade in the direction of the trend and avoid counter-trend trading.
  4. Optimize take profit and stop loss levels by dynamically adjusting them based on market volatility to achieve better risk-reward ratios.

Summary

This strategy captures potential trading opportunities by identifying reversal patterns near support and resistance levels. It is simple to use and applicable to different market environments. However, the success of the strategy depends on the accurate identification of reversal patterns and support and resistance levels. By optimizing the confirmation conditions of trading signals, incorporating other technical indicators, and dynamically adjusting take profit and stop loss levels, the performance of the strategy can be further improved.


/*backtest
start: 2024-05-07 00:00:00
end: 2024-06-06 00:00:00
period: 2h
basePeriod: 15m
exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT"}]
*/

// This Pine Script™ code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/
// © Kingcoinmilioner

//@version=5
strategy("Reversal Patterns at Support and Resistance", overlay=true, default_qty_type=strategy.percent_of_equity, default_qty_value=100)

// Parameters
support_resistance_lookback = input.int(50, title="Support/Resistance Lookback Period")
reversal_tolerance = input.float(0.01, title="Reversal Tolerance (percent)", step=0.01) / 100
take_profit_percent = input.float(3, title="Take Profit (%)") / 100
stop_loss_percent = input.float(1, title="Stop Loss (%)") / 100

// Functions to identify key support and resistance levels
findSupport() =>
    ta.lowest(low, support_resistance_lookback)

findResistance() =>
    ta.highest(high, support_resistance_lookback)

// Identify reversal patterns
isHammer() =>
    body = math.abs(close - open)
    lowerWick = open > close ? (low < close ? close - low : open - low) : (low < open ? open - low : close - low)
    upperWick = high - math.max(open, close)
    lowerWick > body * 2 and upperWick < body

isEngulfing() =>
    (close[1] < open[1] and close > open and close > open[1] and open < close[1]) 
    (close[1] > open[1] and close < open and close < open[1] and open > close[1])

isDoji() =>
    math.abs(open - close) <= (high - low) * 0.1

// Identify support and resistance levels
support = findSupport()
resistance = findResistance()

// Check for reversal patterns at support and resistance
hammerAtSupport = isHammer() and (low <= support * (1 + reversal_tolerance))
engulfingAtSupport = isEngulfing() and (low <= support * (1 + reversal_tolerance))
dojiAtSupport = isDoji() and (low <= support * (1 + reversal_tolerance))

hammerAtResistance = isHammer() and (high >= resistance * (1 - reversal_tolerance))
engulfingAtResistance = isEngulfing() and (high >= resistance * (1 - reversal_tolerance))
dojiAtResistance = isDoji() and (high >= resistance * (1 - reversal_tolerance))

// Trading logic
if (hammerAtSupport or engulfingAtSupport or dojiAtSupport)
    strategy.entry("Long", strategy.long)
    stop_level = low * (1 - stop_loss_percent)
    take_profit_level = close * (1 + take_profit_percent)
    strategy.exit("Take Profit/Stop Loss", from_entry="Long", stop=stop_level, limit=take_profit_level)

if (hammerAtResistance or engulfingAtResistance or dojiAtResistance)
    strategy.entry("Short", strategy.short)
    stop_level = high * (1 + stop_loss_percent)
    take_profit_level = close * (1 - take_profit_percent)
    strategy.exit("Take Profit/Stop Loss", from_entry="Short", stop=stop_level, limit=take_profit_level)

// Plot support and resistance levels for visualization
plot(support, color=color.green, linewidth=1, title="Support Level")
plot(resistance, color=color.red, linewidth=1, title="Resistance Level")

// Plot reversal patterns on the chart for visualization
plotshape(series=hammerAtSupport, location=location.belowbar, color=color.green, style=shape.labelup, text="Hammer at Support")
plotshape(series=engulfingAtSupport, location=location.belowbar, color=color.green, style=shape.labelup, text="Engulfing at Support")
plotshape(series=dojiAtSupport, location=location.belowbar, color=color.green, style=shape.labelup, text="Doji at Support")

plotshape(series=hammerAtResistance, location=location.abovebar, color=color.red, style=shape.labeldown, text="Hammer at Resistance")
plotshape(series=engulfingAtResistance, location=location.abovebar, color=color.red, style=shape.labeldown, text="Engulfing at Resistance")
plotshape(series=dojiAtResistance, location=location.abovebar, color=color.red, style=shape.labeldown, text="Doji at Resistance")

template: strategy.tpl:40:21: executing "strategy.tpl" at <.api.GetStrategyListByName>: wrong number of args for GetStrategyListByName: want 7 got 6