
이 전략은 마치 트레이딩에 3가지 보험을 넣는 것과 같습니다. 먼저 EMA200로 큰 트렌드 방향을 판단하고, 그 다음에는 거래량으로 돌파구를 확인하고, 마지막으로 ATR로 동적 스톱로스를 사용하여 수익을 보호합니다. 간단히 말해서, “목표 방향 + 확인 신호 + 자금 보호”의 완벽한 조합입니다!
중점을 두세요! 이것은 기계적인 거래가 아니라 “말과 행동을 관찰”하는 지능적인 전략입니다. 가격이 EMA200을 돌파 할 때, 거래량이 충분히 크는지 확인해야합니다 (예작값은 평균의 1.5 배) 가짜 돌파구를 피하기 위해.
이 전략의 정지 손실은 고정된 숫자가 아니라, “계단으로 올라간다”는 동적 보호이다.
아주 간단합니다.:
마치 계단을 오르면 위로 올라갈 수 있는 안전줄이 있는 것처럼, 아래로 내려갈 수 없는 안전줄이 있는 것처럼!
! 많은 돌파구 전략의 가장 큰 문제는 가짜 돌파구입니다. “늑대가 왔다”의 이야기처럼. 이 전략은 거래량 확인을 통해 이 문제점을 해결합니다.
20일 평균의 1.5배 이상의 거래량을 달성해야 합니다.만약 몇 명이 한 소식을 전하고 있다면, 그것은 거짓일 수도 있지만, 만약 도시 전체가 그것에 대해 이야기하고 있다면, 그것은 주목할 가치가 있습니다!
이 디자인은 가짜 돌파구를 필터링하여 실제 재정 지원을 받는 트렌드만을 포착하도록 도와줍니다.
대중에게 적합합니다.:
해결된 핵심 문제:
기억하세요, 이 전략의 가장 큰 가치는 하룻밤 사이에 부자가 되는 것이 아니라, 트렌드 시장에서 안정적으로 수익을 올리는 것과 동시에 여러분의 자금을 최대한 안전하게 보호하는 것입니다. 이것은 마치 여러분의 거래에 GPS 내비게이션 + 안전 가스 봉투 + 충돌 방지 시스템이 탑재된 것과 같습니다!
/*backtest
start: 2024-08-26 00:00:00
end: 2025-08-24 08:00:00
period: 1h
basePeriod: 1h
exchanges: [{"eid":"Futures_Binance","currency":"ETH_USDT"}]
*/
//@version=5
strategy("EMA Break + Stop ATR", overlay = true)
// =============================================================================
// STRATEGY PARAMETERS
// =============================================================================
// User inputs for strategy customization
shortPeriod = input.int(20, title = "Stop Period", minval = 1, maxval = 100, tooltip = "Period for lowest low calculation")
atrPeriod = 1 // ATR period always set to 1
initialStopLoss = 0.0 // Initial stop loss always set to 0 (auto based on ATR)
// Confirmation indicator settings
useVolumeConfirmation = input.bool(true, title = "Use Volume Confirmation", tooltip = "Require volume above average for breakout confirmation")
volumeMultiplier = input.float(1.5, title = "Volume Multiplier", minval = 1.0, maxval = 5.0, step = 0.1, tooltip = "Volume must be this times above average")
// Strategy variables
var float STOP_LOSS = 0.0 // Dynamic stop loss value
var float TRAILING_STOP = na // Trailing stop based on lowest low
// =============================================================================
// TECHNICAL INDICATORS
// =============================================================================
// Calculate True Range and its Simple Moving Average
trueRange = ta.tr(true)
smaTrueRange = ta.sma(trueRange, atrPeriod)
// Calculate 200-period Exponential Moving Average
ema200 = ta.ema(close, 200)
// Calculate lowest low over the short period
lowestLow = ta.lowest(input(low), shortPeriod)
// Calculate potential stop loss level (always available)
potentialStopLoss = close - 2 * smaTrueRange
// Volume confirmation for breakout validation
volumeSMA = ta.sma(volume, 20) // 20-period average volume
isVolumeConfirmed = not useVolumeConfirmation or volume > volumeSMA * volumeMultiplier
// =============================================================================
// STOP LOSS MANAGEMENT
// =============================================================================
// Update trailing stop based on lowest low (always, not just when in position)
if na(TRAILING_STOP) or lowestLow > TRAILING_STOP
TRAILING_STOP := lowestLow
// Update stop loss if we have an open position and new lowest low is higher
if (strategy.position_size > 0) and (STOP_LOSS < lowestLow)
strategy.cancel("buy_stop")
STOP_LOSS := lowestLow
// Soft stop loss - exit only when close is below stop level
if (strategy.position_size > 0) and (close < STOP_LOSS)
strategy.close("buy", comment = "Soft Stop Loss")
alert("Position closed: Soft Stop Loss triggered at " + str.tostring(close), alert.freq_once_per_bar)
// =============================================================================
// ENTRY CONDITIONS
// =============================================================================
// Enhanced entry signal with volume confirmation to avoid false breakouts
isEntrySignal = ta.crossover(close, ema200) and (strategy.position_size == 0) and isVolumeConfirmed
if isEntrySignal
// Cancel any pending orders
strategy.cancel("buy")
strategy.cancel("sell")
// Enter long at market on crossover
strategy.entry("buy", strategy.long)
// Set initial stop loss (2 * ATR below close, or use custom value if specified)
if initialStopLoss > 0
STOP_LOSS := initialStopLoss
else
STOP_LOSS := close - 2 * smaTrueRange
// Alert for position opened
alert("Position opened: Long entry at " + str.tostring(close) + " with stop loss at " + str.tostring(STOP_LOSS), alert.freq_once_per_bar)
// =============================================================================
// PLOTTING
// =============================================================================
// Plot EMA 200
plot(ema200, color = color.blue, title = "EMA 200", linewidth = 2)
// Plot Stop Loss
plot(strategy.position_size > 0 ? STOP_LOSS : lowestLow, color = color.red, title = "Stop Loss", linewidth = 2)
// Plot confirmation signals
plotshape(isEntrySignal, title="Confirmed Breakout", location=location.belowbar,
color=color.green, style=shape.triangleup, size=size.normal)
// Plot volume confirmation (only if enabled)
bgcolor(useVolumeConfirmation and isVolumeConfirmed and ta.crossover(close, ema200) ? color.new(color.green, 90) : na, title="Volume Confirmed")