import pandas as pd
import numpy as np
import sqlite3
from plotnine import *
import statsmodels.api as sm
from mizani.formatters import percent_format
Univariate Portfolio Sorts
You are reading the work-in-progress edition of Tidy Finance with Python. Code chunks and text might change over the next couple of months. We are always looking for feedback via contact@tidy-finance.org. Meanwhile, you can find the complete R version here.
In this chapter, we dive into portfolio sorts, one of the most widely used statistical methodologies in empirical asset pricing (e.g., Bali, Engle, and Murray 2016). The key application of portfolio sorts is to examine whether one or more variables can predict future excess returns. In general, the idea is to sort individual stocks into portfolios, where the stocks within each portfolio are similar with respect to a sorting variable, such as firm size. The different portfolios then represent well-diversified investments that differ in the level of the sorting variable. You can then attribute the differences in the return distribution to the impact of the sorting variable. We start by introducing univariate portfolio sorts (which sort based on only one characteristic) and tackle bivariate sorting in Chapter 9.
A univariate portfolio sort considers only one sorting variable \(x_{t-1,i}\). Here, \(i\) denotes the stock and \(t-1\) indicates that the characteristic is observable by investors at time \(t\).
The objective is to assess the cross-sectional relation between \(x_{t-1,i}\) and, typically, stock excess returns \(r_{t,i}\) at time \(t\) as the outcome variable. To illustrate how portfolio sorts work, we use estimates for market betas from the previous chapter as our sorting variable.
The current chapter relies on the following set of packages.
Data Preparation
We start with loading the required data from our SQLite
-database introduced in Chapters 2-4. In particular, we use the monthly CRSP sample as our asset universe. Once we form our portfolios, we use the Fama-French market factor returns to compute the risk-adjusted performance (i.e., alpha). beta
is the tibble with market betas computed in the previous chapter.
= sqlite3.connect("data/tidy_finance.sqlite")
tidy_finance
= (pd.read_sql_query(
crsp_monthly ="SELECT permno, month, ret_excess, mktcap_lag FROM crsp_monthly",
sql=tidy_finance,
con={"permno": np.int32},
dtype={"month": {"unit": "D","origin": "unix"}})
parse_dates
.dropna()
)
= (pd.read_sql_query(
factors_ff_monthly ="SELECT month, mkt_excess FROM factors_ff_monthly",
sql=tidy_finance,
con={"month": {"unit": "D","origin": "unix"}})
parse_dates
.dropna()
)
= (pd.read_sql_query(
beta ="SELECT permno, month, beta_monthly FROM beta",
sql=tidy_finance,
con={"permno": np.int32},
dtype={"month": {"unit": "D","origin": "unix"}})
parse_dates
.dropna() )
Sorting by Market Beta
Next, we merge our sorting variable with the return data. We use the one-month lagged betas as a sorting variable to ensure that the sorts rely only on information available when we create the portfolios. To lag stock beta by one month, we add one month to the current date and join the resulting information with our return data. This procedure ensures that month \(t\) information is available in month \(t+1\). You may be tempted to simply use a call such as crsp_monthly['beta_lag'] = crsp_monthly.groupby('permno')['beta'].shift(1)
instead. This procedure, however, does not work correctly if there are non-explicit missing values in the time series.
= (beta
beta_lag = lambda x: x["month"] + pd.DateOffset(months=1))
.assign(month "permno", "month", "beta_monthly"])
.get([={"beta_monthly": "beta_lag"})
.rename(columns
.dropna()
)
= (crsp_monthly
data_for_sorts
.merge(beta_lag, ="inner",
how=["permno", "month"])
on )
The first step to conduct portfolio sorts is to calculate periodic breakpoints that you can use to group the stocks into portfolios. For simplicity, we start with the median lagged market beta as the single breakpoint. We then compute the value-weighted returns for each of the two resulting portfolios, which means that the lagged market capitalization determines the weight in np.average()
.
= (data_for_sorts
beta_portfolios "month", group_keys=False)
.groupby(apply(lambda x: x.assign(portfolio=pd.qcut(x["beta_lag"],
.=[0, 0.5, 1],
q=["low", "high"])))
labels"portfolio","month"], group_keys=False)
.groupby([apply(lambda x: np.average(x["ret_excess"], weights=x["mktcap_lag"]))
.="ret")
.reset_index(name )
Performance Evaluation
We can construct a long-short strategy based on the two portfolios: buy the high-beta portfolio and, at the same time, short the low-beta portfolio. Thereby, the overall position in the market is net-zero, i.e., you do not need to invest money to realize this strategy in the absence of frictions.
= (beta_portfolios
beta_longshort ="month",
.pivot_table(index="portfolio",
columns="ret")
values
.reset_index()= lambda x: x["high"] - x["low"])
.assign(long_short )
We compute the average return and the corresponding standard error to test whether the long-short portfolio yields on average positive or negative excess returns. In the asset pricing literature, one typically adjusts for autocorrelation by using Newey and West (1987) \(t\)-statistics to test the null hypothesis that average portfolio excess returns are equal to zero. One necessary input for Newey-West standard errors is a chosen bandwidth based on the number of lags employed for the estimation. Researchers often default on choosing a pre-specified lag length of 6 months.
= (sm.OLS
model_fit "long_short ~ 1", data=beta_longshort)
.from_formula(="HAC", cov_kwds={"maxlags": 6})
.fit(cov_type=True)
.summary(slim
)= model_fit.tables[1]
model_fit_coefs model_fit_coefs
coef | std err | z | P>|z| | [0.025 | 0.975] | |
Intercept | 0.0003 | 0.001 | 0.222 | 0.824 | -0.002 | 0.003 |
The results indicate that we cannot reject the null hypothesis of average returns being equal to zero. Our portfolio strategy using the median as a breakpoint hence does not yield any abnormal returns. Is this finding surprising if you reconsider the CAPM? It certainly is. The CAPM yields that the high beta stocks should yield higher expected returns. Our portfolio sort implicitly mimics an investment strategy that finances high beta stocks by shorting low beta stocks. Therefore, one should expect that the average excess returns yield a return that is above the risk-free rate.
Functional Programming for Portfolio Sorts
Now we take portfolio sorts to the next level. We want to be able to sort stocks into an arbitrary number of portfolios. For this case, functional programming is very handy: we define a function that give us flexibility concerning which variable to use for the sorting, denoted by sorting_variable
. We use np.quantile()
to compute breakpoints for n_portfolios
. Then, we assign portfolios to stocks using the pd.cut()
function. The output of the following function is a new column that contains the number of the portfolio to which a stock belongs.
In some applications, the variable used for the sorting might be clustered (e.g., at a lower bound of 0). Then, multiple breakpoints may be identical, leading to empty portfolios. Similarly, some portfolios might have a very small number of stocks at the beginning of the sample. Cases, where the number of portfolio constituents differs substantially due to the distribution of the characteristics, require careful consideration and, depending on the application, might require customized sorting approaches.
def assign_portfolio(data, sorting_variable, n_portfolios):
= np.quantile(data[sorting_variable].dropna(),
breakpoints 0, 1, n_portfolios + 1),
np.linspace(="linear")
method= pd.cut(data[sorting_variable],
assigned_portfolios =breakpoints,
bins=range(1, breakpoints.size),
labels=True)
include_lowestreturn assigned_portfolios
We can use the above function to sort stocks into ten portfolios each month using lagged betas and compute value-weighted returns for each portfolio. Note that we transform the portfolio column to a factor variable because it provides more convenience for the figure construction below.
= (data_for_sorts
beta_portfolios "month", group_keys=False)
.groupby(apply(lambda x: x.assign(portfolio = assign_portfolio(x, 'beta_lag', 10)))
."portfolio", "month"], group_keys=False)
.groupby([apply(lambda x: x.assign(ret=np.average(x["ret_excess"],
.=x["mktcap_lag"])))
weights
.merge(factors_ff_monthly, ="left",
how="month")
on )
More Performance Evaluation
In the next step, we compute summary statistics for each beta portfolio. Namely, we compute CAPM-adjusted alphas, the beta of each beta portfolio, and average returns.
= (beta_portfolios
beta_portfolios_summary "portfolio", group_keys=False)
.groupby(apply(lambda x: x.assign(alpha=sm.OLS.from_formula(
.="ret ~ 1 + mkt_excess", data=x).fit().params[0],
formula=sm.OLS.from_formula(
beta="ret ~ 1 + mkt_excess", data=x)
formula1],
.fit().params[=x["ret"].mean()).tail(1))
ret"portfolio", "alpha", "beta", "ret"])
.get([=True)
.reset_index(drop )
Figure 1 illustrates the CAPM alphas of beta-sorted portfolios. It shows that low beta portfolios tend to exhibit positive alphas, while high beta portfolios exhibit negative alphas.
= (ggplot(beta_portfolios_summary,
plot_beta_portfolios_summary ="portfolio", y="alpha", fill="portfolio"))
aes(x+ geom_bar(stat="identity")
+ labs(title="CAPM alphas of beta-sorted portfolios",
="Portfolio", y="CAPM alpha", fill="Portfolio")
x+ scale_y_continuous(labels=percent_format())
+ theme(legend_position="none"))
plot_beta_portfolios_summary.draw()
These results suggest a negative relation between beta and future stock returns, which contradicts the predictions of the CAPM. According to the CAPM, returns should increase with beta across the portfolios and risk-adjusted returns should be statistically indistinguishable from zero.
The Security Market Line and Beta Portfolios
The CAPM predicts that our portfolios should lie on the security market line (SML). The slope of the SML is equal to the market risk premium and reflects the risk-return trade-off at any given time. Figure 2 illustrates the security market line: We see that (not surprisingly) the high beta portfolio returns have a high correlation with the market returns. However, it seems like the average excess returns for high beta stocks are lower than what the security market line implies would be an “appropriate” compensation for the high market risk.
= (sm.OLS.from_formula("ret ~ 1 + beta", data=beta_portfolios_summary)
sml_capm
.fit().params)
= (ggplot(beta_portfolios_summary,
plot_sml_capm ="beta", y="ret", color="portfolio"))
aes(x+ geom_point()
+ geom_abline(intercept=0,
=factors_ff_monthly["mkt_excess"].mean(),
slope="solid")
linetype+ geom_abline(intercept=sml_capm["Intercept"],
=sml_capm["beta"],
slope="dashed")
linetype+ scale_y_continuous(labels=percent_format(),
=(0, factors_ff_monthly["mkt_excess"].mean()*2))
limits+ scale_x_continuous(limits=(0, 2))
+ labs(x="Beta", y="Excess return", color="Portfolio",
="Average portfolio excess returns and average beta estimates")
title
) plot_sml_capm.draw()
To provide more evidence against the CAPM predictions, we again form a long-short strategy that buys the high-beta portfolio and shorts the low-beta portfolio.
= (beta_portfolios
beta_longshort =lambda x: x["portfolio"]
.assign(portfolioapply(lambda y: "high" if y == x["portfolio"].max()
.else ("low" if y == x["portfolio"].min()
else y)))
"portfolio in ['low', 'high']")
.query(="month", columns="portfolio", values="ret")
.pivot_table(index=lambda x: x["high"] - x["low"])
.assign(long_short="left", on="month")
.merge(factors_ff_monthly, how )
Again, the resulting long-short strategy does not exhibit statistically significant returns.
= (sm.OLS.from_formula("long_short ~ 1", data=beta_longshort)
model_fit ="HAC", cov_kwds={"maxlags": 1})
.fit(cov_type=True)
.summary(slim
)= model_fit.tables[1]
model_fit_coefs model_fit_coefs
coef | std err | z | P>|z| | [0.025 | 0.975] | |
Intercept | 0.0023 | 0.003 | 0.750 | 0.453 | -0.004 | 0.008 |
However, the long-short portfolio yields a statistically significant negative CAPM-adjusted alpha, although, controlling for the effect of beta, the average excess stock returns should be zero according to the CAPM. The results thus provide no evidence in support of the CAPM. The negative value has been documented as the so-called betting against beta factor (Frazzini and Pedersen 2014). Betting against beta corresponds to a strategy that shorts high beta stocks and takes a (levered) long position in low beta stocks. If borrowing constraints prevent investors from taking positions on the SML they are instead incentivized to buy high beta stocks, which leads to a relatively higher price (and therefore lower expected returns than implied by the CAPM) for such high beta stocks. As a result, the betting-against-beta strategy earns from providing liquidity to capital constraint investors with lower risk aversion.
= (sm.OLS.from_formula("long_short ~ 1 + mkt_excess", data=beta_longshort)
model_fit ="HAC", cov_kwds={"maxlags": 1})
.fit(cov_type=True)
.summary(slim
)= model_fit.tables[1]
model_fit_coefs model_fit_coefs
coef | std err | z | P>|z| | [0.025 | 0.975] | |
Intercept | -0.0045 | 0.002 | -2.014 | 0.044 | -0.009 | -0.000 |
mkt_excess | 1.1654 | 0.072 | 16.212 | 0.000 | 1.024 | 1.306 |
Figure 3 shows the annual returns of the extreme beta portfolios we are mainly interested in. The figure illustrates no consistent striking patterns over the last years - each portfolio exhibits periods with positive and negative annual returns.
= (beta_longshort
beta_longshort_year =lambda x: x["month"].dt.year)
.assign(year"year")
.groupby(= ("low", lambda x: 1-(1 + x).prod()),
.aggregate(low = ("high", lambda x: 1-(1 + x).prod()),
high = ("long_short", lambda x: 1-(1 + x).prod()))
long_short
.reset_index()="year", var_name="name", value_name="value")
.melt(id_vars
)
= (ggplot(
plot_beta_longshort_year ="year", y="value", fill="name"))
beta_longshort_year, aes(x+ geom_col(position='dodge')
+ facet_wrap("~name", ncol=1)
+ theme(legend_position="none")
+ scale_color_discrete(guide=False)
+ scale_y_continuous(labels=percent_format())
+ labs(x="", y="", title="Annual returns of beta portfolios")
) plot_beta_longshort_year.draw()
Overall, this chapter shows how functional programming can be leveraged to form an arbitrary number of portfolios using any sorting variable and how to evaluate the performance of the resulting portfolios. In the next chapter, we dive deeper into the many degrees of freedom that arise in the context of portfolio analysis.
Exercises
- Take the two long-short beta strategies based on different numbers of portfolios and compare the returns. Is there a significant difference in returns? How do the Sharpe ratios compare between the strategies? Find one additional portfolio evaluation statistic and compute it.
- We plotted the alphas of the ten beta portfolios above. Write a function that tests these estimates for significance. Which portfolios have significant alphas?
- The analysis here is based on betas from monthly returns. However, we also computed betas from daily returns. Re-run the analysis and point out differences in the results.
- Given the results in this chapter, can you define a long-short strategy that yields positive abnormal returns (i.e., alphas)? Plot the cumulative excess return of your strategy and the market excess return for comparison.