Momentum Reversal Combo Strategy

Author: ChaoZhang, Date: 2023-10-23 15:11:20
Tags:

img

Overview

This strategy combines momentum indicator CMO and reversal indicator Stochastic to build a multi-factor model for discovering trading opportunities across different market environments.

Logic Analysis

The strategy consists of two sub-strategies:

  1. 123 Reversal Strategy

    • Use 9-day Stochastic to identify overbought and oversold levels

    • Go long if close price rises for 2 consecutive days and Stochastic is below 50

    • Go short if close price falls for 2 consecutive days and Stochastic is above 50

  2. CMO Absolute Value Strategy

    • Calculate absolute value of CMO

    • CMO above 70 indicates overbought, go short

    • CMO below 20 indicates oversold, go long

Finally, a trade signal is generated when two sub-strategies agree.

The strategy makes full use of the strengths of momentum indicator CMO and reversal indicator Stochastic. CMO is good at trend identification while Stochastic is useful for catching short-term reversals. The combination enables the model to uncover opportunities across different market phases.

Advantage Analysis

The strategy has the following advantages:

  1. Multi-factor model adapts to different market environments

  2. CMO has strong trend detection capability, Stochastic accurately locates reversal points

  3. Only trade when two signals agree to avoid false signals and improve profitability

  4. Large parameter tuning space allows optimization for different products and timeframes

  5. Combining long and short term indicators discovers more opportunities

  6. Simple and clear rules, easy to understand and automate, suitable for algo trading

Risk Analysis

The strategy also has the following risks:

  1. Probability of false signals from sub-strategies exists, parameters need optimization

  2. Sudden trend reversal can lead to large losses

  3. High trading frequency, transaction costs need consideration

  4. Lagging nature of indicators leads to delay

  5. Parameter tuning is challenging for different products

Solutions:

  1. Optimize sub-strategy parameters to reduce false signals

  2. Use stop loss to limit loss per trade

  3. Tune entry rules to lower trading frequency

  4. Employ tick data to minimize lag

  5. Apply machine learning for auto parameter tuning

Optimization Directions

The strategy can be improved in the following aspects:

  1. Introduce more factors like volatility and volume for a systematic multi-factor model

  2. Build dynamic parameter optimization mechanism adapting to market regimes

  3. Optimize entry logic using probability and exponential smoothing etc.

  4. Hedge long-term position with short-term trades to achieve dual targets

  5. Extract more features with deep learning to build non-linear trading rules

  6. Explore parameter-free models to avoid human biases

  7. Incorporate high frequency data and news events to reduce lag

Conclusion

The strategy utilizes momentum indicator CMO and reversal indicator Stochastic to construct a multi-factor model for trading opportunities in trending and sideways markets. Compared to single-factor models, the multi-factor approach adapts better to complex market environments. Meanwhile, the large parameter tuning space and simple rules make it easy to optimize and automate, suitable for algo trading development. However, risk management is crucial, and high demand on parameter selection and model optimization is required. Overall, the momentum reversal combo strategy provides a systematic trading idea worthy of reference and exploration.


/*backtest
start: 2023-09-22 00:00:00
end: 2023-10-22 00:00:00
period: 1h
basePeriod: 15m
exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT"}]
*/

//@version=4
////////////////////////////////////////////////////////////
//  Copyright by HPotter v1.0 17/09/2019
// This is combo strategies for get a cumulative signal. 
//
// First strategy
// This System was created from the Book "How I Tripled My Money In The 
// Futures Market" by Ulf Jensen, Page 183. This is reverse type of strategies.
// The strategy buys at market, if close price is higher than the previous close 
// during 2 days and the meaning of 9-days Stochastic Slow Oscillator is lower than 50. 
// The strategy sells at market, if close price is lower than the previous close price 
// during 2 days and the meaning of 9-days Stochastic Fast Oscillator is higher than 50.
//
// Second strategy
//    This indicator plots the absolute value of CMO. CMO was developed by Tushar 
//    Chande. A scientist, an inventor, and a respected trading system developer, 
//    Mr. Chande developed the CMO to capture what he calls "pure momentum". For 
//    more definitive information on the CMO and other indicators we recommend the 
//    book The New Technical Trader by Tushar Chande and Stanley Kroll.
//    The CMO is closely related to, yet unique from, other momentum oriented indicators 
//    such as Relative Strength Index, Stochastic, Rate-of-Change, etc. It is most closely 
//    related to Welles Wilder`s RSI, yet it differs in several ways:
//        - It uses data for both up days and down days in the numerator, thereby directly 
//          measuring momentum;
//        - The calculations are applied on unsmoothed data. Therefore, short-term extreme 
//          movements in price are not hidden. Once calculated, smoothing can be applied to 
//          the CMO, if desired;
//        - The scale is bounded between +100 and -100, thereby allowing you to clearly see 
//          changes in net momentum using the 0 level. The bounded scale also allows you to 
//          conveniently compare values across different securities.
//
// WARNING:
// - For purpose educate only
// - This script to change bars colors.
////////////////////////////////////////////////////////////
Reversal123(Length, KSmoothing, DLength, Level) =>
    vFast = sma(stoch(close, high, low, Length), KSmoothing) 
    vSlow = sma(vFast, DLength)
    pos = 0.0
    pos := iff(close[2] < close[1] and close > close[1] and vFast < vSlow and vFast > Level, 1,
	         iff(close[2] > close[1] and close < close[1] and vFast > vSlow and vFast < Level, -1, nz(pos[1], 0))) 
	pos

CMOabs(Length, TopBand, LowBand) =>
    pos = 0
    xMom = abs(close - close[1])
    xSMA_mom = sma(xMom, Length)
    xMomLength = close - close[Length]
    nRes = abs(100 * (xMomLength / (xSMA_mom * Length)))
    pos := iff(nRes > TopBand, -1,
    	     iff(nRes < LowBand, 1, nz(pos[1], 0))) 
    pos

strategy(title="Combo Backtest 123 Reversal & CMOabs", shorttitle="Combo", overlay = true)
Length = input(14, minval=1)
KSmoothing = input(1, minval=1)
DLength = input(3, minval=1)
Level = input(50, minval=1)
//-------------------------
LengthCMO = input(9, minval=1)
TopBand = input(70, minval=1)
LowBand = input(20, maxval=0)
reverse = input(false, title="Trade reverse")
posReversal123 = Reversal123(Length, KSmoothing, DLength, Level)
posCMOabs = CMOabs(LengthCMO, TopBand, LowBand)
pos = iff(posReversal123 == 1 and posCMOabs == 1 , 1,
	   iff(posReversal123 == -1 and posCMOabs == -1, -1, 0)) 
possig = iff(reverse and pos == 1, -1,
          iff(reverse and pos == -1 , 1, pos))	   
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 )

More