MACD Oscillator with EMA Crossover Strategy

Author: ChaoZhang, Date: 2023-09-23 15:24:12
Tags:

Overview

This is a simple yet efficient trading strategy combining the MACD oscillator and EMA crossover. Currently set up for 4h candles but adaptable to other timeframes. It has performed well on BTC and ETH over the past 3 years, beating buy and hold. With optimizations it can be adapted for futures, indexes, forex, stocks etc.

Strategy Logic

The key components are:

  1. MACD: Judging price momentum changes.

  2. EMA: Determining price trend direction.

  3. Time condition: Defining valid strategy period.

  4. Long/short option: Choosing long or short direction.

The trading rules are:

  1. Long/exit short: When close above EMA, MACD histogram positive, and current candle higher than previous candle.

  2. Short/exit long: When close below EMA, MACD histogram negative, and current candle lower than previous candle.

The strategy combines trend following and momentum in a simple and efficient system.

Advantages

Compared to single indicators, the main advantages are:

  1. MACD judges short-term momentum, EMA determines trend direction.

  2. Simple and clear rules, easy to understand and implement.

  3. Flexible parameter tuning for different products and timeframes.

  4. Option for long/short only or bidirectional trading.

  5. Can define valid strategy period to avoid unnecessary trades.

  6. Stable outperformance over years.

  7. Controllable risk per trade.

  8. Potential to optimize further with machine learning.

Risks

Despite the merits, risks to consider:

  1. Broad parameter tuning risks overfitting.

  2. No stops in place, risks unlimited losses.

  3. No volume filter, risk of false breakouts.

  4. Lag in catching trend turns, cannot avoid all losses.

  5. Performance degradation from changing market regimes.

  6. Based only on historical data, model robustness is key.

  7. High trade frequency increases transaction costs.

  8. Need to monitor reward/risk ratios and equity curves.

Enhancements

The strategy can be enhanced by:

  1. Adding volume filter to avoid false breakouts.

  2. Implementing stops to control loss per trade.

  3. Evaluating parameter efficacy across time periods.

  4. Incorporating machine learning for dynamic optimizations.

  5. Robustness testing across markets.

  6. Adjusting position sizing to reduce frequency.

  7. Optimizing risk management strategies.

  8. Testing spread instruments to increase frequency.

  9. Continual backtesting to prevent overfitting.

Conclusion

In summary, the strategy forms a simple yet powerful system from the MACD and EMA combo. But continual optimizations and robustness testing are critical for any strategy to adapt to changing market conditions. Trading strategies need to keep evolving.


// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/
// © SoftKill21

//@version=4
strategy("My Script", overlay=true)

//heiking ashi calculation
UseHAcandles    = input(false, title="Use Heikin Ashi Candles in Algo Calculations")
//
// === /INPUTS ===

// === BASE FUNCTIONS ===

haClose = UseHAcandles ? security(heikinashi(syminfo.tickerid), timeframe.period, close) : close
haOpen  = UseHAcandles ? security(heikinashi(syminfo.tickerid), timeframe.period, open) : open
haHigh  = UseHAcandles ? security(heikinashi(syminfo.tickerid), timeframe.period, high) : high
haLow   = UseHAcandles ? security(heikinashi(syminfo.tickerid), timeframe.period, low) : low

//timecondition
fromDay = input(defval = 1, title = "From Day", minval = 1, maxval = 31)
fromMonth = input(defval = 1, title = "From Month", minval = 1, maxval = 12)
fromYear = input(defval = 2020, title = "From Year", minval = 1970)
 //monday and session 
 
// To Date Inputs
toDay = input(defval = 31, title = "To Day", minval = 1, maxval = 31)
toMonth = input(defval = 12, title = "To Month", minval = 1, maxval = 12)
toYear = input(defval = 2021, title = "To Year", minval = 1970)

startDate = timestamp(fromYear, fromMonth, fromDay, 00, 00)
finishDate = timestamp(toYear, toMonth, toDay, 00, 00)
time_cond = true

//ema data  -- moving average
len = input(9, minval=1, title="Length")
src = input(hl2, title="Source")
out = ema(src, len)
//plot(out, title="EMA", color=color.blue)

//histogram
fast_length = input(title="Fast Length", type=input.integer, defval=12)
slow_length = input(title="Slow Length", type=input.integer, defval=26)
signal_length = input(title="Signal Smoothing", type=input.integer, minval = 1, maxval = 50, defval = 9)
sma_source = input(title="Simple MA (Oscillator)", type=input.bool, defval=false)
sma_signal = input(title="Simple MA (Signal Line)", type=input.bool, defval=false)

// Calculating
fast_ma = sma_source ? sma(src, fast_length) : ema(src, fast_length)
slow_ma = sma_source ? sma(src, slow_length) : ema(src, slow_length)
macd = fast_ma - slow_ma
signal = sma_signal ? sma(macd, signal_length) : ema(macd, signal_length)
hist = macd - signal


//main variables to apply conditions are going to be out(moving avg) and hist(macd)

long = haClose > out and haClose > haClose[1] and out > out[1] and hist> 0 and hist[1] < 0 and time_cond
short = haClose < out and haClose < haClose[1] and out < out[1] and hist < 0 and hist[1] > 0 and time_cond

//limit to 1 entry
var longOpeneda = false
var shortOpeneda = false
var int timeOfBuya = na



longCondition= long and not longOpeneda 

if longCondition
    longOpeneda := true
    timeOfBuya := time


longExitSignala = short
exitLongCondition = longOpeneda[1] and longExitSignala

if exitLongCondition
    longOpeneda := false
    timeOfBuya := na


plotshape(longCondition, style=shape.labelup, location=location.belowbar, color=color.green, size=size.tiny, title="BUY", text="BUY", textcolor=color.white)
plotshape(exitLongCondition, style=shape.labeldown, location=location.abovebar, color=color.red, size=size.tiny, title="SELL", text="SELL", textcolor=color.white)

//automatization

longEntry= input(true)
shortEntry=input(false)

if(longEntry)
    strategy.entry("long",strategy.long,when=longCondition)
    strategy.close("long",when=exitLongCondition)

if(shortEntry)
    strategy.entry("short",strategy.short,when=exitLongCondition)
    strategy.close("short",when=longCondition)



More