Requesting Data

Universes

Introduction

The AddOptionadd_option method enables you to select a basket of Option contracts for an underlying Equity. To form your universe of contracts, you can filter them down by their strike price and expiry or you can choose to a subset of the contracts that form popular Option strategies. If you want to subscribe to individual contracts one-by-one instead of a set of contracts, see Individual Contracts.

Create Universes

To add a universe of Equity Option contracts, in the Initializeinitialize method, call the AddOptionadd_option method. This method returns an Option object, which has a SetFilterset_filter method you can call to filter the set of tradable contract down to just the contracts you want.

public class BasicOptionAlgorithm : QCAlgorithm
{
    private Symbol _symbol;
    
    public override void Initialize()
    {
        UniverseSettings.Asynchronous = true;
        var option = AddOption("SPY");
        option.SetFilter(Filter);
        _symbol = option.Symbol;
    }

    private OptionFilterUniverse Filter(OptionFilterUniverse universe)
    {
        return universe.IncludeWeeklys().Expiration(0, 7).Delta(0.35m, 0.75m);
    } 

    public override void OnData(Slice data)
    {
        if (data.OptionChains.TryGetValue(_symbol, out var chain))
        {
            var contract = chain.OrderBy(x => x.Greeks.Delta).FirstOrDefault();   
        } 
    }
}
class BasicOptionAlgorithm(QCAlgorithm):
    
    def initialize(self):
        self.universe_settings.asynchronous = True
        option = self.add_option("SPY")
        option.set_filter(self._filter)
        self._symbol = option.symbol

    def _filter(self, universe):
        return universe.include_weeklys().expiration(0, 7).delta(0.35, 0.75)

    def on_data(self, data):
        chain = data.option_chains.get(self._symbol)
        if chain:
            contract = sorted(chain, key=lambda x: (x.expiry, x.greeks.delta))[0]

For more information about the AddOptionadd_option method, see Create Universes.

Filter by Investment Strategy

Options trading strategies consist of simultaneously buying or selling one or more Option contracts of the same underlying Equity with different features.

// Example 1: Select a Straddle
option.SetFilter(optionFilterUniverse => optionFilterUniverse.Straddle(30, 5, 10));

// Example 2: Select the contracts (including weeklys) that expire in the next 30 days that form an Iron Condor
option.SetFilter(optionFilterUniverse => optionFilterUniverse.IncludeWeeklys().Strikes(-20, 20).Expiration(0, 30).IronCondor(30, 5, 10));

// Example 3: Select the 0DTE contracts that form an Strangle
option.SetFilter(optionFilterUniverse => optionFilterUniverse.IncludeWeeklys().Expiration(0, 0).Strangle(30, 5, -10));
# Example 1: Select a Straddle
option.set_filter(lambda option_filter_universe: option_filter_universe.straddle(30, 5, 10))

# Example 2: Select the contracts (including weeklys) that expire in the next 30 days that form an Iron Condor
option.set_filter(lambda option_filter_universe: option_filter_universe.include_weeklys().strikes(-20, 20).expiration(0, 30).iron_condor(30, 5, 10))

# Example 3: Select the 0DTE contracts that form an Strangle
option.set_filter(lambda option_filter_universe: option_filter_universe.include_weeklys().expiration(0, 0).strangle(30, 5, -10))

The following table describes the filter methods of the OptionFilterUniverse class that select contracts for Option strategies:

NakedCall(int minDaysTillExpiry, decimal strikeFromAtm)naked_call(min_days_till_expiry: int, strike_from_atm: float)

Selects a call contract to form Naked Call, Covered Call, or Protective Call Option strategies.

NakedPut(int minDaysTillExpiry, decimal strikeFromAtm)naked_put(min_days_till_expiry: int, strike_from_atm: float)

Selects a put contract to form Naked Put, Covered Put, or Protective Put Option strategies.

CallSpread(int minDaysTillExpiry, decimal higherStrikeFromAtm, decimal lowerStrikeFromAtm)call_spread(min_days_till_expiry: int, higher_strike_from_atm: float, lower_strike_from_atm: float)

Selects two call contracts to form Bull Call Spread or Bear Call Spread Option strategies.

PutSpread(int minDaysTillExpiry, decimal higherStrikeFromAtm, decimal lowerStrikeFromAtm)put_spread(min_days_till_expiry: int, higher_strike_from_atm: float, lower_strike_from_atm: float)

Selects two put contracts to form Bull Put Spread or Bear Put Spread Option strategies.

CallCalendarSpread(decimal strikeFromAtm, int minNearDaysTillExpiry, int minFarDaysTillExpiry)call_calendar_spread(strike_from_atm: int, min_near_days_till_expiry: int, min_far_days_till_expiry: int)

Selects two call contracts to form Long Call Calendar Spread or Short Call Calendar Spread Option strategies.

PutCalendarSpread(decimal strikeFromAtm, int minNearDaysTillExpiry, int minFarDaysTillExpiry)put_calendar_spread(strike_from_atm: int, min_near_days_till_expiry: int, min_far_days_till_expiry: int)

Selects two put contracts to form Long Put Calendar Spread or Short Put Calendar Spread Option strategies.

Strangle(int minDaysTillExpiry, decimal higherStrikeFromAtm, decimal lowerStrikeFromAtm)strangle(min_days_till_expiry: int, higher_strike_from_atm: float, lower_strike_from_atm: float)

Selects two contracts to form Long Strangle or Short Strangle Option strategies.

Straddle(int minDaysTillExpiry)straddle(min_days_till_expiry: int)

Selects two contracts to form Long Straddle or Short Straddle Option strategies.

ProtectiveCollar(int minDaysTillExpiry, decimal higherStrikeFromAtm, decimal lowerStrikeFromAtm)protective_collar(min_days_till_expiry: int, higher_strike_from_atm: float, lower_strike_from_atm: float)

Selects two contracts to form Protective Collar Option strategies.

Conversion(int minDaysTillExpiry, decimal strikeFromAtm)conversion(min_days_till_expiry: int, strike_from_atm: float)

Selects two contracts to form Conversion or Reverse Conversion Option strategies.

CallButterfly(int minDaysTillExpiry, decimal strikeSpread)call_butterfly(min_days_till_expiry: int, strike_spread: float)

Selects three contracts to form Long Call Butterfly or Short Call Butterfly Option strategies.

PutButterfly(int minDaysTillExpiry, decimal strikeSpread)put_butterfly(min_days_till_expiry: int, strike_spread: float)

Selects three contracts to form Long Put Butterfly or Short Put Butterfly Option strategies.

IronButterfly(int minDaysTillExpiry, decimal strikeSpread)iron_butterfly(min_days_till_expiry: int, strike_spread: float)

Selects four contracts to form Long Iron Butterfly or Short Iron Butterfly Option strategies.

IronCondor(int minDaysTillExpiry, decimal nearStrikeSpread, decimal farStrikeSpread)iron_condor(min_days_till_expiry: int, near_strike_spread: float, far_strike_spread: float)

Selects four contracts to form Long Iron Condor or Short Iron Condor Option strategies.

BoxSpread(int minDaysTillExpiry, decimal strikeSpread)box_spread(min_days_till_expiry: int, strike_spread: float)

Selects four contracts to form Box Spread or Short Box Spread Option strategies.

JellyRoll(decimal strikeFromAtm, int minNearDaysTillExpiry, int minFarDaysTillExpiry)jelly_roll(strike_from_atm: float, min_near_days_till_expiry: int, min_far_days_till_expiry: int)

Selects four contracts to form Jelly Roll or Short Jelly Roll Option strategies.

CallLadder(int minDaysTillExpiry, decimal higherStrikeFromAtm, decimal middleStrikeFromAtm, decimal lowerStrikeFromAtm)call_ladder(min_days_till_expiry: int, higher_strike_from_atm: float, middle_strike_from_atm: float, lower_strike_from_atm: float)

Selects four contracts to form Bear Call Ladder or Bull Call Ladder Option strategies.

PutLadder(int minDaysTillExpiry, decimal higherStrikeFromAtm, decimal middleStrikeFromAtm, decimal lowerStrikeFromAtm)put_ladder(min_days_till_expiry: int, higher_strike_from_atm: float, middle_strike_from_atm: float, lower_strike_from_atm: float)

Selects four contracts to form Bear Put Ladder or Bull Put Ladder Option strategies.

The preceding methods return an OptionFilterUniverse, so you can chain the methods together.

Filter by Implied Volatility and Greeks

Option price models compute the theoretical price of Option contracts, their implied volatility, and their Greek values. Theoretical prices can help you detect undervalued and overvalued contracts, implied volatility can provide you insight into the upcoming volatility of the underlying security, and Greek values can help you hedge your portfolio.

// Example 1: Select the contracts with delta between 0.25 and 0.75
option.SetFilter(optionFilterUniverse => optionFilterUniverse.Delta(0.25m, 0.75m));

// Example 2: Select the contracts (including weeklys) that expire in the next 90 days with implied volatility below 20% 
option.SetFilter(optionFilterUniverse => optionFilterUniverse.IncludeWeeklys().IV(0, 20).Expiration(0, 90));

// Example 3: Select the contracts (including weeklys) that expire in the next 30 days with implied volatility below 20% that forms an Iron Condor
option.SetFilter(optionFilterUniverse => optionFilterUniverse.IncludeWeeklys().IV(0, 20).Expiration(0, 30).IronCondor(30, 5, 10));
# Example 1: Select the contracts with delta between 0.25 and 0.75
option.set_filter(lambda option_filter_universe: option_filter_universe.delta(0.25, 0.75))

# Example 2: Select the contracts (including weeklys) that expire in the next 90 days with implied volatility below 20% 
option.set_filter(lambda option_filter_universe: option_filter_universe.include_weeklys().iv(0, 20).expiration(0, 90))

# Example 3: Select the contracts (including weeklys) that expire in the next 30 days with implied volatility below 20% that forms an Iron Condor
option.set_filter(lambda option_filter_universe: option_filter_universe.include_weeklys().iv(0, 20).expiration(0, 30).iron_condor(30, 5, 10))

The following table describes the filter methods of the OptionFilterUniverse class that select contract for a range of implied volatility, Greek values, and open interest:

IV(decimal min, decimal max)iv(min: float, max: float)
ImpliedVolatility(decimal min, decimal max)implied_volatility(min: float, max: float)

Selects a contract with implied volatility within the range you set.

D(decimal min, decimal max)d(min: float, max: float)
Delta(decimal min, decimal max)delta(min: float, max: float)

Selects a contract with delta within the range you set.

G(decimal min, decimal max)g(min: float, max: float)
Gamma(decimal min, decimal max)gamma(min: float, max: float)

Selects a contract with gamma within the range you set.

R(decimal min, decimal max)r(min: float, max: float)
Rho(decimal min, decimal max)rho(min: float, max: float)

Selects a contract with rho within the range you set.

V(decimal min, decimal max)v(min: float, max: float)
Vega(decimal min, decimal max)vega(min: float, max: float)

Selects a contract with vega within the range you set.

T(decimal min, decimal max)t(min: float, max: float)
Theta(decimal min, decimal max)theta(min: float, max: float)

Selects a contract with theta within the range you set.

OI(long min, long max)oi(min: int, max: int)
OpenInterest(decimal min, decimal max)open_interest(min: float, max: float)

Selects a contract with open interest within the range you set.

The preceding methods return an OptionFilterUniverse, so you can chain the methods together.

To perform thorough filtering on the OptionFilterUniverse, define an isolated filter method.

// Select the put contracts with the lowest strike price.
option.SetFilter(Selector);
    
private OptionFilterUniverse Selector(OptionFilterUniverse optionFilterUniverse)
{
    return universe
        .Delta(0.5m, 1.5m)
        .Gamma(0.0001m, 0.0006m)
        .Vega(0.01m, 1.5m)
        .Theta(-2.0m, -0.5m)
        .Rho(0.5m, 3.0m)
        .ImpliedVolatility(1.0m, 3.0m)
        .OpenInterest(100, 500);
}
# Select the put contracts with the lowest strike price.
option.set_filter(self._contract_selector)
    
def _contract_selector(self, option_filter_universe: OptionFilterUniverse) -> OptionFilterUniverse:
    return option_filter_universe \
        .delta(0.5, 1.5) \
        .gamma(0.0001, 0.0006) \
        .vega(0.01, 1.5) \
        .theta(-2.0, -0.5) \
        .rho(0.5, 3.0) \
        .implied_volatility(1, 3) \
        .open_interest(100,500)

Filter by Other Contract Properties

To set a contract filter, in the Initializeinitialize method, call the SetFilterset_filter method of the Option object.

// Select contracts that have a strike price within 1 strike level above and below the underlying price
option.SetFilter(minStrike: -1, maxStrike: 1);

// Select contracts that expire within 30 days
option.SetFilter(minExpiry: TimeSpan.FromDays(0), maxExpiry: TimeSpan.FromDays(30));

// Select contracts that have a strike price within 1 strike level and expire within 30 days
option.SetFilter(minStrike: -1, maxStrike: 1, minExpiry: TimeSpan.FromDays(0), maxExpiry: TimeSpan.FromDays(30));

// Select call contracts
option.SetFilter(optionFilterUniverse => optionFilterUniverse.CallsOnly());
# Select contracts that have a strike price within 1 strike level above and below the underlying price
option.set_filter(min_strike=-1, max_strike=1)

# Select contracts that expire within 30 days
option.set_filter(min_expiry=timedelta(days=0), maxExpiry=timedelta(days=30))

# Select contracts that have a strike price within 1 strike level and expire within 30 days
option.set_filter(min_strike=-1, max_strike=1, min_expiry=timedelta(days=0), maxExpiry=timedelta(days=30))

# Select call contracts
option.set_filter(lambda option_filter_universe: option_filter_universe.calls_only())

The following table describes the available filter techniques:

SetFilter(int minStrike, int maxStrike)set_filter(minStrike: int, maxStrike: int)

Selects the contracts that have a strike price within a minimum and maximum strike level relative to the underlying price. For example, say the underlying price is $302 and there are strikes at every $5. If you set minStrikem_strike to -1 and maxStrikemax_strike to 1, LEAN selects the contracts that have a strike of $300 or $305. This filter runs asynchronously by default.

SetFilter(TimeSpan minExpiry, TimeSpan maxExpiry)set_filter(minExpiry: timedelta, maxExpiry: timedelta)

Selects the contracts that expire within the range you set. This filter runs asynchronously by default.

SetFilter(int minStrike, int maxStrike, TimeSpan minExpiry, TimeSpan maxExpiry)set_filter(minStrike: int, maxStrike: int, minExpiry: timedelta, maxExpiry: timedelta)

Selects the contracts that expire and have a strike within the range you set. This filter runs asynchronously by default.

SetFilter(Func<OptionFilterUniverse, OptionFilterUniverse> universeFunc)set_filter(universeFunc: Callable[[OptionFilterUniverse], OptionFilterUniverse])

Selects the contracts that a function selects.

The following table describes the filter methods of the OptionFilterUniverse class:

Strikes(int minStrike, int maxStrike)strikes(min_strike: int, max_strike: int)

Selects contracts that are within minStrikem_strike strikes below the underlying price and maxStrikemax_strike strikes above the underlying price.

CallsOnly()calls_only()

Selects call contracts.

PutsOnly()puts_only()

Selects put contracts.

StandardsOnly()standards_only()

Selects standard contracts.

IncludeWeeklys()include_weeklys()

Selects non-standard weeklys contracts.

WeeklysOnly()weeklys_only()

Selects weekly contracts.

FrontMonth()front_month()

Selects the front month contract.

BackMonths()back_months()

Selects the non-front month contracts.

BackMonth()back_month()

Selects the back month contracts.

Expiration(int minExpiryDays, int maxExpiryDays)expiration(min_expiryDays: int, max_expiryDays: int)

Selects contracts that expire within a range of dates relative to the current day.

Contracts(IEnumerable<Symbol> contracts)contracts(contracts: List[Symbol])

Selects a list of contracts.

Contracts(Func<IEnumerable<Symbol>, IEnumerable< Symbol>> contractSelector)contracts(contract_selector: Callable[[List[Symbol]], List[Symbol]])

Selects contracts that a selector function selects.

The preceding methods return an OptionFilterUniverse, so you can chain the methods together.

// Example 1: Select the front month call contracts
option.SetFilter(optionFilterUniverse => optionFilterUniverse.CallsOnly().FrontMonth());

// Example 2: Select the contracts (including weeklys) that expire in the next 90 days
option.SetFilter(optionFilterUniverse => optionFilterUniverse.IncludeWeeklys().Strikes(-20, 20).Expiration(0, 90));

// Example 3: Select the contracts (including weeklys) that expire in the next 30 days that form an Iron Condor
option.SetFilter(optionFilterUniverse => optionFilterUniverse.IncludeWeeklys().Strikes(-20, 20).Expiration(0, 30).IronCondor(30, 5, 10));
# Example 1: Select the front month call contracts
option.set_filter(lambda option_filter_universe: option_filter_universe.calls_only().front_month())

# Example 2: Select the contracts (including weeklys) that expire in the next 90 days
option.set_filter(lambda option_filter_universe: option_filter_universe.include_weeklys().strikes(-20, 20).expiration(0, 90))

Some of the preceding filter methods only set an internal enumeration in the OptionFilterUniverse that it uses later on in the filter process. This subset of filter methods don't immediately reduce the number of contract Symbol objects in the OptionFilterUniverse.

Default Filter

By default, LEAN subscribes to the Option contracts that have the following characteristics:

  • Standard type (exclude weeklys)
  • Within 1 strike price of the underlying asset price
  • Expire within 35 days

To adjust the universe of contracts, set a filter. The filter usually runs at the first bar of every day. When the filter selects a contract that isn't currently in your universe, LEAN adds the new contract data to the next Slice that it passes to the OnDataon_data method.

Historical Data

To get historical chains for an Equity Option, see Historical Data.

Examples

Example 1: Selecting for 0DTE Contracts

0DTE Options are Option contracts that expire on the same day you trade them. To create an universe with 0DTE Options, call the SetFilterset_filter method with expiration set. In order to trade with the contracts with most liquidity, limit the strike range from 10 strikes above and below the current price level.

public class EquityOptionAlgorithm : QCAlgorithm
{
    public override void Initialize()
    {
        var option = AddOption("SPY");
        // Filter for 0-DTE contracts within +/-10 strike range.
        // They have the highest volatility but low premium, providing sufficient liquidity and higher profit margin.
        option.SetFilter(u => u.IncludeWeeklys().Expiration(0, 0).Strikes(-10, 10));
    }
}
class EquityOptionAlgorithm(QCAlgorithm):
    def initialize(self) -> None:
        option = self.add_option("SPY")
        # Filter for 0-DTE contracts within +/-10 strike range.
        # They have the highest volatility but low premium, providing sufficient liquidity and higher profit margin.
        option.set_filter(lambda u: u.include_weeklys().expiration(0, 0).strikes(-10, 10))

Example 2: Straddle

You can also create an universe that return the option contracts that form an option strategy. In this example, we demonstrate filtering for a long straddle strategy that expires 30 days later.

public class EquityOptionAlgorithm : QCAlgorithm
{
    private Symbol _symbol;

    public override void Initialize()
    {
        var option = AddOption("SPY");
        _symbol = option.Symbol;
        // Using Staddle() method, it will only return the best-matched ATM call and put contracts expiring after 30 days.
        // It provides better accuracy in filtering, and subscribe only to the needed contracts to save computation resources.
        option.SetFilter(u => u.IncludeWeeklys().Straddle(30));
    }
    
    public override void OnData(Slice slice)
    {
        // Only wants the option chain of the selected symbol.
        if (!Portfolio.Invested &&
            slice.OptionChains.TryGetValue(_symbol, out var chain))
        {
            // There should only be 1 expiry and 1 strike from the 2 contracts returned, getting from either contract is fine.
            var expiry = chain.First().Expiry;
            var strike = chain.First().Strike;
    
            // Forms a long straddle option strategy using abstraction method ensure accuracy.
            var longStraddle = OptionStrategies.Straddle(_symbol, strike, expiry);
            Buy(longStraddle, 1);
        }
    }
}
class EquityOptionAlgorithm(QCAlgorithm):
    def initialize(self) -> None:
        option = self.add_option("SPY")
        self._symbol = option.symbol
        # Using straddle() method, it will only return the best-matched ATM call and put contracts expiring after 30 days.
        # It provides better accuracy in filtering, and subscribe only to the needed contracts to save computation resources.
        option.set_filter(lambda u: u.include_weeklys().straddle(30))
    
    def on_data(self, slice: Slice) -> None:
        # Only wants the option chain of the selected symbol.
        chain = slice.option_chains.get(self._symbol)
        if not self.portfolio.invested and chain:
            # There should only be 1 expiry and 1 strike from the 2 contracts returned, getting from either contract is fine.
            expiry = list(chain)[0].expiry
            strike = list(chain)[0].strike
        
            # Forms a long straddle option strategy using abstraction method ensure accuracy.
            long_straddle = OptionStrategies.straddle(self._symbol, strike, expiry)
            self.buy(long_straddle, 1)

Example 3: Custom Selector

Using a custom selection function, you can filter the option universe to obtain the contracts that you need without subscribing the redundants. This can ensure the accuracy of the filter, as well as avoiding unnecessary subscriptions that drag the algorithm computational performance. In this example, we try to obtain a put contract that expires 30 days later that is $5 below the current underlying price and a call contract that expires 60 days later that is $10 above the current underlying price.

public class EquityOptionAlgorithm : QCAlgorithm
{
    private Equity _underlying;
        
    public override void Initialize()
    {
        // Seed the price with last known price to ensure the underlying price data is available on initial option contract filtering.
        SetSecurityInitializer(new BrokerageModelSecurityInitializer(BrokerageModel, new FuncSecuritySeeder(GetLastKnownPrices)));
        // Subscribe to underlying data for ATM calculation using the update underlying price.
        // Set data normalization mode to raw is required to ensure strike price and underlying price is comparable.
        _underlying = AddEquity("SPY", dataNormalizationMode: DataNormalizationMode.Raw);
        // Subscribe to SPY option data.
        var option = AddOption(_underlying.Symbol);
        option.SetFilter(u => u.IncludeWeeklys().Contracts((contracts) =>
        {
            var selected = new List<Symbol>();
    
            // Select the best-match put contracts that expires 30 days later that is $5 below the current underlying price.
            // We should first filter the hard requirement, then sort the reminders for faster computation.
            var puts = contracts.Where(x =>
                    x.ID.OptionRight == OptionRight.Put &&
                    x.ID.Date >= Time.AddDays(30) &&
                    x.ID.StrikePrice <= _underlying.Price - 5m
                ).ToList();
            if (puts.Count > 0)
            {
                var put = puts.OrderBy(x => x.ID.Date)
                    .ThenByDescending(x => x.ID.StrikePrice)
                    .First();
                selected.Add(put);
            }
    
            // Select the best-match call contract that expires 60 days later that is $10 above the current underlying price.
            var calls = contracts.Where(x =>
                    x.ID.OptionRight == OptionRight.Call &&
                    x.ID.Date >= Time.AddDays(60) &&
                    x.ID.StrikePrice >= _underlying.Price + 10m
                ).ToList();
            if (calls.Count > 0)
            {
                var call = calls.OrderBy(x => x.ID.Date)
                    .ThenBy(x => x.ID.StrikePrice)
                    .First();
                selected.Add(call);
            }
    
            return selected;
        }));
    }
}
class EquityOptionAlgorithm(QCAlgorithm):
    def initialize(self) -> None:
        # Seed the price with last known price to ensure the underlying price data is available on initial option contract filtering.
        self.set_security_initializer(BrokerageModelSecurityInitializer(self.brokerage_model, FuncSecuritySeeder(self.get_last_known_prices)))
        self.underlying = self.add_equity("SPY", data_normalization_mode=DataNormalizationMode.RAW)
        # Subscribe to underlying data for ATM calculation using the update underlying price.
        # Set data normalization mode to raw is required to ensure strike price and underlying price is comparable.
        option = self.add_option(self.underlying.symbol)
        option.set_filter(lambda u: u.include_weeklys().contracts(self.selection))
    
    def selection(self, contracts: List[Symbol]) -> List[Symbol]:
        selected = []
    
        # Select the best-match put contracts that expires 30 days later that is $5 below the current underlying price.
        # We should first filter the hard requirement, then sort the reminders for faster computation.
        puts = [x for x in contracts
            if x.id.option_right == OptionRight.PUT and \
            x.id.date >= self.time + timedelta(30) and \
            x.id.strike_price <= self.underlying.price - 5
        ]
        if len(puts) > 0:
            expiry = min(x.id.date for x in puts)
            put = sorted([x for x in puts if x.id.date == expiry],
                key=lambda x: x.id.strike_price,
                reverse=True)[0]
            selected.append(put)
    
        # Select the best-match call contract that expires 60 days later that is $10 above the current underlying price.
        calls = [x for x in contracts
            if x.id.option_right == OptionRight.CALL and \
            x.id.date >= self.time + timedelta(60) and \
            x.id.strike_price >= self.underlying.price + 10
        ]
        if len(calls) > 0:
            expiry = min(x.id.date for x in calls)
            call = sorted([x for x in calls if x.id.date == expiry],
                key=lambda x: x.id.strike_price)[0]
            selected.append(call)
            
        return selected

You can also see our Videos. You can also get in touch with us via Discord.

Did you find this page helpful?

Contribute to the documentation: