이중 이동 평균 지표 융합 전략

저자:차오장, 날짜: 2023-09-11 16:32:22
태그:

이중 이동 평균 지표 융합 전략

이 전략은 2/20 MA 지표와 절대 가격 오시레이터 (APO) 를 통합하여 거래 신호를 생성합니다.

첫째, 20주기 EMA를 계산하고 가격이 EMA 이상 또는 아래로 넘어갈 때 간단한 긴/단기 신호를 생성합니다. 둘째, 빠른 및 느린 EMA 미분에서 APO 지표를 계산하여 상승/하락 동력을 결정합니다.

마지막으로, 전략은 두 지표를 결합합니다: 2/20 MA와 APO가 각각 대응 신호를 내면 긴 / 짧은 입력이 시작됩니다. 두 개의 반대 신호를 내면 출구가 발생합니다.

이 이중 지표 전략의 장점은 각각의 기술적 강점을 활용하고 성능을 향상시키기 위해 신호를 확인하는 것입니다. 그러나 통합 지연이 있습니다.

요약하자면, 이중 이동 평균 융합 전략은 노이즈 트레이드를 필터하기 위해 간단하고 복잡한 지표를 시너지화하지만 적절한 매개 변수 조정과 함께 제안 된 사용 시간 프레임을 엄격히 준수해야합니다. 그렇지 않으면 라이브 성능은 보장 될 수 없습니다.


/*backtest
start: 2023-01-01 00:00:00
end: 2023-03-23 00:00:00
period: 12h
basePeriod: 15m
exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT"}]
*/

//@version=5
////////////////////////////////////////////////////////////
//  Copyright by HPotter v1.0 14/01/2022
// This is combo strategies for get a cumulative signal. 
//
// First strategy
// This indicator plots 2/20 exponential moving average. For the Mov 
// Avg X 2/20 Indicator, the EMA bar will be painted when the Alert criteria is met.
//
// Second strategy
// The Absolute Price Oscillator displays the difference between two exponential 
// moving averages of a security's price and is expressed as an absolute value.
// How this indicator works
//    APO crossing above zero is considered bullish, while crossing below zero is bearish.
//    A positive indicator value indicates an upward movement, while negative readings 
//      signal a downward trend.
//    Divergences form when a new high or low in price is not confirmed by the Absolute Price 
//      Oscillator (APO). A bullish divergence forms when price make a lower low, but the APO 
//      forms a higher low. This indicates less downward momentum that could foreshadow a bullish 
//      reversal. A bearish divergence forms when price makes a higher high, but the APO forms a 
//      lower high. This shows less upward momentum that could foreshadow a bearish reversal.
//
// WARNING:
// - For purpose educate only
// - This script to change bars colors.
////////////////////////////////////////////////////////////
EMA20(Length) =>
    pos = 0.0
    xPrice = close
    xXA = ta.ema(xPrice, Length)
    nHH = math.max(high, high[1])
    nLL = math.min(low, low[1])
    nXS = nLL > xXA or nHH < xXA ? nLL : nHH
    iff_1 = nXS < close[1] ? 1 : nz(pos[1], 0)
    pos := nXS > close[1] ? -1 : iff_1
    pos

APO(LengthShortEMA, LengthLongEMA) =>
    pos = 0.0
    xPrice = close
    xShortEMA = ta.ema(xPrice, LengthShortEMA)
    xLongEMA = ta.ema(xPrice, LengthLongEMA)
    xAPO = xShortEMA - xLongEMA
    iff_1 = xAPO < 0 ? -1 : nz(pos[1], 0)
    pos := xAPO > 0 ? 1 : iff_1
    pos

strategy(title='Combo 2/20 EMA & Absolute Price Oscillator (APO) ', shorttitle='Combo', overlay=true)
var I1 = '●═════ 2/20 EMA ═════●'
Length = input.int(14, minval=1, group=I1)
var I2 = '●═════ Absolute Price Oscillator (APO)  ═════●'
LengthShortEMA = input.int(10, minval=1, group=I2)
LengthLongEMA = input.int(20, minval=1, group=I2)
var misc = '●═════ MISC ═════●'
reverse = input.bool(false, title='Trade reverse', group=misc)
var timePeriodHeader = '●═════ Time Start ═════●'
d = input.int(1, title='From Day', minval=1, maxval=31, group=timePeriodHeader)
m = input.int(1, title='From Month', minval=1, maxval=12, group=timePeriodHeader)
y = input.int(2005, title='From Year', minval=0, group=timePeriodHeader)

StartTrade = time > timestamp(y, m, d, 00, 00) ? true : false
posEMA20 = EMA20(Length)
prePosAPO = APO(LengthShortEMA, LengthLongEMA)
iff_1 = posEMA20 == -1 and prePosAPO == -1 and StartTrade ? -1 : 0
pos = posEMA20 == 1 and prePosAPO == 1 and StartTrade ? 1 : iff_1
iff_2 = reverse and pos == -1 ? 1 : pos
possig = reverse and pos == 1 ? -1 : iff_2
if possig == 1
    strategy.entry('Long', strategy.long)
if possig == -1
    strategy.entry('Short', strategy.short)
if possig == 0
    strategy.close_all()
barcolor(possig == -1 ? #b50404 : possig == 1 ? #079605 : #0536b3)

더 많은