이 전략은 대규모 촛대 식별과 RSI 발산 지표를 주요 신호로 사용하고, 초기 고정 손절매와 동적 추적 손절매를 결합하여 완전한 추세 추적 거래 시스템을 형성합니다. 이 전략은 현재 캔들스틱의 바디 크기를 이전 5개 캔들스틱과 비교하여 대규모 시장 상황을 파악하고 빠른 RSI와 느린 RSI의 차이를 사용하여 모멘텀 변화를 확인합니다. 마지막으로 이중 손절매 메커니즘을 사용하여 관리합니다. 위험과 수익의 고정.
전략은 4가지 핵심 요소로 구성됩니다. 1) 대형 캔들스틱 식별 - 현재 및 이전 5개 캔들스틱 본체 크기를 비교하여 중요한 가격 모멘텀을 결정합니다. 2) RSI 발산 분석 - 5기간 빠른 RSI 및 14기간 느린 RSI를 사용합니다. 3) 초기 손절매 - 초기 위험을 통제하기 위해 진입 시점에 200포인트의 고정 손절매를 설정합니다. 4) 추적 손절매 - 수익이 200포인트에 도달하면 활성화되고 가격과 함께 150포인트를 유지합니다. 포인트의 동적 추종 거리. 이 전략은 또한 21기간 EMA를 추세 필터로 사용하여 전반적인 시장 방향을 결정하는 데 도움을 줍니다.
이 전략은 다수의 캔들스틱과 RSI 발산점을 결합하여 완전한 추세 추종 시스템을 구축하고, 이중 손절매 메커니즘을 통해 종합적인 위험 관리를 달성합니다. 이 전략은 명확한 추세와 높은 변동성을 지닌 시장 환경에서 운영하는 데 적합하지만, 거래자는 특정 시장 특성에 따라 매개변수 설정을 조정해야 합니다. 제안된 최적화 방향을 통해 전략의 안정성과 수익성이 더욱 향상될 것으로 기대됩니다.
/*backtest
start: 2024-12-17 00:00:00
end: 2025-01-16 00:00:00
period: 3h
basePeriod: 3h
exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT","balance":49999}]
*/
//@version=6
strategy('[F][IND] - Big Candle Identifier with RSI Divergence and Advanced Stops', shorttitle = '[F][IND] Big Candle RSI Trail', overlay = true)
// Inputs for the trailing stop and stop loss
trail_start_ticks = input.int(200, "Trailing Start Ticks", tooltip="The number of ticks the price must move in the profitable direction before the trailing stop starts.")
trail_distance_ticks = input.int(150, "Trailing Distance Ticks", tooltip="The distance in ticks between the trailing stop and the price once the trailing stop starts.")
initial_stop_loss_points = input.int(200, "Initial Stop Loss Points", tooltip="The fixed stop loss applied immediately after entering a trade.")
// Tick size based on instrument
tick_size = syminfo.mintick
// Calculate trailing start and distance in price
trail_start_price = trail_start_ticks * tick_size
trail_distance_price = trail_distance_ticks * tick_size
initial_stop_loss_price = initial_stop_loss_points * tick_size
// Identify big candles
body0 = math.abs(close[0] - open[0])
body1 = math.abs(close[1] - open[1])
body2 = math.abs(close[2] - open[2])
body3 = math.abs(close[3] - open[3])
body4 = math.abs(close[4] - open[4])
body5 = math.abs(close[5] - open[5])
bullishBigCandle = body0 > body1 and body0 > body2 and body0 > body3 and body0 > body4 and body0 > body5 and open < close
bearishBigCandle = body0 > body1 and body0 > body2 and body0 > body3 and body0 > body4 and body0 > body5 and open > close
// RSI Divergence
rsi_fast = ta.rsi(close, 5)
rsi_slow = ta.rsi(close, 14)
divergence = rsi_fast - rsi_slow
// Trade Entry Logic
if bullishBigCandle
strategy.entry('Long', strategy.long, stop=low - initial_stop_loss_price)
if bearishBigCandle
strategy.entry('Short', strategy.short, stop=high + initial_stop_loss_price)
// Trailing Stop Logic
var float trail_stop = na
if strategy.position_size > 0 // Long Position
entry_price = strategy.position_avg_price
current_profit = close - entry_price
if current_profit >= trail_start_price
trail_stop := math.max(trail_stop, close - trail_distance_price)
strategy.exit("Trailing Stop Long", "Long", stop=trail_stop)
if strategy.position_size < 0 // Short Position
entry_price = strategy.position_avg_price
current_profit = entry_price - close
if current_profit >= trail_start_price
trail_stop := math.min(trail_stop, close + trail_distance_price)
strategy.exit("Trailing Stop Short", "Short", stop=trail_stop)
// Plotting Trailing Stop
plot(strategy.position_size > 0 ? trail_stop : na, color=color.green, title="Trailing Stop (Long)")
plot(strategy.position_size < 0 ? trail_stop : na, color=color.red, title="Trailing Stop (Short)")
// Plotting RSI Divergence
plot(divergence, color=divergence > 0 ? color.lime : color.red, linewidth=2, title="RSI Divergence")
hline(0)
// Plotting EMA
ema21 = ta.ema(close, 21)
plot(ema21, color=color.blue, title="21 EMA")