AuthorJing Wu2018-06-04

Abstract

In this tutorial, we implement a version of the short-term reversal strategy published by De Groot, Huij, & Zhou (2012). The strategy works by observing the returns of each security in the universe over the previous month. Every week, the algorithm longs the worst performers and shorts the top performers. The original strategy outlined in the literature considers the entire universe of stocks when trading. To reduce trading costs, we limit our universe to the most liquid large cap stocks. Our analysis shows the strategy underperforms the S&P 500 index during all our backtest periods except the 2020 market crash.

Method

The strategy code mainly consists of four parts: Initialization, Universe Selection, OnData, and OnSecuritiesChanged.

Algorithm Initialization

When initializing the algorithm, we add a coarse universe selection method and specify several parameters to use when selecting securities.

def Initialize(self):
    # ...

    self.UniverseSettings.Resolution = Resolution.Daily
    self.AddUniverse(self.SelectCoarse)

    self.dollar_volume_selection_size = 100
    self.roc_selection_size = int(0.1 * self.dollar_volume_selection_size)

    self.lookback = 22
    self.roc_by_symbol = {}
    self.week = 0

Universe Selection

The coarse universe selection method creates a RateOfChange indicator for each of the top 100 most liquid securities in the market. Upon creation, the indicator is manually warmed-up with historical closing prices. After the indicators are ready, the universe selects the securities with the 10 best and 10 worst RateOfChange values.

def SelectCoarse(self, coarse):

    # We should keep a dictionary for all securities that have been selected
    for cf in coarse:
        symbol = cf.Symbol
        if symbol in self.roc_by_symbol:
            self.roc_by_symbol[symbol].Update(cf.EndTime, cf.AdjustedPrice)

    # Refresh universe each week
    week_number = self.Time.date().isocalendar()[1]
    if week_number == self.week:
        return Universe.Unchanged
    self.week = week_number

    # sort and select by dollar volume
    sortedByDollarVolume = sorted(coarse, key=lambda x: x.DollarVolume, reverse=True)
    selected = {cf.Symbol: cf for cf in sortedByDollarVolume[:self.dollar_volume_selection_size]} 

    # New selections need a history request to warm up the indicator
    symbols = [k for k in selected.keys()
        if k not in self.roc_by_symbol or not self.roc_by_symbol[k].IsReady]

    if symbols:
        history = self.History(symbols, self.lookback+1, Resolution.Daily)
        if history.empty:
            self.Log(f'No history for {", ".join([x.Value for x in symbols])}')
        history = history.close.unstack(0)

        for symbol in symbols:
            symbol_id = symbol.ID.ToString()
            if symbol_id not in history:
                continue

            # Create and warm-up the RateOfChange indicator
            roc = RateOfChange(self.lookback)
            for time, price in history[symbol_id].dropna().iteritems():
                roc.Update(time, price)

            if roc.IsReady:
                self.roc_by_symbol[symbol] = roc

    # Sort the symbols by their ROC values
    selectedRateOfChange = {}
    for symbol in selected.keys():
        if symbol in self.roc_by_symbol:
            selectedRateOfChange[symbol] = self.roc_by_symbol[symbol]
    sortedByRateOfChange = sorted(selectedRateOfChange.items(), key=lambda kv: kv[1], reverse=True)

    # Define the top and the bottom to buy and sell
    self.rocTop = [x[0] for x in sortedByRateOfChange[:self.roc_selection_size]]
    self.rocBottom = [x[0] for x in sortedByRateOfChange[-self.roc_selection_size:]]

    return self.rocTop + self.rocBottom

The OnData Method

As new data is passed to the OnData method, we issue orders to form a long-short portfolio. We long the securities with the lowest RateOfChange values and short those with the largest values. After rebalancing, we clear the rocTop and rocBottom lists to ensure we don’t trade again until the universe is refreshed.

def OnData(self, data):
    # Rebalance
    for symbol in self.rocTop:
        self.SetHoldings(symbol, -0.5/len(self.rocTop))
    for symbol in self.rocBottom:
        self.SetHoldings(symbol, 0.5/len(self.rocBottom))

    # Clear the list of securities we have placed orders for
    # to avoid new trades before the next universe selection
    self.rocTop.clear() 
    self.rocBottom.clear()

The OnSecuritiesChanged Method

We are rebalancing the portfolio on a weekly basis, but securities can leave our defined universe between rebalance days. To accommodate this, we liquidate any securities that are removed from the universe in the OnSecuritiesChanged method.

def OnSecuritiesChanged(self, changes):
    for security in changes.RemovedSecurities:
        self.Liquidate(security.Symbol, 'Removed from Universe')

Relative Performance

Period Name Start Date End Date Strategy Sharpe Variance
5 Year Backtest 1/1/2016 1/1/2021 Strategy 0.287 0.047
Benchmark 0.754 0.024
2020 Crash 2/19/2020 3/23/2020 Strategy -1.075 0.798
Benchmark -1.467 0.416
2020 Recovery 3/23/2020 6/8/2020 Strategy 1.987 0.132
Benchmark 7.942 0.101

Conclusion

The short-term reversal strategy implemented in this tutorial produced a lower Sharpe ratio than the S&P 500 index ETF benchmark over all our testing periods except during the 2020 market crash. To continue the development of this strategy, future areas of research include:

  • Increasing the data resolution and adding risk management logic.
  • Applying the strategy to a different universe of securities.
  • Testing other lookback periods for the RateOfChange indicator. Some researchers exclude the most-recent month’s price action from the indicator’s calculation.
  • Adjusting the weight for each insight emitted from the Alpha model. Perhaps the most extreme performer of all the securities the Alpha model is about to long (short) should be given the largest weight of all the securities the model is about to long (short).

Algorithm



Reference

  1. de Groot, Wilma and Huij, Joop and Zhou, Weili, Another Look at Trading Costs and Short-Term Reversal Profits (July 1, 2011). Online copy

QuantConnect Logo

Try the world leading quantitative analysis platform today

Sign Up

Previous: Fundamental Factor Long Short Strategy