
“该策略投资于接近52周低点的股票,做多底部5%的股票,做空剩余95%的股票。投资组合按价值加权,持有一个月。”
资产类别: 股票 | 地区: 美国 | 周期: 每月 | 市场: 股票 | 关键词: 低点
I. 策略概要
投资范围包括在纽约证券交易所、美国证券交易所和纳斯达克上市的股票,以及来自CRSP数据库的月度价格数据。投资者按LOW指标对股票进行排序,该指标衡量过去一个月内股票接近52周低点的程度。他做多LOW指标底部5%的股票,做空剩余95%的股票。投资组合按价值加权,持有一个月,形成期和持有期之间有一个月的间隔。该策略针对持续的输家,根据它们接近52周低点的程度买入它们并卖空其他股票。
II. 策略合理性
While the study itself does not offer an explanation for the phenomenon, it points out that 52-week low, the 52-week high, and momentum strategy all contain exclusive unpriced information in the cross-sectional pricing of stocks.
III. 来源论文
Nearness to the 52-Week High and Low Prices, Past Returns, and Average Stock Returns [点击查看论文]
- 陈, 余, 国立中正大学, 国立高雄大学
<摘要>
本研究探讨了基于接近52周高点、接近52周低点和过往回报的交易策略之间的相互作用。我们提供的证据表明,接近52周低点对未来平均回报具有预测能力。我们的研究结果还显示,接近52周高点以及接近52周低点和过往回报,各自在股票的横截面定价中都具有某些独特的未定价信息内容。此外,基于接近52周低点的交易策略为动量策略提供了出色的对冲,从而使动量策略的夏普比率几乎翻倍。


IV. 回测表现
| 年化回报 | 7.67% |
| 波动率 | 11.44% |
| β值 | 0.272 |
| 夏普比率 | 0.67 |
| 索提诺比率 | 0.095 |
| 最大回撤 | N/A |
| 胜率 | 30% |
V. 完整的 Python 代码
from AlgorithmImports import *
from pandas.core.frame import dataframe
class Nearnessto52WeekLow(QCAlgorithm):
def Initialize(self):
self.SetStartDate(2000, 1, 1)
self.SetCash(100000)
market:Symbol = self.AddEquity('SPY', Resolution.Daily).Symbol
self.fundamental_count:int = 3000
self.fundamental_sorting_key = lambda x: x.MarketCap
self.weight:Dict[Symbol, float] = {}
self.data:Dict[Symbol, SymbolData] = {}
self.period:int = 52 * 5 + 4*5
self.quantile:int = 20
self.leverage:int = 5
self.min_share_price:float = 5.
self.exchange_codes:List[str] = ['NYS', 'NAS', 'ASE']
self.selection_flag:bool = False
self.UniverseSettings.Resolution = Resolution.Daily
self.AddUniverse(self.FundamentalSelectionFunction)
self.Settings.MinimumOrderMarginPortfolioPercentage = 0.
self.Schedule.On(self.DateRules.MonthStart(market), self.TimeRules.AfterMarketOpen(market), self.Selection)
self.settings.daily_precise_end_time = False
def OnSecuritiesChanged(self, changes: SecurityChanges) -> None:
for security in changes.AddedSecurities:
security.SetFeeModel(CustomFeeModel())
security.SetLeverage(self.leverage)
def FundamentalSelectionFunction(self, fundamental: List[Fundamental]) -> List[Symbol]:
# Update the rolling window every day.
for stock in fundamental:
symbol:Symbol = stock.Symbol
if symbol in self.data:
# Store daily price.
self.data[symbol].update(stock.AdjustedPrice)
if not self.selection_flag:
return Universe.Unchanged
selected:List[Fundamental] = [
x for x in fundamental if x.HasFundamentalData and x.Market == 'usa' and x.SecurityReference.ExchangeId in self.exchange_codes and \
x.MarketCap != 0 and x.Price >= self.min_share_price
]
if len(selected) > self.fundamental_count:
selected = [x for x in sorted(selected, key=self.fundamental_sorting_key, reverse=True)[:self.fundamental_count]]
LOW:Dict[Fundamental, float] = {}
# Warmup price rolling windows.
for stock in selected:
symbol:Symbol = stock.Symbol
if symbol not in self.data:
self.data[symbol] = SymbolData(self.period)
history:dataframe = self.History(symbol, self.period, Resolution.Daily)
if history.empty:
self.Log(f"Not enough data for {symbol} yet")
continue
closes:pd.Series = history.loc[symbol].close
for time, close in closes.items():
self.data[symbol].update(close)
if self.data[symbol].is_ready():
LOW[stock] = self.data[symbol].get_latest_price() / self.data[symbol].minimum()
long:List[Fundamental] = []
short:List[Fundamental] = []
if len(LOW) >= self.quantile:
# LOW sorting
sorted_by_LOW:List[Fundamental] = sorted(LOW, key = LOW.get, reverse = True)
quantile:int = int(len(sorted_by_LOW) / self.quantile)
long = sorted_by_LOW[-quantile:]
short = sorted_by_LOW[:len(sorted_by_LOW) - quantile]
# Market cap weighting.
for i, portfolio in enumerate([long, short]):
mc_sum:float = sum(map(lambda x: x.MarketCap, portfolio))
for stock in portfolio:
self.weight[stock.Symbol] = ((-1) ** i) * stock.MarketCap / mc_sum
return list(self.weight.keys())
def OnData(self, data: Slice) -> None:
if not self.selection_flag:
return
self.selection_flag = False
# Trade execution.
portfolio:List[PortfolioTarget] = [PortfolioTarget(symbol, w) for symbol, w in self.weight.items() if symbol in data and data[symbol]]
self.SetHoldings(portfolio, True)
self.weight.clear()
def Selection(self) -> None:
self.selection_flag = True
class SymbolData():
def __init__(self, period: int):
self._price:RollingWindow = RollingWindow[float](period)
def update(self, price: float) -> None:
self._price.Add(price)
def is_ready(self) -> bool:
return self._price.IsReady
# Skip last month.
def minimum(self) -> float:
return min([x for x in self._price][4*5:])
def get_latest_price(self) -> float:
return self._price[0]
# Custom fee model.
class CustomFeeModel(FeeModel):
def GetOrderFee(self, parameters):
fee = parameters.Security.Price * parameters.Order.AbsoluteQuantity * 0.00005
return OrderFee(CashAmount(fee, "USD"))