Skip to content

Commit

Permalink
Implement dividend yield model (QuantConnect#7758)
Browse files Browse the repository at this point in the history
* dividend yield plug-in model interface

* dividend yield model python wrapper

* Implement symbol dividend yield models

* unit tests on dividend yield provider

* Update IV indicator

* IV indicator unit tests

* update Delta indicator

* Delta indicator unit tests

* update helper method

* Nit

* Address peer review

* Address 2nd peer review

* readability

* Regression tests

* dividend yield model

* Address review

* Fix unit tests

* Minor fix

* Fix tests

---------

Co-authored-by: Martin Molinero <[email protected]>
  • Loading branch information
LouisSzeto and Martin-Molinero authored Feb 27, 2024
1 parent ea5e4ac commit e39cec4
Show file tree
Hide file tree
Showing 16 changed files with 1,171 additions and 217 deletions.
129 changes: 129 additions & 0 deletions Algorithm.CSharp/OptionIndicatorsRegressionAlgorithm.cs
Original file line number Diff line number Diff line change
@@ -0,0 +1,129 @@
/*
* QUANTCONNECT.COM - Democratizing Finance, Empowering Individuals.
* Lean Algorithmic Trading Engine v2.0. Copyright 2014 QuantConnect Corporation.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/

using System;
using System.Collections.Generic;

using QuantConnect.Data;
using QuantConnect.Indicators;
using QuantConnect.Interfaces;

namespace QuantConnect.Algorithm.CSharp
{
/// <summary>
/// Algorithm illustrating the usage of the <see cref="OptionIndicatorBase"/> indicators
/// </summary>
public class OptionIndicatorsRegressionAlgorithm : QCAlgorithm, IRegressionAlgorithmDefinition
{
private Symbol _aapl;
private Symbol _option;
private ImpliedVolatility _impliedVolatility;
private Delta _delta;

public override void Initialize()
{
SetStartDate(2014, 6, 5);
SetEndDate(2014, 6, 7);
SetCash(100000);

_aapl = AddEquity("AAPL", Resolution.Daily).Symbol;
_option = QuantConnect.Symbol.CreateOption("AAPL", Market.USA, OptionStyle.American, OptionRight.Put, 505m, new DateTime(2014, 6, 27));
AddOptionContract(_option);

var interestRateProvider = new InterestRateProvider();
var dividendYieldProvider = new DividendYieldProvider(_aapl);

_impliedVolatility = new ImpliedVolatility(_option, interestRateProvider, dividendYieldProvider, 2, OptionPricingModelType.BlackScholes);
_delta = new Delta(_option, interestRateProvider, dividendYieldProvider, OptionPricingModelType.BinomialCoxRossRubinstein, OptionPricingModelType.BlackScholes);
}

public override void OnData(Slice slice)
{
if (slice.Bars.ContainsKey(_aapl) && slice.QuoteBars.ContainsKey(_option))
{
var underlyingDataPoint = new IndicatorDataPoint(_aapl, slice.Time, slice.Bars[_aapl].Close);
var optionDataPoint = new IndicatorDataPoint(_option, slice.Time, slice.QuoteBars[_option].Close);

_impliedVolatility.Update(underlyingDataPoint);
_impliedVolatility.Update(optionDataPoint);

_delta.Update(underlyingDataPoint);
_delta.Update(optionDataPoint);
}
}

public override void OnEndOfAlgorithm()
{
if (_impliedVolatility == 0m || _delta == 0m)
{
throw new Exception("Expected IV/greeks calculated");
}
Debug(@$"Implied Volatility: {_impliedVolatility.Current.Value},
Delta: {_delta.Current.Value}");
}

/// <summary>
/// This is used by the regression test system to indicate if the open source Lean repository has the required data to run this algorithm.
/// </summary>
public bool CanRunLocally { get; } = true;

/// <summary>
/// This is used by the regression test system to indicate which languages this algorithm is written in.
/// </summary>
public Language[] Languages { get; } = { Language.CSharp, Language.Python };

/// <summary>
/// Data Points count of all timeslices of algorithm
/// </summary>
public long DataPoints => 1197;

/// <summary>
/// Data Points count of the algorithm history
/// </summary>
public int AlgorithmHistoryDataPoints => 0;

/// <summary>
/// This is used by the regression test system to indicate what the expected statistics are from running the algorithm
/// </summary>
public Dictionary<string, string> ExpectedStatistics => new Dictionary<string, string>
{
{"Total Trades", "0"},
{"Average Win", "0%"},
{"Average Loss", "0%"},
{"Compounding Annual Return", "0%"},
{"Drawdown", "0%"},
{"Expectancy", "0"},
{"Net Profit", "0%"},
{"Sharpe Ratio", "0"},
{"Sortino Ratio", "0"},
{"Probabilistic Sharpe Ratio", "0%"},
{"Loss Rate", "0%"},
{"Win Rate", "0%"},
{"Profit-Loss Ratio", "0"},
{"Alpha", "0"},
{"Beta", "0"},
{"Annual Standard Deviation", "0"},
{"Annual Variance", "0"},
{"Information Ratio", "0"},
{"Tracking Error", "0"},
{"Treynor Ratio", "0"},
{"Total Fees", "$0.00"},
{"Estimated Strategy Capacity", "$0"},
{"Lowest Capacity Asset", ""},
{"Portfolio Turnover", "0%"},
{"OrderListHash", "d41d8cd98f00b204e9800998ecf8427e"}
};
}
}
49 changes: 49 additions & 0 deletions Algorithm.Python/OptionIndicatorsRegressionAlgorithm.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,49 @@
# QUANTCONNECT.COM - Democratizing Finance, Empowering Individuals.
# Lean Algorithmic Trading Engine v2.0. Copyright 2014 QuantConnect Corporation.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.

from AlgorithmImports import *

class OptionIndicatorsRegressionAlgorithm(QCAlgorithm):

def Initialize(self):
self.SetStartDate(2014, 6, 5)
self.SetEndDate(2014, 6, 7)
self.SetCash(1000000)

self.aapl = self.AddEquity("AAPL", Resolution.Daily).Symbol
self.option = Symbol.CreateOption("AAPL", Market.USA, OptionStyle.American, OptionRight.Put, 505, datetime(2014, 6, 27))
self.AddOptionContract(self.option)

interestRateProvider = InterestRateProvider()
dividendYieldProvider = DividendYieldProvider(self.aapl)

self.impliedVolatility = ImpliedVolatility(self.option, interestRateProvider, dividendYieldProvider, 2, OptionPricingModelType.BlackScholes)
self.delta = Delta(self.option, interestRateProvider, dividendYieldProvider, OptionPricingModelType.BinomialCoxRossRubinstein, OptionPricingModelType.BlackScholes)

def OnData(self, slice):
if slice.Bars.ContainsKey(self.aapl) and slice.QuoteBars.ContainsKey(self.option):
underlyingDataPoint = IndicatorDataPoint(self.aapl, slice.Time, slice.Bars[self.aapl].Close)
optionDataPoint = IndicatorDataPoint(self.option, slice.Time, slice.QuoteBars[self.option].Close)

self.impliedVolatility.Update(underlyingDataPoint)
self.impliedVolatility.Update(optionDataPoint)

self.delta.Update(underlyingDataPoint)
self.delta.Update(optionDataPoint)

def OnEndOfAlgorithm(self):
if self.impliedVolatility.Current.Value == 0 or self.delta.Current.Value == 0:
raise Exception("Expected IV/greeks calculated")

self.Debug(f"""Implied Volatility: {self.impliedVolatility.Current.Value},
Delta: {self.delta.Current.Value}""")
50 changes: 43 additions & 7 deletions Algorithm/QCAlgorithm.Indicators.cs
Original file line number Diff line number Diff line change
Expand Up @@ -534,20 +534,37 @@ public DonchianChannel DCH(Symbol symbol, int period, Resolution? resolution = n
/// </summary>
/// <param name="symbol">The option symbol whose values we want as an indicator</param>
/// <param name="riskFreeRate">The risk free rate</param>
/// <param name="dividendYield">The dividend yield</param>
/// <param name="optionModel">The option pricing model used to estimate Delta</param>
/// <param name="ivModel">The option pricing model used to estimate IV</param>
/// <param name="resolution">The desired resolution of the data</param>
/// <returns>A new Delta indicator for the specified symbol</returns>
[DocumentationAttribute(Indicators)]
public Delta D(Symbol symbol, decimal? riskFreeRate = null, OptionPricingModelType optionModel = OptionPricingModelType.BlackScholes,
public Delta D(Symbol symbol, decimal? riskFreeRate = null, decimal? dividendYield = null, OptionPricingModelType optionModel = OptionPricingModelType.BlackScholes,
OptionPricingModelType? ivModel = null, Resolution? resolution = null)
{
var name = CreateIndicatorName(symbol, $"Delta({riskFreeRate},{optionModel},{ivModel})", resolution);
var name = CreateIndicatorName(symbol, $"Delta({riskFreeRate},{dividendYield},{optionModel},{ivModel})", resolution);

IRiskFreeInterestRateModel riskFreeRateModel = riskFreeRate.HasValue
? new ConstantRiskFreeRateInterestRateModel(riskFreeRate.Value)
// Make it a function so it's lazily evaluated: SetRiskFreeInterestRateModel can be called after this method
: new FuncRiskFreeRateInterestRateModel((datetime) => RiskFreeInterestRateModel.GetInterestRate(datetime));
var delta = new Delta(name, symbol, riskFreeRateModel, optionModel, ivModel);

IDividendYieldModel dividendYieldModel;
if (dividendYield.HasValue)
{
dividendYieldModel = new ConstantDividendYieldModel(dividendYield.Value);
}
else if (symbol.ID.SecurityType == SecurityType.FutureOption || symbol.ID.SecurityType == SecurityType.IndexOption)
{
dividendYieldModel = new ConstantDividendYieldModel(0m);
}
else
{
dividendYieldModel = new DividendYieldProvider(symbol.Underlying);
}

var delta = new Delta(name, symbol, riskFreeRateModel, dividendYieldModel, optionModel, ivModel);
RegisterIndicator(symbol, delta, ResolveConsolidator(symbol, resolution));
RegisterIndicator(symbol.Underlying, delta, ResolveConsolidator(symbol, resolution));
return delta;
Expand All @@ -559,15 +576,16 @@ public Delta D(Symbol symbol, decimal? riskFreeRate = null, OptionPricingModelTy
/// </summary>
/// <param name="symbol">The option symbol whose values we want as an indicator</param>
/// <param name="riskFreeRate">The risk free rate</param>
/// <param name="dividendYield">The dividend yield</param>
/// <param name="optionModel">The option pricing model used to estimate Delta</param>
/// <param name="ivModel">The option pricing model used to estimate IV</param>
/// <param name="resolution">The desired resolution of the data</param>
/// <returns>A new Delta indicator for the specified symbol</returns>
[DocumentationAttribute(Indicators)]
public Delta Δ(Symbol symbol, decimal? riskFreeRate = null, OptionPricingModelType optionModel = OptionPricingModelType.BlackScholes,
public Delta Δ(Symbol symbol, decimal? riskFreeRate = null, decimal? dividendYield = null, OptionPricingModelType optionModel = OptionPricingModelType.BlackScholes,
OptionPricingModelType? ivModel = null, Resolution? resolution = null)
{
return D(symbol, riskFreeRate, optionModel, ivModel, resolution);
return D(symbol, riskFreeRate, dividendYield, optionModel, ivModel, resolution);
}

/// <summary>
Expand Down Expand Up @@ -895,19 +913,37 @@ public Identity Identity(Symbol symbol, TimeSpan resolution, Func<IBaseData, dec
/// </summary>
/// <param name="symbol">The option symbol whose values we want as an indicator</param>
/// <param name="riskFreeRate">The risk free rate</param>
/// <param name="dividendYield">The dividend yield</param>
/// <param name="period">The lookback period of historical volatility</param>
/// <param name="optionModel">The option pricing model used to estimate IV</param>
/// <param name="resolution">The desired resolution of the data</param>
/// <returns>A new ImpliedVolatility indicator for the specified symbol</returns>
[DocumentationAttribute(Indicators)]
public ImpliedVolatility IV(Symbol symbol, decimal? riskFreeRate = null, int period = 252, OptionPricingModelType optionModel = OptionPricingModelType.BlackScholes, Resolution? resolution = null)
public ImpliedVolatility IV(Symbol symbol, decimal? riskFreeRate = null, decimal? dividendYield = null, int period = 252,
OptionPricingModelType optionModel = OptionPricingModelType.BlackScholes, Resolution? resolution = null)
{
var name = CreateIndicatorName(symbol, $"IV({riskFreeRate},{period},{optionModel})", resolution);

IRiskFreeInterestRateModel riskFreeRateModel = riskFreeRate.HasValue
? new ConstantRiskFreeRateInterestRateModel(riskFreeRate.Value)
// Make it a function so it's lazily evaluated: SetRiskFreeInterestRateModel can be called after this method
: new FuncRiskFreeRateInterestRateModel((datetime) => RiskFreeInterestRateModel.GetInterestRate(datetime));
var iv = new ImpliedVolatility(name, symbol, riskFreeRateModel, period, optionModel);

IDividendYieldModel dividendYieldModel;
if (dividendYield.HasValue)
{
dividendYieldModel = new ConstantDividendYieldModel(dividendYield.Value);
}
else if (symbol.ID.SecurityType == SecurityType.FutureOption || symbol.ID.SecurityType == SecurityType.IndexOption)
{
dividendYieldModel = new ConstantDividendYieldModel(0m);
}
else
{
dividendYieldModel = new DividendYieldProvider(symbol.Underlying);
}

var iv = new ImpliedVolatility(name, symbol, riskFreeRateModel, dividendYieldModel, period, optionModel);
RegisterIndicator(symbol, iv, ResolveConsolidator(symbol, resolution));
RegisterIndicator(symbol.Underlying, iv, ResolveConsolidator(symbol, resolution));
return iv;
Expand Down
45 changes: 45 additions & 0 deletions Common/Data/ConstantDividendYieldModel.cs
Original file line number Diff line number Diff line change
@@ -0,0 +1,45 @@
/*
* QUANTCONNECT.COM - Democratizing Finance, Empowering Individuals.
* Lean Algorithmic Trading Engine v2.0. Copyright 2014 QuantConnect Corporation.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/

using System;

namespace QuantConnect.Data
{
/// <summary>
/// Constant dividend yield model
/// </summary>
public class ConstantDividendYieldModel : IDividendYieldModel
{
private readonly decimal _dividendYield;

/// <summary>
/// Instantiates a <see cref="ConstantDividendYieldModel"/> with the specified dividend yield
/// </summary>
public ConstantDividendYieldModel(decimal dividendYield)
{
_dividendYield = dividendYield;
}

/// <summary>
/// Get dividend yield by a given date of a given symbol
/// </summary>
/// <param name="date">The date</param>
/// <returns>Dividend yield on the given date of the given symbol</returns>
public decimal GetDividendYield(DateTime date)
{
return _dividendYield;
}
}
}
Loading

0 comments on commit e39cec4

Please sign in to comment.