Introduction

The Chicago Board Options Exchange (CBOE) introduced the Volatility Index (VIX) in 1993 to provide a measure of the implied volatility of 30-day, at the money S&P 100 Index Options. Volatility has become a widely accepted asset class since the introduction of the VIX Futures contracts in 2004. VIX Futures are often used for hedging purpose because of its negative correlation with the Equity market return. When we talk about the term structure of Futures, we often refer to the forward curve. The VIX forward curve consists of VIX Futures prices at various delivery times in the future. Academic research states that volatility follows a mean reverting process. When the VIX Futures curve is upward sloped (in contango), the VIX is expected to rise because it is low relative to long-term average levels and vice versa for the downward sloped VIX Future curve. In this study, we will create a strategy with the term structure effect of VIX Futures and hedge the term structure risk with the S&P500 Futures.

Method

The trading strategy uses VIX Futures as a trading vehicle and S&P E-mini for hedging purposes. The spot VIX price data and the price of continuous VIX and E-mini S&P500 Futures in the daily resolution are mapped from the contract with highest open interest.

def Initialize(self):
    vix = self.AddIndex("VIX", Resolution.Daily)
    self.vix = vix.Symbol 
    self.vix_multiplier = vix.SymbolProperties.ContractMultiplier
    self.vx1 = self.AddFuture(Futures.Indices.VIX,
            resolution = Resolution.Daily,
            extendedMarketHours = True,
            dataNormalizationMode = DataNormalizationMode.BackwardsRatio,
            dataMappingMode = DataMappingMode.OpenInterest,
            contractDepthOffset = 0
        )
    self.vx1_multiplier = self.vx1.SymbolProperties.ContractMultiplier
    self.es1 = self.AddFuture(Futures.Indices.SP500EMini,
            resolution = Resolution.Daily,
            extendedMarketHours = True,
            dataNormalizationMode = DataNormalizationMode.BackwardsRatio,
            dataMappingMode = DataMappingMode.OpenInterest,
            contractDepthOffset = 0
        )
    self.es1_multiplier = self.es1.SymbolProperties.ContractMultiplier

Futures basis is defined as the difference between the underlying product cash price and Futures contract price at a given time.

\[Basis_t=S_t-F_t\]

Where \(S_t\) is the adjusted VIX price, \(F_t\) is the adjusted VIX Futures price. Note that the adjustments are based on different contract multiplier for different assets. The basis is in contango means the Futures price is higher than the spot price. The opposite of Contango is Backwardation. It refers to the market condition in which the Futures price is less than the spot price.

\[Contango=S_tF_t\]

While this trading strategy takes advantage of the roll by selling VIX Futures at a premium to the VIX and by buying VIX Futures at a discount to the VIX, it is exposed to the potentially substantial risks associated with adverse moves in the VIX Futures curve. However, as the tendency of VIX Futures prices to move inversely to Equity returns, much of this risk can be hedged by opening the E-mini S&P 500 Futures position in the same direction.

The number of mini-S&P Futures contracts to buy or sell per VIX Futures contract is based on the hedge ratio estimates. The hedge ratios are constructed from regressions of VIX Futures price changes on a constant and on contemporaneous percentage changes of the front mini-S&P 500 Futures contract both alone and multiplied by the number of business days that the VIX Futures contract is from the settlement, as shown below.

\[\begin{equation} \begin{aligned} \Delta P^{VX}_t = \ & \beta_0+\beta_1* r^{ES}_t \\ & +\beta_2*(r^{ES}_t*s^{VX}_t)+\mu_t \end{aligned} \end{equation}\]

where \(r^{ES}_t\) is the return of ES at time \(t\) and \(s^{VX}_t\) is the time to settlement for VX at time \(t\). After we get the parameters \(\beta_0\), \(\beta_1\) and \(\beta_2\), the formula for the hedge ratio is

\[HR_t=\frac{\beta_1+\beta_2*s_{t-1}}{P^{ES}_{t-1}}\]

def CalculateHedgeRatio(self, es1_price):
    price_VX = np.array(list(self.price_VX))[::-1]/self.vx1_multiplier
    price_ES = np.array(list(self.price_ES))[::-1]/self.es1_multiplier
    delta_VX = np.diff(price_VX)
    res_ES = np.diff(price_ES)/price_ES[:-1]*100
    tts = np.array(list(self.days_to_maturity))[::-1][1:]
    df = pd.DataFrame({"delta_VX":delta_VX, "SPRET":res_ES, "product":res_ES*tts}).dropna()
    # remove rows with zero value
    df = df[(df != 0).all(1)]
    y = df['delta_VX'].astype(float)
    X = df[['SPRET', "product"]].astype(float)
    X = sm.add_constant(X)
    model = sm.OLS(y, X).fit()
    beta_1 = model.params[1]
    beta_2 = model.params[2]

    hedge_ratio = (beta_1 + beta_2*((self.vx1.Mapped.ID.Date-self.Time).days))/float(es1_price*50)

    return hedge_ratio

To perform the regression, we save the history price in deque list and update the list every day.

def Initialize(self):
    # the rolling window to save the front month VX future price
    self.price_VX = RollingWindow[float](252)
    # the rolling window to save the front month ES future price
    self.price_ES = RollingWindow[float](252)
    # the rolling window to save the time-to-maturity of the contract
    self.days_to_maturity = RollingWindow[float](252)

    self.SetWarmUp(253, Resolution.Daily)

def OnData(self, data):
    if data.Bars.ContainsKey(self.vx1.Symbol) and data.Bars.ContainsKey(self.es1.Symbol):
        # update the rolling window price and time-to-maturity series every day
        vx1_price = data.Bars[self.vx1.Symbol].Close
        self.price_VX.Add(float(data.Bars[self.vx1.Symbol].Close))
        self.price_ES.Add(float(data.Bars[self.es1.Symbol].Close))
        self.days_to_maturity.Add((self.vx1.Mapped.ID.Date-self.Time).days)

The daily roll is defined as the difference between the front VIX Futures price and the VIX, divided by the number of business days until the VIX Futures contract settles. Short VIX Futures positions are entered when the VIX Futures basis is in contango and the daily roll exceeds 0.10 and long VIX Futures positions are entered when the VIX Futures basis is in backwardation and the daily roll is less than -0.10.

# calculate the daily roll
daily_roll = (vx1_price*self.vx1_multiplier - self.Securities[self.vix].Price*self.vix_multiplier)\
    /(self.vx1.Mapped.ID.Date - self.Time).days
self.Plot("Trade", "VIX", vx1_price)
self.Plot("Trade", "VIX Futures", vx1_price)
self.Plot("Trade", "Daily Roll", daily_roll)

if not self.Portfolio[self.vx1.Mapped].Invested:
    # Short if the contract is in contango with adaily roll greater than 0.10 
    if daily_roll > 0.1:
        hedge_ratio = self.CalculateHedgeRatio(data.Bars[self.es1.Symbol].Close)
        self.Plot("Trade", "Sell", vx1_price)
        qty = self.CalculateOrderQuantity(self.vx1.Mapped, -1)
        self.MarketOrder(self.vx1.Mapped, qty // self.vx1.SymbolProperties.ContractMultiplier)
        qty = self.CalculateOrderQuantity(self.es1.Mapped, -1*hedge_ratio)
        self.MarketOrder(self.es1.Mapped, qty // self.es1.SymbolProperties.ContractMultiplier)
    # Long if the contract is in backwardation with adaily roll less than -0.10
    elif daily_roll < -0.1:
        hedge_ratio = self.CalculateHedgeRatio(data.Bars[self.es1.Symbol].Close)
        self.Plot("Trade", "Buy", vx1_price)
        qty = self.CalculateOrderQuantity(self.vx1.Mapped, 1)
        self.MarketOrder(self.vx1.Mapped, qty // self.vx1.SymbolProperties.ContractMultiplier)
        qty = self.CalculateOrderQuantity(self.es1.Mapped, 1*hedge_ratio)
        self.MarketOrder(self.es1.Mapped, qty // self.es1.SymbolProperties.ContractMultiplier)

Trades are exited when the motivating conditions no longer exist. The exit condition is defined as the daily roll being less than 0.05 for short trades and higher than -0.05 VIX Futures points for long trades. If these exit conditions are not triggered, trades are exited two days before the contract expires.

# exit if the daily roll being less than 0.05 if holding short positions                 
if self.Portfolio[self.vx1.Mapped].IsShort and daily_roll < 0.05:
    self.Liquidate()
    return

# exit if the daily roll being greater than -0.05 if holding long positions                    
if self.Portfolio[self.vx1.Mapped].IsLong and daily_roll > -0.05:
    self.Liquidate()
    return

if self.vx1.Mapped and self.es1.Mapped:
    # if these exit conditions are not triggered, trades are exited two days before it expires
    if self.Portfolio[self.vx1.Mapped].Invested and self.Portfolio[self.es1.Mapped].Invested: 
        if (self.vx1.Mapped.ID.Date-self.Time).days <= 2 or (self.es1.Mapped.ID.Date-self.Time).days <= 2:
            self.Liquidate()


Reference

  1. Quantpedia - Exploiting Term Structure of VIX Futures

Author