Overall Statistics
Total Trades
46
Average Win
0.14%
Average Loss
-0.22%
Compounding Annual Return
-79.392%
Drawdown
2.500%
Expectancy
-0.356
Net Profit
-2.140%
Sharpe Ratio
-4.348
Probabilistic Sharpe Ratio
1.125%
Loss Rate
61%
Win Rate
39%
Profit-Loss Ratio
0.64
Alpha
-0.167
Beta
-0.736
Annual Standard Deviation
0.152
Annual Variance
0.023
Information Ratio
-4.944
Tracking Error
0.269
Treynor Ratio
0.897
Total Fees
$180.47
Estimated Strategy Capacity
$790000.00
Lowest Capacity Asset
INMB X1RUB0AGAXK5
class QuantumHorizontalRegulators(QCAlgorithm):

    def Initialize(self):
        self.SetStartDate(2020, 7, 12)  # Set Start Date
        self.SetEndDate(2020, 7, 16)
        self.SetCash(333333)  # Set Strategy Cash
        self.AddEquity("INMB", Resolution.Second)
        self.scaning = False
        self.lastToggle = None
        self.needs_reset = False
        
        self.__numberOfSymbols = 1
        self.AddUniverseSelection(FineFundamentalUniverseSelectionModel(self.CoarseSelectionFunction, self.FineSelectionFunction))
        self.UniverseSettings.Resolution = Resolution.Second

        self.AddAlpha(ShortSqueezeModel(self))
        
        self.SetExecution(ImmediateExecutionModel())

        self.SetPortfolioConstruction(AccumulativeInsightPortfolioConstructionModel(lambda time: None))
        
        self.SetRiskManagement(MaximumUnrealizedProfitPercentPerSecurity(maximumUnrealizedProfitPercent = 0.02))  

        
        self.Schedule.On(self.DateRules.EveryDay(), self.TimeRules.AfterMarketOpen("INMB", 0), self.toggleScan)
        self.Schedule.On(self.DateRules.EveryDay(), self.TimeRules.AfterMarketOpen("INMB", 375), self.toggleScan)
        
    def toggleScan(self):
        self.Debug(str(self.Time))
        self.scaning = not self.scaning
        self.lastToggle = self.Time
        
        if not self.scaning:
            self.needs_reset = True
            

    def CoarseSelectionFunction(self, coarse):
        # Stocks with the most dollar volume traded yesterday
        sortedByDollarVolume = sorted(coarse, key=lambda x: x.DollarVolume, reverse=True)
        return [ x.Symbol for x in sortedByDollarVolume[:self.__numberOfSymbols] ]
    
    def FineSelectionFunction(self, fine):
        return [ x.Symbol for x in fine ]
        

class ShortSqueezeModel(AlphaModel):
    symbolData = {}

    def __init__(self, algo):
        self.algo = algo
        
    
    def Update(self, algorithm, slice):
        if algorithm.IsWarmingUp:
            return []
    
        # If it's the end of the day, update the yesterday close of each indicator
        if not algorithm.Securities['INMB'].Exchange.ExchangeOpen:
            for symbol in self.symbolData:
                if symbol in slice.Bars:
                    self.symbolData[symbol].yest_close = slice.Bars[symbol].Close
    
        if not self.algo.scaning:
            # Reset max indicator
            if self.algo.needs_reset:
                for symbol in self.symbolData:
                    self.symbolData[symbol].max.Reset()
                self.algo.needs_reset = False
            return []
        
        insights = []
        
        insight_seconds = 99999999999
        
        # Create insights for symbols up at least 20% on the day
        for symbol in self.symbolData:
            # If already invested, continue to next symbol
            if algorithm.Securities[symbol].Invested or symbol not in slice.Bars or self.symbolData[symbol].max.Samples == 0:
                continue
            
            
            # Check for exit
            if algorithm.Securities[symbol].Invested:
                if algorithm.Securities[symbol].Holdings.UnrealizedProfitPercent>0.02:
                    insights.append(Insight.Price(symbol, insight_expiry, InsightDirection.Flat))
                    self.algo.Log("Maxumum unre")
                elif slice[symbol].Close <= (1 - self.drawdown_limit) * symbol_data.max.Current.Value:
                    self.algo.Debug(f"Trailing stop hit. Max {symbol_data.max.Current.Value}, DD limit: {(1 - self.drawdown_limit) * symbol_data.max.Current.Value}; Price: {slice[symbol].Close}")
                    
                    insights.append(Insight.Price(symbol, insight_expiry, InsightDirection.Flat))
            
            
            
            # Calculate return sign yesterday's close
            yest_close = self.symbolData[symbol].yest_close
            close = slice[symbol].Close 
            ret = (close - yest_close) / yest_close
            high_of_day_break = close > self.symbolData[symbol].max.Current.Value
            if ret >= 0.5 and high_of_day_break:    # Up 20% on the day & breaks high of day
                hours = algorithm.Securities[symbol].Exchange.Hours
        # 5-minute before the close
                closeTime = hours.GetNextMarketClose(algorithm.Time, False) - timedelta(minutes=5)
                self.algo.Debug(str(close)+" "+str(self.symbolData[symbol].max.Current.Value))
                insights.append(Insight.Price(symbol, closeTime, InsightDirection.Up))
                
                
        # Update max indicator for all symbols
        for symbol in self.symbolData:
            if symbol in slice.Bars:
                self.symbolData[symbol].max.Update(slice.Time, slice.Bars[symbol].High)
                
                
        # Constantly updating 7% Trailing Stop Order        
        for symbol in self.symbolData:
            if symbol in slice.Bars and algorithm.Securities[symbol].Invested and slice[symbol].Close <= 0.93*self.symbolData[symbol].max.Current.Value:
                insights.append(Insight(symbol, timedelta(seconds=insight_seconds), InsightType.Price, InsightDirection.Flat))
        
        return Insight.Group(insights)
    
    
    
    def OnSecuritiesChanged(self, algorithm, changes):
        if len(changes.AddedSecurities) > 0:
            # Get history of symbols over lookback window
            added_symbols = [x.Symbol for x in changes.AddedSecurities]
            history = algorithm.History(added_symbols, 1, Resolution.Daily)
            if history.empty:
                    return
            history  = history['close']
            
            for added in changes.AddedSecurities:
                # Save yesterday's close
                closes = history.loc[[str(added.Symbol.ID)]].values
                if len(closes) < 1:
                    continue
                self.symbolData[added.Symbol] = SymbolData(closes[0])
            
        for removed in changes.RemovedSecurities:
            # Delete yesterday's close tracker
            self.symbolData.pop(removed.Symbol, None)

class SymbolData:
    def __init__(self, yest_close):
        self.yest_close = yest_close
        self.max = Maximum(45*60) # 45 minutes
        
        
        
class MaximumUnrealizedProfitPercentPerSecurity(RiskManagementModel):
    '''Provides an implementation of IRiskManagementModel that limits the unrealized profit per holding to the specified percentage'''

    def __init__(self, maximumUnrealizedProfitPercent = 0.74):
        '''Initializes a new instance of the MaximumUnrealizedProfitPercentPerSecurity class
        Args:
            maximumUnrealizedProfitPercent: The maximum percentage unrealized profit allowed for any single security holding, defaults to 5% drawdown per security'''
        self.maximumUnrealizedProfitPercent = abs(maximumUnrealizedProfitPercent)
        
    def ManageRisk(self, algorithm, targets):
        '''Manages the algorithm's risk at each time step
        Args:
            algorithm: The algorithm instance
            targets: The current portfolio targets to be assessed for risk'''
        targets = []
        for kvp in algorithm.Securities:
            security = kvp.Value

            if not security.Invested:
                continue

            pnl = security.Holdings.UnrealizedProfitPercent
            if pnl > self.maximumUnrealizedProfitPercent:

                ### For debugging, add this to see when it is being called
                algorithm.Log('Risk model triggered')

                # liquidate
                targets.append(PortfolioTarget(security.Symbol, 0))

        return targets