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,658 People Enrolled
Learn algorithmic trading with python for FX. Guided strategy development in easily digestible portions.
Author: QuantConnect
Free | 20,690 People Enrolled
Learn algorithmic trading with python for Futures. Guided strategy development in easily digestible portions.
Author: QuantConnect
Free | 7,527 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 | 29,206 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
Portfolio Construction Using Topological Data Analysis
Harnessing topological techniques to diversify SPY constituents by clustering top constituents to reduce correlation risk and drawdown....
ReadNew Announcement
Quant League Q1 2025 Results: Triton Quantitative Trading Takes the 1st Place!
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 >
US Equity Options
Dataset by AlgoSeek
The US Equity Options data by AlgoSeek provides Option data, including prices, strikes, expires, and open interest. The data covers 4,000 Symbols, starts in January 2012, and is delivered on a minute frequency. This dataset is created by monitoring Options Price Reporting Authority (OPRA) data feed, which consolidates last sale and quotation information originating from the national securities exchanges that have been approved by the Securities and Exchange Commission.
This dataset depends on the following datasets:
AlgoSeek was in 2014 with the goal of providing the highest quality, most accurate, ready-to-use data in the financial data industry. AlgoSeek provides access to Equities, ETFs, ETNs, Equity Indices, Equity Options, Futures, and Future Options for quantitative firms and traders.
The following snippet demonstrates how to request data from the US Equity Options dataset:
option = self.add_option("GOOG")
self.option_symbol = option.symbol
option.set_filter(-2, +2, 0, 180)
var option = AddOption("GOOG");
_optionSymbol = option.Symbol;
option.SetFilter(-2, +2, 0, 180);
The following table describes the dataset properties:
Property | Value |
---|---|
Start Date | January 2012* |
Asset Coverage | 4,000 Symbols |
Data Density | Dense |
Resolution | Minute, Hourly, & Daily |
Timezone | New York |
Market Hours | Regular Only |
* Some data is available before this date. In 2012, AlgoSeek started to fetch data from 48 OPRA channels instead of 24, increasing the quality of the data.
The US Equity Options dataset enables you to accurately design Option strategies. Examples include the following strategies:
For more example algorithms, see Examples.
The US Equity Options dataset provides TradeBar, QuoteBar, and OpenInterest objects.
TradeBar objects have the following attributes:
QuoteBar objects have the following attributes:
OpenInterest objects have the following attributes:
To view the supported assets in the US Equity Options dataset, see the Data Explorer.
To add US Equity Options data to your algorithm, call the AddOptionadd_option method. Save a reference to the Equity Option Symbol so you can access the data later in your algorithm.
class USEquityOptionsDataAlgorithm(QCAlgorithm):
def initialize(self) -> None:
self.set_start_date(2020, 6, 1)
self.set_end_date(2021, 6, 1)
self.set_cash(100000)
self.universe_settings.asynchronous = True
# Request GOOG option data
option = self.add_option("GOOG")
self.option_symbol = option.symbol
# Set our strike/expiry filter for this option chain
option.set_filter(-2, +2, 0, 180)
namespace QuantConnect
{
public class USEquityOptionsDataAlgorithm : QCAlgorithm
{
private Symbol _optionSymbol;
public override void Initialize()
{
SetStartDate(2020, 6, 1);
SetEndDate(2021, 6, 1);
SetCash(100000);
UniverseSettings.Asynchronous = true;
// Request GOOG option data
var option = AddOption("GOOG");
_optionSymbol = option.Symbol;
// Set our strike/expiry filter for this option chain
option.SetFilter(-2, +2, 0, 180);
}
}
}
The Equity resolution must be less than or equal to the Equity Option resolution. For example, if you set the Equity resolution to minute, then you must set the Equity Option resolution to minute, hour, or daily.
For more information about creating US Equity Option subscriptions, see Requesting Data or Equity Options Universes.
To get the current US Equity Options data, index the OptionChainsoption_chains property of the current Slice with the canonical Equity Option Symbol. Slice objects deliver unique events to your algorithm as they happen, but the Slice may not contain data for your Index Option at every time step. To avoid issues, call the Getget method.
def on_data(self, slice: Slice) -> None:
# Get the wanted option chain with the canonical symbol
chain = slice.option_chains.get(self.option_symbol)
if chain:
# Iterate the option contracts in chain
for contract in chain:
self.log(f"{contract.symbol} price at {slice.time}: {contract.last_price}")
public override void OnData(Slice slice)
{
// Get the wanted option chain with the canonical symbol
if (slice.OptionChains.TryGetValue(_optionSymbol, out var chain))
{
// Iterate the option contracts in chain
foreach (var contract in chain)
{
Log($"{contract.Symbol} price at {slice.Time}: {contract.LastPrice}");
}
}
}
You can also iterate through all of the OptionChain objects in the current Slice.
def on_data(self, slice: Slice) -> None:
# Iterate all option chains of all symbols
for canonical_symbol, chain in slice.option_chains.items():
# Iterate the option contracts in chain
for contract in chain:
self.log(f"{contract.symbol} price at {slice.time}: {contract.last_price}")
public override void OnData(Slice slice)
{
// Iterate all option chains of all symbols
foreach (var kvp in slice.OptionChains)
{
var canonicalSymbol = kvp.Key;
var chain = kvp.Value;
// Iterate the option contracts in chain
foreach (var contract in chain)
{
Log($"{contract.Symbol} price at {slice.Time}: {contract.LastPrice}");
}
}
}
For more information about accessing US Equity Options data, see Handling Data.
You can get historical US Equity Options data in an algorithm and the Research Environment.
To get historical US Equity Options data in an algorithm, call the Historyhistory method with the Equity Option contract Symbol. If there is no data in the period you request, the history result is empty.
# DataFrame of trade and quote data
history_df = self.history(contract.symbol, 100, Resolution.MINUTE)
# DataFrame of open interest data
history_oi_df = self.history(OpenInterest, contract.symbol, 100, Resolution.MINUTE)
# TradeBar objects
history_trade_bars = self.history[TradeBar](contract.symbol, 100, Resolution.MINUTE)
# QuoteBar objects
history_quote_bars = self.history[QuoteBar](contract.symbol, 100, Resolution.MINUTE)
# OpenInterest objects
history_oi = self.history[OpenInterest](contract.symbol, 100, Resolution.MINUTE)
// TradeBar objects
var historyTradeBars = History(contract.Symbol, 100, Resolution.Minute);
// QuoteBar objects
var historyQuoteBars = History<QuoteBar>(contract.Symbol, 100, Resolution.Minute);
// OpenInterest objects
var historyOpenInterest = History<OpenInterest>(contract.Symbol, 100, Resolution.Minute);
For more information about historical data in algorithms, see History Requests.
To get historical US Equity Options data in the Research Environment, call the Historyhistory or OptionHistoryoption_history method. The Historyhistory method returns the price, volume, and open interest history for some given Option contract(s). The OptionHistoryoption_history method returns the price and volume history for the contracts that pass your daily universe filter.
qb = QuantBook()
option = qb.add_option("GOOG")
option.set_filter(-2, 2, 0, 90)
history = qb.option_history(option.symbol.underlying, datetime(2020, 6, 1), datetime(2020, 6, 5))
history_df = history.data_frame
expiries = history.get_expiry_dates()
strikes = history.get_strikes()
var qb = new QuantBook();
var option = qb.AddOption("GOOG");
option.SetFilter(-2, 2, 0, 90);
var history = qb.OptionHistory(option.Symbol, new DateTime(2020, 6, 1), new DateTime(2020, 6, 5));
var contracts = history
.SelectMany(x => x.OptionChains.SelectMany(y => y.Value.Contracts.Keys))
.Distinct().ToList();
var expiries = contracts.Select(x => x.ID.Date).Distinct().ToList();
var strikes = contracts.Select(x => x.ID.StrikePrice).Distinct().ToList();
To get historical data for arbitrary US Equity Option contracts instead of just the that pass your universe filter, call the Historyhistory method like you would in an algorithm, but on the QuantBook object. For more information about historical data in the Research Environment, see Key Concepts.
To get historical data for the Greeks and implied volatility of Equity Options, see the US Equity Option Universe dataset.
The US Equity Options dataset provides TradeBar, QuoteBar, and OpenInterest objects.
TradeBar objects have the following attributes:
QuoteBar objects have the following attributes:
OpenInterest objects have the following attributes:
The following example algorithm subscribes to Google Options that fall within two strikes of the underlying stock price and expire within seven days. Within this Option chain, the algorithm buys the call Option contract that has the furthest expiry and has its strike price closest to the underlying stock price. When the contract expires, the algorithm rolls over to the next contract that meets this criteria.
from AlgorithmImports import *
from QuantConnect.DataSource import *
class USEquityOptionsDataAlgorithm(QCAlgorithm):
def initialize(self) -> None:
self.set_start_date(2020, 6, 1)
self.set_end_date(2020, 8, 1)
self.set_cash(100000)
self.universe_settings.asynchronous = True
# Requesting data
self.underlying = self.add_equity("GOOG").symbol
option = self.add_option("GOOG")
self.option_symbol = option.symbol
# To speculate trade the underlying with a low cost, filter for the ATM calls that expiring in the current week
# -2/+2 strike buffer is given for small price change
option.set_filter(lambda u: u.include_weeklys().calls_only().strikes(-2, +2).expiration(0, 6))
self.contract = None
def on_data(self, slice: Slice) -> None:
# Close the underlying position if the option contract is exercised
if self.portfolio[self.underlying].invested:
self.liquidate(self.underlying)
# Select with the lastest option chain data only
chain = slice.option_chains.get(self.option_symbol)
if self.contract and not self.portfolio[self.contract.symbol].invested and chain:
# Select the call contracts with the furthest expiration (week end)
furthest_expiry = sorted(calls, key = lambda x: x.expiry, reverse=True)[0].expiry
furthest_expiry_calls = [contract for contract in calls if contract.expiry == furthest_expiry]
# Get the ATM call for speculate trade with low cost and limited loss
self.contract = sorted(furthest_expiry_calls, key = lambda x: abs(chain.underlying.price - x.strike))[0]
self.market_order(self.contract.symbol, 1)
def on_securities_changed(self, changes: SecurityChanges) -> None:
for security in changes.added_securities:
# Historical data
history = self.history(security.symbol, 10, Resolution.MINUTE)
self.debug(f"We got {len(history)} from our history request for {security.symbol}")
using QuantConnect.DataSource;
namespace QuantConnect
{
public class USEquityOptionsDataAlgorithm : QCAlgorithm
{
private Symbol _underlying;
private Symbol _optionSymbol;
private OptionContract? _contract = null;
public override void Initialize()
{
SetStartDate(2020, 6, 1);
SetEndDate(2020, 8, 1);
SetCash(100000);
UniverseSettings.Asynchronous = true;
// Requesting data
_underlying = AddEquity("GOOG").Symbol;
var option = AddOption("GOOG");
_optionSymbol = option.Symbol;
// To speculate trade the underlying with a low cost, filter for the ATM calls that expiring in the current week
// -2/+2 strike buffer is given for small price change
option.SetFilter((u) => u.IncludeWeeklys().CallsOnly().Strikes(-2, +2).Expiration(0, 7));
}
public override void OnData(Slice slice)
{
// Close the underlying position if the option contract is exercised
if (Portfolio[_underlying].Invested)
{
Liquidate(_underlying);
}
// Select with the lastest option chain data only
if (_contract != null && !Portfolio[_contract.Symbol].Invested &&
slice.OptionChains.TryGetValue(_optionSymbol, out var chain))
{
// Select the call contracts with the furthest expiration (week end)
var furthestExpiry = calls.OrderByDescending(x => x.Expiry).First().Expiry;
var furthestExpiryCalls = calls.Where(x => x.Expiry == furthestExpiry).ToList();
// Get the ATM call for speculate trade with low cost and limited loss
var contract = furthestExpiryCalls.OrderByDescending(x => Math.Abs(chain.Underlying.Price - x.Strike)).Last();
_contract = contract;
MarketOrder(contract.Symbol, 1);
}
}
public override void OnSecuritiesChanged(SecurityChanges changes)
{
foreach (var security in changes.AddedSecurities)
{
// Historical data
var history = History(security.Symbol, 100, Resolution.Minute);
Debug($"We got {history.Count()} from our history request for {security.Symbol}");
}
}
}
}
The following example algorithm buys a call Option contract for Google that falls within one strike of the underlying stock price and expires within seven days. When the contract expires, the algorithm rolls over to the next contract that meets this criteria.
from AlgorithmImports import *
from QuantConnect.DataSource import *
from Selection.OptionUniverseSelectionModel import OptionUniverseSelectionModel
class USEquityOptionsDataAlgorithm(QCAlgorithm):
def initialize(self) -> None:
self.set_start_date(2020, 6, 1)
self.set_end_date(2020, 8, 1)
self.set_cash(100000)
self.universe_settings.asynchronous = True
# Requesting data
self.set_universe_selection(EarliestExpiringWeeklyAtTheMoneyCallOptionUniverseSelectionModel())
self.set_alpha(ConstantOptionsAlphaModel())
self.set_portfolio_construction(SingleSharePortfolioConstructionModel())
class EarliestExpiringWeeklyAtTheMoneyCallOptionUniverseSelectionModel(OptionUniverseSelectionModel):
def __init__(self) -> None:
# Daily update with the select_option_chain_symbols function
super().__init__(timedelta(1), self.select_option_chain_symbols)
def select_option_chain_symbols(self, utcTime: datetime) -> List[Symbol]:
# Always select only GOOG options as our focus
return [ Symbol.create("GOOG", SecurityType.OPTION, Market.USA) ]
def filter(self, filter: OptionFilterUniverse) -> OptionFilterUniverse:
# To speculate trade the underlying with a low cost, filter for the ATM calls that expiring in the current week
# -1/+1 strike buffer is given for small price change
return (filter.weeklys_only()
.calls_only()
.strikes(-1, -1)
.expiration(0, 7))
class ConstantOptionsAlphaModel(AlphaModel):
underlying = None
contract = None
def update(self, algorithm: QCAlgorithm, slice: Slice) -> List[Insight]:
insights = []
# Liquidate the underlying if the option is being exercised/assigned
if algorithm.portfolio[self.underlying].invested:
insights.append(Insight.price(self.underlying, timedelta(days=7), InsightDirection.FLAT))
if self.contract is not None and algorithm.portfolio[self.contract.symbol].invested:
return insights
# Get the ATM call for speculate trade with low cost and limited loss that expires at week end
for kvp in slice.option_chains:
chain = kvp.Value
expiry = max(x.expiry for x in chain)
self.contract = sorte([x for x in chain if x.expiry == expiry],
key=lambda x: abs(x.strike - x.underlying_last_price))[0]
insights.append(Insight.price(self.contract.symbol, self.contract.expiry + timedelta(days=1), InsightDirection.UP))
return insights
def on_securities_changed(self, algorithm: QCAlgorithm, changes: SecurityChanges) -> None:
for security in changes.added_securities:
if security.type == SecurityType.EQUITY:
self.underlying = security.symbol
else:
# Historical data
history = algorithm.history(security.symbol, 10, Resolution.MINUTE)
algorithm.debug(f"We got {len(history)} from our history request for {security.symbol}")
class SingleSharePortfolioConstructionModel(PortfolioConstructionModel):
def create_targets(self, algorithm: QCAlgorithm, insights: List[Insight]) -> List[PortfolioTarget]:
targets = []
for insight in insights:
if algorithm.securities[insight.symbol].is_tradable:
targets.append(PortfolioTarget(insight.symbol, insight.direction))
return targets
using QuantConnect.DataSource;
namespace QuantConnect.Algorithm.CSharp
{
public class USEquityOptionsDataAlgorithm : QCAlgorithm
{
public override void Initialize()
{
SetStartDate(2020, 6, 1);
SetEndDate(2020, 8, 1);
SetCash(100000);
UniverseSettings.Asynchronous = true;
// Requesting data
SetUniverseSelection(new EarliestExpiringWeeklyAtTheMoneyCallOptionUniverseSelectionModel());
SetAlpha(new ConstantOptionsAlphaModel());
SetPortfolioConstruction(new SingleSharePortfolioConstructionModel());
}
}
class EarliestExpiringWeeklyAtTheMoneyCallOptionUniverseSelectionModel : OptionUniverseSelectionModel
{
// Daily update with the SelectOptionChainSymbols function
public EarliestExpiringWeeklyAtTheMoneyCallOptionUniverseSelectionModel()
: base(TimeSpan.FromDays(1), SelectOptionChainSymbols) {}
private static IEnumerable<Symbol> SelectOptionChainSymbols(DateTime utcTime)
{
// Select only GOOG options as our focus
return new[] {QuantConnect.Symbol.Create("GOOG", SecurityType.Option, Market.USA)};
}
protected override OptionFilterUniverse Filter(OptionFilterUniverse filter)
{
// To speculate trade the underlying with a low cost, filter for the ATM calls that expiring in the current week
// -2/+2 strike buffer is given for small price change
return filter
.Strikes(-1, -1)
.Expiration(0, 7)
.WeeklysOnly()
.CallsOnly();
}
}
class ConstantOptionsAlphaModel : AlphaModel
{
private Symbol? _underlying = null;
private OptionContract? _contract = null;
public override IEnumerable<Insight> Update(QCAlgorithm algorithm, Slice slice)
{
var insights = new List<Insight>();
// Liquidate the underlying if the option is being exercised/assigned
if (algorithm.Portfolio[_underlying].Invested)
{
insights.Add(Insight.Price(_underlying, TimeSpan.FromDays(7), InsightDirection.Flat));
}
if (_contract != null && algorithm.Portfolio[_contract.Symbol].Invested)
{
return insights;
}
// Get the ATM call for speculate trade with low cost and limited loss that expires at week end
foreach (var kvp in slice.OptionChains)
{
var chain = kvp.Value;
var expiry = chain.Max(x => x.Expiry);
_contract = chain.Where(x => x.Expiry == expiry)
.OrderBy(x => Math.Abs(x.Strike - x.UnderlyingLastPrice))
.First();
insights.Add(Insight.Price(_contract.Symbol, _contract.Expiry + TimeSpan.FromDays(1), InsightDirection.Up));
}
return insights;
}
public override void OnSecuritiesChanged(QCAlgorithm algorithm, SecurityChanges changes)
{
foreach (var security in changes.AddedSecurities)
{
if (security.Type == SecurityType.Equity)
{
_underlying = security.Symbol;
}
else {
// Historical data
var history = algorithm.History(security.Symbol, 100, Resolution.Minute);
algorithm.Debug($"We got {history.Count()} from our history request for {security.Symbol}");
}
}
}
}
class SingleSharePortfolioConstructionModel : PortfolioConstructionModel
{
public override IEnumerable<PortfolioTarget> CreateTargets(QCAlgorithm algorithm, Insight[] insights)
{
var targets = new List<PortfolioTarget>();
foreach (var insight in insights)
{
if (algorithm.Securities[insight.Symbol].IsTradable)
{
targets.Add(new PortfolioTarget(insight.Symbol, (int) insight.Direction));
}
}
return targets;
}
}
}
US Equity Options 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
US Equity Options can be downloaded on premise with the LEAN CLI, for a charge per file downloaded. This download is for the licensed organization's internal LEAN use only and cannot be redistributed or converted in any format.
Starting at 15 QCC/file | Learn More
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.
lean data download \
--dataset "US Equity Options" \
--data-type "trade" \
--option-style "american" \
--ticker "AAPL, MSFT" \
--resolution "minute" \
--start "20240425" \
--end "20250425"
lean data download `
--dataset "US Equity Options" `
--data-type "trade" `
--option-style "american" `
--ticker "AAPL, MSFT" `
--resolution "minute" `
--start "20240425" `
--end "20250425"
The QuantConnect-AlgoSeek partnership provides free access to US Equities market data in QuantConnect Cloud and paid access for downloads. Downloads are distributed in LEAN format and priced according to file resolution as below. This dataset depends on the US Security Master dataset because the US Security Master dataset contains information on splits, dividends, and symbol changes of the underlying security.
Freely harness terabytes of US Equity Options data in the QuantConnect Cloud for your backtesting and live trading purposes.
US Equity Options Minute resolution archives in LEAN format for on premise backtesting and research. One file per ticker/day (include all contracts).
US Equity Options Hour resolution archives in LEAN format for on premise backtesting and research. One file per ticker/year (include all contracts).
US Equity Options Daily resolution archives in LEAN format for on premise backtesting and research. One file per ticker/year (include all contracts).
Bulk download daily data
Bulk download minute data
Bulk download hour data
Bulk download daily data
Bulk download hour data
Bulk download minute data
What people are saying about this
Can someone explain this:
“This dataset depends on the US Security Master dataset because the US Security Master dataset contains information on splits, dividends, and symbol changes of the underlying security”
Do we need to purchase this as well for downloading the Hour Download for example?
Rate the Module:
I kinda like this over anything out there.I am not sure yet what result will be but I will follow up in awhile and see what happens
.
Rate the Module:
This product has not received any reviews yet, be the first to post one!
Rate the Module:
Provider offers 10 licensing options
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 .