이 전략은 지수 이동 평균 (EMA) 과 시간 간격을 결합한 이중 방향 거래 시스템이다. 시스템은 사용자가 정의한 일정한 시간 간격 내에서 EMA 관계를 기반으로 주요 거래 방향을 결정하며, 크로스오버 신호를 위해 다른 EMA 지표 세트를 모니터링하거나 다음 거래 주기에 접근하여 역 헤지 거래를 실행하여 양방향 거래 기회를 포착합니다.
이 전략은 두 가지 핵심 메커니즘을 기반으로 작동합니다. 고정된 간격의 주요 거래와 유연한 역 거래입니다. 주요 거래는 상대적 위치에 따라 트렌드 방향을 판단합니다.5⁄40-분간 EMA, 각 간격에서 거래를 실행 (전산 30분). 역거래는 모니터링을 통해 시작됩니다.5⁄10- EMA 크로스오버 신호를 1분 또는 다음 주요 거래 전에 1분, 어느 것이 먼저 발생하든. 모든 거래는 거래 효과를 보장하기 위해 사용자 정의 시간 창 내에서 발생합니다.
이 전략은 트렌드 추종과 역거래를 결합하여 시간 간격 및 EMA 지표의 조정으로 양방향 기회 포착을 달성하는 포괄적 인 전략입니다. 전략은 강력한 사용자 정의 기능과 위험 통제에 대한 좋은 잠재력을 제공하지만 실제 시장 조건에 따라 매개 변수 최적화 및 위험 관리 정리를 요구합니다. 라이브 거래 구현을 위해 시장 특성에 따라 구체적인 조정과 함께 철저한 백테스팅과 매개 변수 최적화를 수행하는 것이 좋습니다.
/*backtest start: 2025-01-02 00:00:00 end: 2025-01-09 00:00:00 period: 3m basePeriod: 3m exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT"}] */ //@version=5 strategy("SPX EMA Strategy with Opposite Trades", overlay=true) // User-defined inputs tradeIntervalMinutes = input.int(30, title="Main Trade Interval (in minutes)", minval=1) oppositeTradeDelayMinutes = input.int(1, title="Opposite Trade time from next trade (in minutes)", minval=1) // Delay of opposite trade (1 min before the next trade) startHour = input.int(10, title="Start Hour", minval=0, maxval=23) startMinute = input.int(30, title="Start Minute", minval=0, maxval=59) stopHour = input.int(15, title="Stop Hour", minval=0, maxval=23) stopMinute = input.int(0, title="Stop Minute", minval=0, maxval=59) // User-defined EMA periods for main trade and opposite trade mainEmaShortPeriod = input.int(5, title="Main Trade EMA Short Period", minval=1) mainEmaLongPeriod = input.int(40, title="Main Trade EMA Long Period", minval=1) oppositeEmaShortPeriod = input.int(5, title="Opposite Trade EMA Short Period", minval=1) oppositeEmaLongPeriod = input.int(10, title="Opposite Trade EMA Long Period", minval=1) // Calculate the EMAs for main trade emaMainShort = ta.ema(close, mainEmaShortPeriod) emaMainLong = ta.ema(close, mainEmaLongPeriod) // Calculate the EMAs for opposite trade (using different periods) emaOppositeShort = ta.ema(close, oppositeEmaShortPeriod) emaOppositeLong = ta.ema(close, oppositeEmaLongPeriod) // Condition to check if it is during the user-defined time window startTime = timestamp(year, month, dayofmonth, startHour, startMinute) stopTime = timestamp(year, month, dayofmonth, stopHour, stopMinute) currentTime = timestamp(year, month, dayofmonth, hour, minute) // Ensure the script only trades within the user-defined time window isTradingTime = currentTime >= startTime and currentTime <= stopTime // Time condition: Execute the trade every tradeIntervalMinutes var float lastTradeTime = na timePassed = na(lastTradeTime) or (currentTime - lastTradeTime) >= tradeIntervalMinutes * 60 * 1000 // Entry Conditions for Main Trade longCondition = emaMainShort > emaMainLong // Enter long if short EMA is greater than long EMA shortCondition = emaMainShort < emaMainLong // Enter short if short EMA is less than long EMA // Detect EMA crossovers for opposite trade (bullish or bearish) bullishCrossoverOpposite = ta.crossover(emaOppositeShort, emaOppositeLong) // Opposite EMA short crosses above long bearishCrossoverOpposite = ta.crossunder(emaOppositeShort, emaOppositeLong) // Opposite EMA short crosses below long // Track the direction of the last main trade (true for long, false for short) var bool isLastTradeLong = na // Track whether an opposite trade has already been executed after the last main trade var bool oppositeTradeExecuted = false // Execute the main trades if within the time window and at the user-defined interval if isTradingTime and timePassed if longCondition strategy.entry("Main Long", strategy.long) isLastTradeLong := true // Mark the last trade as long oppositeTradeExecuted := false // Reset opposite trade status lastTradeTime := currentTime // label.new(bar_index, low, "Main Long", color=color.green, textcolor=color.white, size=size.small) else if shortCondition strategy.entry("Main Short", strategy.short) isLastTradeLong := false // Mark the last trade as short oppositeTradeExecuted := false // Reset opposite trade status lastTradeTime := currentTime // label.new(bar_index, high, "Main Short", color=color.red, textcolor=color.white, size=size.small) // Execute the opposite trade only once after the main trade if isTradingTime and not oppositeTradeExecuted // 1 minute before the next main trade or EMA crossover if (currentTime - lastTradeTime) >= (tradeIntervalMinutes - oppositeTradeDelayMinutes) * 60 * 1000 or bullishCrossoverOpposite or bearishCrossoverOpposite if isLastTradeLong // If the last main trade was long, enter opposite short trade strategy.entry("Opposite Short", strategy.short) //label.new(bar_index, high, "Opposite Short", color=color.red, textcolor=color.white, size=size.small) else // If the last main trade was short, enter opposite long trade strategy.entry("Opposite Long", strategy.long) //label.new(bar_index, low, "Opposite Long", color=color.green, textcolor=color.white, size=size.small) // After entering the opposite trade, set the flag to true so no further opposite trades are placed oppositeTradeExecuted := true // Plot the EMAs for visual reference plot(emaMainShort, title="Main Trade Short EMA", color=color.blue) plot(emaMainLong, title="Main Trade Long EMA", color=color.red) plot(emaOppositeShort, title="Opposite Trade Short EMA", color=color.purple) plot(emaOppositeLong, title="Opposite Trade Long EMA", color=color.orange)