| Overall Statistics |
|
Total Trades 17631 Average Win 0.10% Average Loss -0.09% Compounding Annual Return 8.855% Drawdown 30.600% Expectancy 0.098 Net Profit 97.284% Sharpe Ratio 0.512 Probabilistic Sharpe Ratio 5.689% Loss Rate 46% Win Rate 54% Profit-Loss Ratio 1.05 Alpha 0.096 Beta -0.07 Annual Standard Deviation 0.173 Annual Variance 0.03 Information Ratio -0.069 Tracking Error 0.235 Treynor Ratio -1.268 Total Fees $19086.18 |
from Execution.ImmediateExecutionModel import ImmediateExecutionModel
from Portfolio.EqualWeightingPortfolioConstructionModel import InsightWeightingPortfolioConstructionModel
from Risk.MaximumDrawdownPercentPerSecurity import MaximumDrawdownPercentPerSecurity
from AlphaModel import FundamentalFactorAlphaModel
class VerticalTachyonRegulators(QCAlgorithm):
def Initialize(self):
self.SetStartDate(2012, 5, 1)
self.SetEndDate(2020, 5, 1)
self.SetCash(100000)
# Execution model
self.SetExecution(ImmediateExecutionModel())
# Portfolio construction model
self.SetPortfolioConstruction(InsightWeightingPortfolioConstructionModel())
# Risk model
stopRisk = self.GetParameter("stopRisk")
if stopRisk is None:
stopRisk = 0.1
self.SetRiskManagement(TrailingStopRiskManagementModel(float(stopRisk)))
# self.SetRiskManagement(MaximumDrawdownPercentPerSecurity(float(stopRisk)))
# Universe selection
self.num_coarse = 200
self.num_fine = 20
self.lastMonth = -1
self.UniverseSettings.Resolution = Resolution.Daily
self.AddUniverse(self.CoarseSelectionFunction, self.FineSelectionFunction)
# Set factor weighting
quality_weight = 2
size_weight = 1
value_weight = 2
# Alpha Model
self.AddAlpha(FundamentalFactorAlphaModel(self.num_fine, quality_weight, value_weight, size_weight))
self.Schedule.On(self.DateRules.Every(DayOfWeek.Monday),
self.TimeRules.At(10, 30),
self.Plotting)
def Plotting(self):
self.Plot("Positions", "Num", len([x.Symbol for x in self.Portfolio.Values if self.Portfolio[x.Symbol].Invested]))
def CoarseSelectionFunction(self, coarse):
# If not time to rebalance, keep the same universe
if self.Time.month == self.lastMonth:
return Universe.Unchanged
# Else reassign the month variable
self.lastMonth = self.Time.month
# Select only those with fundamental data and a sufficiently large price
# Sort by top dollar volume: most liquid to least liquid
selected = sorted([x for x in coarse if x.HasFundamentalData and x.Price > 5],
key = lambda x: x.DollarVolume, reverse=True)
return [x.Symbol for x in selected[:self.num_coarse]]
def FineSelectionFunction(self, fine):
# Filter the fine data for equities with non-zero/non-null Value,
filtered_fine = [x.Symbol for x in fine if x.OperationRatios.GrossMargin.Value > 0
and x.OperationRatios.QuickRatio.Value > 0
and x.OperationRatios.DebttoAssets.Value > 0
and x.ValuationRatios.BookValuePerShare > 0
and x.ValuationRatios.CashReturn > 0
and x.ValuationRatios.EarningYield > 0
and x.MarketCap > 0]
return filtered_finefrom datetime import timedelta
class FundamentalFactorAlphaModel(AlphaModel):
def __init__(self, num_fine, quality_weight, value_weight, size_weight):
# Initialize the various variables/helpers we'll need
self.lastMonth = -1
self.longs = []
self.num_fine = num_fine
self.period = timedelta(31)
# normalize quality, value, size weights
weights = [quality_weight, value_weight, size_weight]
weights = [float(i)/sum(weights) for i in weights]
self.quality_weight = weights[0]
self.value_weight = weights[1]
self.size_weight = weights[2]
def Update(self, algorithm, data):
'''Updates this alpha model with the latest data from the algorithm.
This is called each time the algorithm receives data for subscribed securities
Args:
algorithm: The algorithm instance
data: The newa available
Returns:
New insights'''
# Return no insights if it's not time to rebalance
if algorithm.Time.month == self.lastMonth:
return []
self.lastMonth = algorithm.Time.month
# List of insights
# Insights of the form: Insight(symbol, timedelta, type, direction, magnitude, confidence, sourceModel, weight)
insights = []
# Close old positions if they aren't in longs
for security in algorithm.Portfolio.Values:
if security.Invested and security.Symbol not in self.longs:
insights.append(Insight(security.Symbol, self.period, InsightType.Price,
InsightDirection.Flat, None, None, None, None))
length = len(self.longs)
for i in range(length):
insights.append(Insight(self.longs[i], self.period, InsightType.Price,
InsightDirection.Up, None, (length - i)**2, None, (length - i)**2 ))
return insights
def OnSecuritiesChanged(self, algorithm, changes):
'''Event fired each time the we add/remove securities from the data feed
Args:
algorithm: The algorithm instance that experienced the change in securities
changes: The security additions and removals from the algorithm'''
# Get the added securities
added = [x for x in changes.AddedSecurities]
# Assign quality, value, size score to each stock
quality_scores = self.Scores(added, [(lambda x: x.Fundamentals.OperationRatios.GrossMargin.Value, True, 2),
(lambda x: x.Fundamentals.OperationRatios.QuickRatio.Value, True, 1),
(lambda x: x.Fundamentals.OperationRatios.DebttoAssets.Value, False, 2)])
value_scores = self.Scores(added, [(lambda x: x.Fundamentals.ValuationRatios.BookValuePerShare, True, 0.5),
(lambda x: x.Fundamentals.ValuationRatios.CashReturn, True, 0.25),
(lambda x: x.Fundamentals.ValuationRatios.EarningYield, True, 0.25)])
size_scores = self.Scores(added, [(lambda x: x.Fundamentals.MarketCap, False, 1)])
scores = {}
# Assign a combined score to each stock
for symbol,value in quality_scores.items():
quality_rank = value
value_rank = value_scores[symbol]
size_rank = size_scores[symbol]
scores[symbol] = quality_rank*self.quality_weight + value_rank*self.value_weight + size_rank*self.size_weight
# Sort the securities by their scores
sorted_stock = sorted(scores.items(), key=lambda tup : tup[1], reverse=False)
sorted_symbol = [tup[0] for tup in sorted_stock][:self.num_fine]
# Sort the top stocks into the long_list
self.longs = [security.Symbol for security in sorted_symbol]
# Log longs symbols and their score
algorithm.Log(", ".join([str(x.Symbol.Value) + ": " + str(scores[x]) for x in sorted_symbol]))
def Scores(self, added, fundamentals):
'''Assigns scores to each stock in added
Args:
added: list of sceurities
fundamentals: list of 3-tuples (lambda function, bool, float)
Returns:
Dictionary with score for each security'''
length = len(fundamentals)
if length == 0:
return {}
# Initialize helper variables
scores = {}
sortedBy = []
rank = [0 for _ in fundamentals]
# Normalize weights
weights = [tup[2] for tup in fundamentals]
weights = [float(i)/sum(weights) for i in weights]
# Create sorted list for each fundamental factor passed
for tup in fundamentals:
sortedBy.append(sorted(added, key=tup[0], reverse=tup[1]))
# Create and save score for each symbol
for index,symbol in enumerate(sortedBy[0]):
# Save symbol's rank for each fundamental factor
rank[0] = index
for j in range(1, length):
rank[j] = sortedBy[j].index(symbol)
# Save symbol's total score
score = 0
for i in range(length):
score += rank[i] * weights[i]
scores[symbol] = score
return scores