What is Boot Camp?
Boot Camp is a great way to improve your skills and learn the QuantConnect API in easily digestible portions.
Don't have an account? Join QuantConnect Today
We are dedicated to providing investors with a cutting-edge platform for rapidly creating quant investment strategies. Founded in 2012, we've empowered more than 250,000 quants and engineers to create and trade their ideas.
Quickly and easily started with our API to build your strategy. The learning center lessons are interactive, step-by-step guides to make you productive as fast as possible.
Focus your efforts on driving alpha, not parsing CSV files. Our cloud offers hundreds of terabytes of traditional and alternative data preformatted, cleaned, and instantly accessible by our API.
Coordinate teamwork, control access permissions, and your shared cloud resources. Grow your trading organization safely and efficiently on top of our cloud architecture.
A selection of streaming live-trading strategies written by QuantConnect, and top highlights from the community available to follow and clone. Peer into detailed real-time positions to gain insight for your own trading.
What is Boot Camp?
Boot Camp is a great way to improve your skills and learn the QuantConnect API in easily digestible portions.
A collection of courses from independent educators to improve your quant skill base and create better strategies.
Solidify and expand your quant skill base with courses at QuantConnect
Learn algorithmic trading with python for US Equities. Guided strategy development in easily digestible portions.
Author: QuantConnect
Free | 96,124 People Enrolled
Learn algorithmic trading with python for FX. Guided strategy development in easily digestible portions.
Author: QuantConnect
Free | 20,604 People Enrolled
Learn algorithmic trading with python for Futures. Guided strategy development in easily digestible portions.
Author: QuantConnect
Free | 7,443 People Enrolled
In this algorithmic trading tutorial series you will learn everything you need to know to start writing your own trading bots using Python and the QuantConnect quantitative trading platform.
Author: Louis
Free | 28,882 People Enrolled
Master algorithmic trading on QuantConnect; backtest and live trade Stocks, Options, Futures, Forex, and Crypto.
Author: Cheng Li
Paid | Enroll on Udemy
Learn to use Python, Pandas, Matplotlib, and the QuantConnect Lean Engine to perform financial analysis and trading.
Author: Jose Portilla, Pierian Training
Paid | Enroll on Udemy
Learn to write programs that algorithmically trade cryptocurrencies using QuantConnect (C#).
Author: Eric Summers
Paid | Enroll on Udemy
Organization Notes
Get Started with Algorithm Lab
New Research
Optimizing a Gold-SPY Portfolio Using Hidden Markov Models for Market Downtime
Gold-SPY portfolio optimization using Hidden Markov Models for minimizing market downturn risk....
ReadAlgorithm Lab is your playground for developing and refining trading algorithms with QuantConnect. Utilize advanced tools, historical data, and robust backtesting to enhance your trading strategies. Transform your ideas into actionable insights and optimize your trading approach with ease.
Sign Up for FreeAlready have an account Log In.
This account is protected by two-factor authentication.
Request Token Information Reset My TokenCreated | Last Time Used | Agent | |
---|---|---|---|
No entries found |
To continue please enter your email:
(No google account required)
To verify that everything goes well please enter the 6 digit verification code generated by the authenticator application
Algorithm Lab is your playground for developing and refining trading algorithms with QuantConnect. Utilize advanced tools, historical data, and robust backtesting to enhance your trading strategies. Transform your ideas into actionable insights and optimize your trading approach with ease.
Sign Up for FreeAlready have an account Log In.
Please stop one of the following coding sessions, or upgrade your account.
NAME | ORGANIZATION |
---|
QuantConnect Datasets
Explore free and paid datasets available on QuantConnect covering fundamentals, pricing, and alternative options.
Datasets >
Dashboard
A transparent, community reporting system. Report suspected issues with our cloud data to be investigated by the QuantConnect Team.
Issue List
Loading...
Data Explorer Issues are a way to report and track data problems. They give the QuantConnect community a way to discuss potential solutions and be notified when they are resolved. If you think you have found a data problem please check the existing open and closed issues first; often another user may have already reported your problem.
Does your issue match any of the already listed issues?
Thank you for your contribution! Our team is currently working on resolving these issues, please subscribe to them to receive updates.
Datasets >
Upcoming Earnings
Dataset by EOD Historical Data
The Upcoming Earnings dataset, provided by EOD Historical Data (EODHD), is a daily universe of US Equities with an earnings report publication in the upcoming 7 days. The data starts in January 1998 and is delivered on a daily frequency.
Compared to Nasdaq's Earning Reports as a benchmark, the Upcoming Earnings dataset has captured 96.79% of the scheduled earnings report, with a 97.25% exact-date precision of the captured events, while having a 99.28% precision within +/- 3 days. Note that the Upcoming Earnings dataset also contains unscheduled special earning reports.
EOD Historical Data (EODHD) is a financial data provider based in France, and founded in April 2015. They focus on providing clean financial data, including stock prices, splits, dividends, fundamentals, macroeconomic indicators, technical indicators, and alternative data sources, through 24/7 API seamlessly. For more information about EODHD, visit https://eodhd.com/.
The following snippet demonstrates how to request data from the Upcoming Earnings dataset:
self.add_universe(EODHDUpcomingEarnings, self.selection_function)
AddUniverse<EODHDUpcomingEarnings>(SelectionFunction);
The following table describes the dataset properties:
Property | Value |
---|---|
Start Date | January 1998 |
Data Density | Sparse |
Resolution | Daily |
Timezone | New York |
The Upcoming Earnings dataset provides timely notifications about earnings announcements, allowing traders to make capitalize on potential price movements and manage risks effectively. Examples include the following strategies:
The EODHD Upcoming Earnings dataset provides EODHDUpcomingEarnings objects, which have the following attributes:
To filter the EODHD Upcoming Earnings data with their reporting timing, use the EODHD.ReportTime enum, which have the following attributes:
To select a dynamic universe of US Equities based on the Upcoming Earnings dataset, call the AddUniverseadd_universe method with a EODHDUpcomingEarnings cast.
def initialize(self) -> None:
self._universe = self.add_universe(EODHDUpcomingEarnings, self.universe_selection_filter)
def universe_selection_filter(self, earnings: List[EODHDUpcomingEarnings]) -> List[Symbol]:
return [d.symbol for d in earnings if d.report_date <= self.time + timedelta(3) and d.estimate > 0]
public override void Initialize()
{
_universe = AddUniverse<EODHDUpcomingEarnings>(UniverseSelectionFilter);
}
private IEnumerable<Symol> UniverseSelectionFilter(IEnumerable<EODHDUpcomingEarnings> earnings)
{
return from d in earnings
where d.ReportDate <= Time.AddDays(3) && d.Estimate > 0m
select d.Symbol;
}
For more information about universe settings, see Settings.
This dataset is designed for universe selection. However, you can add Upcoming Earnings data to your algorithm using the AddData<EODHDUpcomingEarnings>add_data method.
class UpcomingEarningsDataAlgorithm(QCAlgorithm):
def initialize(self) -> None:
self.set_start_date(2019, 1, 1)
self.set_end_date(2020, 6, 1)
self.set_cash(100000)
self._symbol = self.add_equity("AAPL", Resolution.DAILY).symbol
self._dataset_symbol = self.add_data(EODHDUpcomingEarnings, "earnings").symbol
namespace QuantConnect.Algorithm.CSharp.AltData
{
public class UpcomingEarningsDataAlgorithm : QCAlgorithm
{
private Symbol _symbol, _datasetSymbol;
public override void Initialize()
{
SetStartDate(2019, 1, 1);
SetEndDate(2020, 6, 1);
SetCash(100000);
_symbol = AddEquity("AAPL", Resolution.Daily).Symbol;
_datasetSymbol = AddData<EODHDUpcomingEarnings>("earnings").Symbol;
}
}
}
To get the current Upcoming Earnings data, call the Get<EODHDUpcomingEarnings>get(EODHDUpcomingEarnings) method from the current Slice and index the result with the security Symbol. Slice objects deliver unique events to your algorithm as they happen, but the Slice may not contain data for your security at every time step. To avoid issues, check if the Slice contains the data you want before you index it.
def on_data(self, slice: Slice) -> None:
upcomings_earnings_for_symbol = slice.get(EODHDUpcomingEarnings).get(self._symbol)
if upcomings_earnings_for_symbol:
self.log(f"{self._symbol} will report earnings at {upcomings_earnings_for_symbol.report_date} {upcomings_earnings_for_symbol.report_time} with estimated EPS {upcomings_earnings_for_symbol.estimate}")
public override void OnData(Slice slice)
{
var upcomingEarnings = slice.Get<EODHDUpcomingEarnings>();
if (upcomingEarnings.TryGetValue(_symbol, out var upcomingEarningsDataPoint))
{
Log($"{_symbol} will report earnings at {upcomingEarningsDataPoint.ReportDate} {upcomingEarningsDataPoint.ReportTime} with estimated EPS {upcomingEarningsDataPoint.Estimate}");
}
}
You can also iterate through all of the dataset objects in the current Slice
def on_data(self, slice: Slice) -> None:
for equity_symbol, upcomings_earnings_data_point in slice.get(EODHDUpcomingEarnings).items():
self.log(f"{equity_symbol} will report earnings at {upcomings_earnings_data_point.report_date} {upcomings_earnings_data_point.report_time} with estimated EPS {upcomings_earnings_data_point.estimate}")
public override void OnData(Slice slice)
{
foreach (var kvp in slice.Get<EODHDUpcomingEarnings>())
{
var equitySymbol = kvp.Key;
var upcomingEarningsDataPoint = kvp.Value;
Log($"{equitySymbol} will report earnings at {upcomingEarningsDataPoint.ReportDate} {upcomingEarningsDataPoint.ReportTime} with estimated EPS {upcomingEarningsDataPoint.Estimate}");
}
}
To get historical Upcoming Earnings for the universe, call the Historyhistory method with the type EODHDUpcomingEarning.
history = self.history(EODHDUpcomingEarnings, timedelta(100), Resolution.DAILY)
var history = History<EODHDUpcomingEarnings>(TimeSpan.FromDays(100), Resolution.Daily);
To get historical Upcoming Earnings data for a known security, call the Historyhistory method with the type EODHDUpcomingEarning cast and the security Symbol.
history = self.history[EODHDUpcomingEarnings](timedelta(100), Resolution.DAILY).loc[self._symbol]
var history = History<EODHDUpcomingEarnings>(TimeSpan.FromDays(100), Resolution.Daily)
.Select(x => x[_symbol])
.ToList();
If there is no data in the period you request, the history result is empty. For more information about historical data, see History Requests.
To remove a subscription, call the RemoveSecurityremove_security method.
self.remove_security(self.dataset_symbol)
RemoveSecurity(_datasetSymbol);
The EODHD Upcoming Earnings dataset provides EODHDUpcomingEarnings objects, which have the following attributes:
To filter the EODHD Upcoming Earnings data with their reporting timing, use the EODHD.ReportTime enum, which have the following attributes:
The following example algorithm long a straddle on the stocks with upcoming earnings report within 5 days to trade the volatility. It allows 5 days to build up the volatility and capitalize the positions 1 day after the earnings announcement.
class UpcomingEarningsExampleAlgorithm(QCAlgorithm):
options_by_symbol = {}
def initialize(self) -> None:
self.set_start_date(2024, 9, 1)
self.set_end_date(2024, 10, 1)
self.set_cash(100000)
# Seed the last price as price since we need to use the underlying price for option contract filtering when it join the universe.
self.set_security_initializer(BrokerageModelSecurityInitializer(self.brokerage_model, FuncSecuritySeeder(self.get_last_known_prices)))
# Trade on daily basis based on daily upcoming earnings signals.
self.universe_settings.resolution = Resolution.DAILY
# Option trading requires raw price for strike price comparison.
self.universe_settings.data_normalization_mode = DataNormalizationMode.RAW
# Universe consists of equities with upcoming earnings events.
self.add_universe(EODHDUpcomingEarnings, self.selection)
def selection(self, earnings: List[EODHDUpcomingEarnings]) -> List[Symbol]:
# We do not want to lock our fund too early, so filter for stocks is in lower volatility but will go up.
# Assuming 5 days before the earnings report publish is less volatile.
# We do not want depository due to their low liquidity.
return [d.symbol for d in earnings
if d.report_date <= self.time + timedelta(5)]
def on_securities_changed(self, changes: SecurityChanges) -> None:
# Actions only based on the equity universe changes.
for added in [security for security in changes.added_securities if security.type == SecurityType.EQUITY]:
# Select the option contracts to construct a straddle to trade the volatility.
call, put = self.select_option_contracts(added.symbol)
if not call or not put:
continue
self.options_by_symbol[added.symbol] = (call, put)
# Request the option contract data for trading.
call = self.add_option_contract(call).symbol
put = self.add_option_contract(put).symbol
# Long a straddle by shorting the selected ATM call and put.
self.combo_market_order([
Leg.create(call, 1),
Leg.create(put, 1)
],
1
)
# Actions only based on the equity universe changes.
for removed in [security for security in changes.removed_securities if security.type == SecurityType.EQUITY]:
# Liquidate any assigned position.
self.liquidate(removed.symbol)
# Liquidate the option positions and capitalize the volatility 1-day after the earnings announcement.
contracts = self.options_by_symbol.pop(removed.symbol, None)
if contracts:
for contract in contracts:
self.remove_option_contract(contract)
def select_option_contracts(self, underlying: Symbol) -> Tuple[Symbol, Symbol]:
# Get all tradable option contracts for filtering.
option_contract_list = self.option_chain(underlying)
# Expiry at least 30 days later to have a smaller theta to reduce time decay loss.
# Yet also be ensure liquidity over the volatility fluctuation hence we take the closet expiry after that.
long_expiries = [x for x in option_contract_list if x.id.date >= self.time + timedelta(30)]
if len(long_expiries) < 2:
return None, None
expiry = min(x.id.date for x in long_expiries)
filtered_contracts = [x for x in option_contract_list if x.id.date == expiry]
# Select ATM call and put to form a straddle for trading the volatility.
strike = sorted(filtered_contracts,
key=lambda x: abs(x.id.strike_price - self.securities[underlying].price))[0].id.strike_price
atm_contracts = [x for x in filtered_contracts if x.id.strike_price == strike]
if len(atm_contracts) < 2:
return None, None
atm_call = next(filter(lambda x: x.id.option_right == OptionRight.CALL, atm_contracts))
atm_put = next(filter(lambda x: x.id.option_right == OptionRight.PUT, atm_contracts))
return atm_call, atm_put
namespace QuantConnect
{
public class UpcomingEarningsExampleAlgorithm : QCAlgorithm
{
// A dictionary to save the underlying-call,put pair for position open/close management.
private Dictionary<Symbol, (Symbol Call, Symbol Put)> _optionsBySymbol = new();
public override void Initialize()
{
SetStartDate(2020, 1, 1);
SetEndDate(2024, 10, 1);
SetCash(100000);
// Seed the last price as price since we need to use the underlying price for option contract filtering when it join the universe.
SetSecurityInitializer(new BrokerageModelSecurityInitializer(BrokerageModel, new FuncSecuritySeeder(GetLastKnownPrices)));
// Trade on daily basis based on daily upcoming earnings signals.
UniverseSettings.Resolution = Resolution.Daily;
// Option trading requires raw price for strike price comparison.
UniverseSettings.DataNormalizationMode = DataNormalizationMode.Raw;
// Universe consists of equities with upcoming earnings events.
AddUniverse<EODHDUpcomingEarnings>((earnings) => {
return earnings
// We do not want to lock our fund too early, so filter for stocks is in lower volatility but will go up.
// Assuming 5 days before the earnings report publish is less volatile.
// We do not want depository due to their low liquidity.
.Where(datum => (datum as EODHDUpcomingEarnings).ReportDate <= Time.AddDays(5))
.Select(datum => datum.Symbol);
});
}
public override void OnSecuritiesChanged(SecurityChanges changes)
{
// Actions only based on the equity universe changes.
foreach (var removed in changes.RemovedSecurities.Where(x=> x.Type == SecurityType.Equity))
{
// Liquidate any assigned position.
Liquidate(removed.Symbol);
// Liquidate the option positions and capitalize the volatility 1-day after the earnings announcement.
if (_optionsBySymbol.Remove(removed.Symbol, out var options))
{
RemoveOptionContract(options.Call);
RemoveOptionContract(options.Put);
}
}
// Actions only based on the equity universe changes.
foreach (var added in changes.AddedSecurities.Where(x=> x.Type == SecurityType.Equity))
{
// Select the option contracts to construct a straddle to trade the volatility.
var (call, put) = SelectOptionContracts(added.Symbol);
if (call == null || put == null)
{
continue;
}
_optionsBySymbol[added.Symbol] = (call, put);
// Request the option contract data for trading.
call = AddOptionContract(call).Symbol;
put = AddOptionContract(put).Symbol;
// Long a straddle by shorting the selected ATM call and put.
ComboMarketOrder(
new List<Leg> {
Leg.Create(call, 1),
Leg.Create(put, 1)
},
1
);
}
}
private (Symbol, Symbol) SelectOptionContracts(Symbol underlying)
{
// Get all tradable option contracts for filtering.
var optionContractList = OptionChain(underlying);
// Expiry at least 30 days later to have a smaller theta to reduce time decay loss.
// Yet also be ensure liquidity over the volatility fluctuation hence we take the closet expiry after that.
var longExpiries = optionContractList.Where(x => x.ID.Date >= Time.AddDays(30)).ToList();
if (longExpiries.Count < 2)
{
return (null, null);
}
var expiry = longExpiries.Min(x => x.ID.Date);
var filteredContracts = optionContractList.Where(x => x.ID.Date == expiry).ToList();
// Select ATM call and put to form a straddle for trading the volatility.
var strike = filteredContracts.MinBy(x => Math.Abs(x.ID.StrikePrice - Securities[underlying].Price))
.ID.StrikePrice;
var atmContracts = filteredContracts.Where(x => x.ID.StrikePrice == strike).ToList();
if (atmContracts.Count < 2)
{
return (null, null);
}
var atmCall = atmContracts.Single(x => x.ID.OptionRight == OptionRight.Call);
var atmPut = atmContracts.Single(x => x.ID.OptionRight == OptionRight.Put);
return (atmCall, atmPut);
}
}
}
The following example algorithm long a straddle on the stocks with upcoming earnings report within 5 days to trade the volatility implemented in framework algorithm. It allows 5 days to build up the volatility and capitalize the positions 1 day after the earnings announcement.
class UpcomingEarningsExampleAlgorithm(QCAlgorithm):
def initialize(self) -> None:
self.set_start_date(2020, 1, 1)
self.set_end_date(2024, 10, 1)
self.set_cash(100000)
# Seed the last price as price since we need to use the underlying price for option contract filtering when it join the universe.
self.set_security_initializer(BrokerageModelSecurityInitializer(self.brokerage_model, FuncSecuritySeeder(self.get_last_known_prices)))
# Trade on daily basis based on daily upcoming earnings signals.
self.universe_settings.resolution = Resolution.DAILY
# Option trading requires raw price for strike price comparison.
self.universe_settings.data_normalization_mode = DataNormalizationMode.RAW
# Universe consists of equities with upcoming earnings events.
self.add_universe(EODHDUpcomingEarnings, self.selection)
# A custom alpha model that emit signal based on upcoming earnings events.
self.add_alpha(UpcomingEarningsAlphaModel())
# To trade 1 contract per signal to ensure equal size per leg of the short straddle.
self.set_portfolio_construction(SingleSharePortfolioConstructionModel())
def selection(self, earnings: List[EODHDUpcomingEarnings]) -> List[Symbol]:
# We do not want to lock our fund too early, so filter for stocks is in lower volatility but will go up.
# Assuming 5 days before the earnings report publish is less volatile.
# We do not want depository due to their low liquidity.
return [d.symbol for d in earnings
if d.report_date <= self.time + timedelta(5)]
class UpcomingEarningsAlphaModel(AlphaModel):
options_by_symbol = {}
def update(self, algorithm: QCAlgorithm, slice: Slice) -> List[Insight]:
insights = []
# Iterate the newly added equities to trade their volatility.
while len(self.options_by_symbol) > 0:
key = list(self.options_by_symbol.keys())[0]
# Obtain the selected option contracts to trade and remove the key-value pair to avoid repeat ordering.
contracts = self.options_by_symbol.pop(key)
# Long straddle (long the ATM call and put contracts) for 7 days to trade the volatility.
# Assuming the volatility will go up due to earning announcement and reach highest volatility at 2-3 days after the report.
insights.extend([
Insight.price(contracts[0], timedelta(7), InsightDirection.UP),
Insight.price(contracts[1], timedelta(7), InsightDirection.UP)
])
# Remove any assigned positions of the underlying.
for symbol, holding in algorithm.portfolio.items():
if holding.type == SecurityType.EQUITY and holding.invested:
insights.append(Insight.price(symbol, timedelta(7), InsightDirection.FLAT))
return insights
def on_securities_changed(self, algorithm: QCAlgorithm, changes: SecurityChanges) -> None:
# Actions only based on the equity universe changes.
for added in [x for x in changes.added_securities if x.type == SecurityType.EQUITY]:
# Select the option contracts to construct a straddle to trade the volatility.
call, put = self.select_option_contracts(algorithm, added.symbol, algorithm.time)
if not call or not put:
continue
# Request the option contract data for trading.
call = algorithm.add_option_contract(call).symbol
put = algorithm.add_option_contract(put).symbol
self.options_by_symbol[added.symbol] = (call, put)
def select_option_contracts(self, algorithm: QCAlgorithm, underlying: Symbol, time: datetime) -> Tuple[Symbol, Symbol]:
# Get all tradable option contracts for filtering.
option_contract_list = algorithm.option_chain(underlying)
# Expiry at least 30 days later to have a smaller theta to reduce time decay loss.
# Yet also be ensure liquidity over the volatility fluctuation hence we take the closet expiry after that.
long_expiries = [x for x in option_contract_list if x.id.date >= time + timedelta(30)]
if len(long_expiries) < 2:
return None, None
expiry = min(x.id.date for x in long_expiries)
filtered_contracts = [x for x in option_contract_list if x.id.date == expiry]
# Select ATM call and put to form a straddle for trading the volatility.
strike = sorted(filtered_contracts,
key=lambda x: abs(x.id.strike_price - algorithm.securities[underlying].price))[0].id.strike_price
atm_contracts = [x for x in filtered_contracts if x.id.strike_price == strike]
if len(atm_contracts) < 2:
return None, None
atm_call = next(filter(lambda x: x.id.option_right == OptionRight.CALL, atm_contracts))
atm_put = next(filter(lambda x: x.id.option_right == OptionRight.PUT, atm_contracts))
return atm_call, atm_put
class SingleSharePortfolioConstructionModel(PortfolioConstructionModel):
def create_targets(self, algorithm: QCAlgorithm, insights: List[Insight]) -> List[PortfolioTarget]:
if not insights:
return []
# Only a single contract toi ensure both legs size is equal
quantity = min([abs(algorithm.calculate_order_quantity(i.symbol, i.direction))
for i in insights])
return [PortfolioTarget(i.symbol, quantity * i.direction) for i in insights]
namespace QuantConnect
{
public class UpcomingEarningsExampleAlgorithm : QCAlgorithm
{
public override void Initialize()
{
SetStartDate(2020, 1, 1);
SetEndDate(2024, 10, 1);
SetCash(100000);
// Seed the last price as price since we need to use the underlying price for option contract filtering when it join the universe.
SetSecurityInitializer(new BrokerageModelSecurityInitializer(BrokerageModel, new FuncSecuritySeeder(GetLastKnownPrices)));
// Trade on daily basis based on daily upcoming earnings signals.
UniverseSettings.Resolution = Resolution.Daily;
// Option trading requires raw price for strike price comparison.
UniverseSettings.DataNormalizationMode = DataNormalizationMode.Raw;
// Universe consists of equities with upcoming earnings events.
AddUniverse<EODHDUpcomingEarnings>((earnings) => {
return earnings
// We do not want to lock our fund too early, so filter for stocks is in lower volatility but will go up.
// Assuming 5 days before the earnings report publish is less volatile.
// We do not want depository due to their low liquidity.
.Where(datum => (datum as EODHDUpcomingEarnings).ReportDate <= Time.AddDays(5))
.Select(datum => datum.Symbol);
});
// A custom alpha model that emit signal based on upcoming earnings events.
AddAlpha(new UpcomingEarningsAlphaModel());
// To trade 1 contract per signal to ensure equal size per leg of the short straddle.
SetPortfolioConstruction(new SingleSharePortfolioConstructionModel());
}
}
public class UpcomingEarningsAlphaModel : AlphaModel
{
// A dictionary to save the underlying-call,put pair for position open/close management.
private Dictionary<Symbol, (Symbol Call, Symbol Put)> _optionsBySymbol = new();
public override IEnumerable<Insight> Update(QCAlgorithmFrameworkBridge algorithm, Slice data)
{
var insights = new List<Insight>();
// Iterate the newly added equities to trade their volatility.
while (_optionsBySymbol.Count > 0)
{
var key = _optionsBySymbol.Keys.First();
// Obtain the selected option contracts to trade and remove the key-value pair to avoid repeat ordering.
_optionsBySymbol.Remove(key, out var contracts);
// Long straddle (long the ATM call and put contracts) for 7 days to trade the volatility.
// Assuming the volatility will go up due to earning announcement and reach highest volatility at 2-3 days after the report.
insights.AddRange(new Insight[]{
Insight.Price(contracts.Call, TimeSpan.FromDays(7), InsightDirection.Up),
Insight.Price(contracts.Put, TimeSpan.FromDays(7), InsightDirection.Up)
});
}
// Remove any assigned positions of the underlying.
foreach (var (symbol, holding) in algorithm.Portfolio)
{
if (holding.Type == SecurityType.Equity && holding.Invested)
{
insights.Add(Insight.Price(symbol, TimeSpan.FromDays(7), InsightDirection.Flat));
}
}
return insights;
}
public override void OnSecuritiesChanged(QCAlgorithm algorithm, SecurityChanges changes)
{
// Actions only based on the equity universe changes.
foreach (var added in changes.AddedSecurities.Where(x=> x.Type == SecurityType.Equity))
{
// Select the option contracts to construct a straddle to trade the volatility.
var (call, put) = SelectOptionContracts(algorithm, added.Symbol, algorithm.Time);
if (call == null || put == null)
{
continue;
}
// Request the option contract data for trading.
call = algorithm.AddOptionContract(call).Symbol;
put = algorithm.AddOptionContract(put).Symbol;
_optionsBySymbol[added.Symbol] = (call, put);
}
}
private (Symbol, Symbol) SelectOptionContracts(QCAlgorithm algorithm, Symbol underlying, DateTime time)
{
// Get all tradable option contracts for filtering.
var optionContractList = algorithm.OptionChain(underlying);
// Expiry at least 30 days later to have a smaller theta to reduce time decay loss.
// Yet also be ensure liquidity over the volatility fluctuation hence we take the closet expiry after that.
var longExpiries = optionContractList.Where(x => x.ID.Date >= time.AddDays(30)).ToList();
if (longExpiries.Count < 2)
{
return (null, null);
}
var expiry = longExpiries.Min(x => x.ID.Date);
var filteredContracts = optionContractList.Where(x => x.ID.Date == expiry).ToList();
// Select ATM call and put to form a straddle for trading the volatility.
var strike = filteredContracts.MinBy(x => Math.Abs(x.ID.StrikePrice - algorithm.Securities[underlying].Price))
.ID.StrikePrice;
var atmContracts = filteredContracts.Where(x => x.ID.StrikePrice == strike).ToList();
if (atmContracts.Count < 2)
{
return (null, null);
}
var atmCall = atmContracts.Single(x => x.ID.OptionRight == OptionRight.Call);
var atmPut = atmContracts.Single(x => x.ID.OptionRight == OptionRight.Put);
return (atmCall, atmPut);
}
}
public class SingleSharePortfolioConstructionModel : PortfolioConstructionModel
{
public override IEnumerable<PortfolioTarget> CreateTargets(QCAlgorithm algorithm, Insight[] insights)
{
if (insights.Count() == 0)
{
return Enumerable.Empty<PortfolioTarget>();
}
// Only a single contract to ensure both legs size is equal.
var quantity = insights
.Select(i => Math.Abs(algorithm.CalculateOrderQuantity(i.Symbol, (decimal)i.Direction)))
.Min();
return insights.Select(i => new PortfolioTarget(i.Symbol, quantity * (decimal)i.Direction));
}
}
}
Upcoming Earnings is allowed to be used in the cloud for personal and commercial projects for free. The data is permissioned for use within the licensed organization only
Free | Documentation
LEAN CLI is a cross-platform wrapper on the QuantConnect algorithmic trading engine called LEAN. The CLI makes using LEAN incredibly easy, reducing most of the pain points of developing and managing an algorithmic trading strategy to a few lines of bash.
Using the CLI you can download the same data QuantConnect hosts in the cloud for a small fee. These fees are per file downloaded, and are paid for in QuantConnect-Credits (QCC). We recommend purchasing credits to enable downloading.
The CLI command generator is a helpful tool to generate a copy-paste command to download this dataset from the form below.
Using Upcoming Earnings data in the QuantConnect Cloud for your backtesting and live trading purposes.
What people are saying about this
This product has not received any reviews yet, be the first to post one!
Rate the Module:
Provider offers 1 licensing option
Explore free and paid datasets available on QuantConnect covering fundamentals, pricing, and alternative options.
Dataset Status from to
No Runs
OK
Degraded
Failure
Explore free and paid datasets available on QuantConnect covering fundamentals, pricing, and alternative options.
Lorem ipsum dolor sit amet conjectura lorem ipsum dolor sit amet conjectura lorem ipsum
Configuration Keys
Environment Variables
Lorem ipsum dolor sit amet conjectura lorem ipsum dolor sit amet conjectura lorem ipsum
File Link
Lorem ipsum dolor sit amet conjectura lorem ipsum dolor sit amet conjectura lorem ipsum
Lorem ipsum dolor sit amet conjectura lorem ipsum dolor sit amet conjectura lorem ipsum
Upload a manually created tar or zip file to all cloud data systems.
Add a link and click the Sync Dataset button to upload the dataset
Upload Destinations
The dataset synchronizer is an internal tool for the QuantConnect team to upload data to the
cloud data storage environments. It supports TAR files which are extracted in the root directory
of the cloud data environments.
Take extreme care to carefully structure your data TAR package with
the same folders as the LEAN data folder. Ensure all folders and file names are lowercase as Linux is case-sensitive.
Support
Algorithm Lab is your playground for developing and refining trading algorithms with QuantConnect. Utilize advanced tools, historical data, and robust backtesting to enhance your trading strategies. Transform your ideas into actionable insights and optimize your trading approach with ease.
Sign Up for FreeAlready have an account Log In.
â‘
â‘
â‘
â‘
â‘
Hover and click over the stars to rate us.
It looks like you are not fully satisfied with your experience on QuantConnect, please take a moment to let us know how we can improve our services for you:
If you have a minute to spare, please leave us a review on Trustpilot.
Stories like yours help others see the full potential of QuantConnect.
Organization Name |
---|
Upgrade to Team plan or higher to enable custom invoicing
Changes will be applied to future invoices.
Users will be able to join by following the link in the invitation email.
You’ve been invited by Jared Broad to join his G-Force Organization.
Would you like to accept the invitation?
Are you sure you want to delete the encryption key "undefined"?
Caution: We will not be able to decrypt encrypted projects without the original key.
Drag & Drop or
Keys are added to the local storage in your web browser and not uploaded to QuantConnect. To use an encrypted project on another computer you will need to bring a copy of the key.
This project is encrypted using the key .
This project will be encrypted using the key .