[Backtest] 자산배분 - Permanent Portfolio


주식과 국채를 60:40 비중으로 투자하는 전통적인 전략보다 한 단계 나아가 금을 추가하는 전략입니다. 금은 주식과 국채 모두와 상관관계가 작아 둘이 동반 하락하는 시기를 방어하고, 인플레이션에 강한 특징을 가집니다. 주식, 국채, 금, 현금을 각각 25%씩 보유하는 전략으로 영구 포트폴리오라는 이름을 가집니다.

import pandas as pd
import pandas_datareader.data as web
import datetime
import backtrader as bt
import numpy as np
%matplotlib inline
import matplotlib.pyplot as plt
import pyfolio as pf
import quantstats
import math
plt.rcParams["figure.figsize"] = (10, 6) # (w, h)

금 ETF인 GLD가 2004-11-18 데이터부터 있으므로, 그 시점부터 시작합니다. 실제 전략 사용 시에도 ETF로 하는 것이 편하니 그렇게 합니다.

# VTI (미국 주식), TLT (미국 국채), GLD (금), SHY (단기 국채)

start = '2004-11-18'
end = '2021-04-23'

vti = web.DataReader('VTI', 'yahoo', start, end)['Adj Close'].to_frame("vti_Close")
tlt = web.DataReader('TLT', 'yahoo', start, end)['Adj Close'].to_frame("tlt_Close")
gld = web.DataReader('GLD', 'yahoo', start, end)['Adj Close'].to_frame("gld_Close")
shy = web.DataReader('SHY', 'yahoo', start, end)['Adj Close'].to_frame("shy_Close")
gld.head()
gld_Close
Date
2004-11-1844.380001
2004-11-1944.779999
2004-11-2244.950001
2004-11-2344.750000
2004-11-2445.049999

일단 모델 포트폴리오로, 매일 25% 비중을 맞추는 것으로 생각하고 만듭니다. 거래비용은 생략합니다.

vti_return = vti.pct_change(periods=1)
tlt_return = tlt.pct_change(periods=1)
gld_return = gld.pct_change(periods=1)
shy_return = shy.pct_change(periods=1)

df_return = pd.concat([vti_return, tlt_return, gld_return, shy_return], axis=1)

df_return.head()
vti_Closetlt_Closegld_Closeshy_Close
Date
2004-11-17NaNNaNNaNNaN
2004-11-180.0015630.003043NaN-0.000122
2004-11-19-0.012137-0.0079800.009013-0.001590
2004-11-220.0065820.0052120.0037960.000244
2004-11-230.0003490.001239-0.004449-0.000122
df_return['Perma_return'] = (df_return['vti_Close'] + df_return['tlt_Close'] + df_return['gld_Close'] + df_return['shy_Close'])/4
df_return.head()
vti_Closetlt_Closegld_Closeshy_ClosePerma_return
Date
2004-11-17NaNNaNNaNNaNNaN
2004-11-180.0015630.003043NaN-0.000122NaN
2004-11-19-0.012137-0.0079800.009013-0.001590-0.003173
2004-11-220.0065820.0052120.0037960.0002440.003959
2004-11-230.0003490.001239-0.004449-0.000122-0.000746
quantstats.reports.plots(df_return['Perma_return'], mode='basic')

output_8_0

output_8_1

매일 리밸런싱을 한 결과 연 복리 수익률 7.69%, 샤프 비율 1.08, MDD -14.22% 정도입니다. 연 변동성도 7.1%로 적당한 수익에 압도적인 방어력을 보여주고 있습니다. 세계 최대 헤지펀드의 전략의 기반이 된 전략답습니다. Ray Dalio의 All Weather Portfolio도 크게 보면 이 Permanent Portfolio의 변형입니다.

quantstats.reports.metrics(df_return['Perma_return'], mode='full')
                           Strategy
-------------------------  ----------
Start Period               2004-11-17
End Period                 2021-04-23
Risk-Free Rate             0.0%
Time in Market             100.0%

Cumulative Return          238.16%
CAGR%                      7.69%
Sharpe                     1.08
Sortino                    1.56
Max Drawdown               -14.22%
Longest DD Days            622
Volatility (ann.)          7.1%
Calmar                     0.54
Skew                       -0.22
Kurtosis                   6.18

Expected Daily %           0.03%
Expected Monthly %         0.62%
Expected Yearly %          7.0%
Kelly Criterion            9.51%
Risk of Ruin               0.0%
Daily Value-at-Risk        -0.7%
Expected Shortfall (cVaR)  -0.7%

Payoff Ratio               1.0
Profit Factor              1.21
Common Sense Ratio         1.22
CPC Index                  0.66
Tail Ratio                 1.01
Outlier Win Ratio          3.51
Outlier Loss Ratio         3.66

MTD                        3.17%
3M                         -1.23%
6M                         0.9%
YTD                        -1.61%
1Y                         8.9%
3Y (ann.)                  10.62%
5Y (ann.)                  8.17%
10Y (ann.)                 6.57%
All-time (ann.)            7.69%

Best Day                   3.09%
Worst Day                  -3.38%
Best Month                 6.14%
Worst Month                -8.22%
Best Year                  18.82%
Worst Year                 -3.89%

Avg. Drawdown              -1.02%
Avg. Drawdown Days         25
Recovery Factor            16.75
Ulcer Index                inf

Avg. Up Month              1.75%
Avg. Down Month            -1.19%
Win Days %                 54.79%
Win Month %                62.12%
Win Quarter %              74.63%
Win Year %                 77.78%

위에서 한 것처럼 그냥 만들어도 되지만, 백테스트에 많이 쓰이는 Backtrader 패키지를 한번 사용해 보겠습니다. Input 형식을 맞추어야 합니다.

vti = vti.rename({'vti_Close':'Close'}, axis='columns')
tlt = tlt.rename({'tlt_Close':'Close'}, axis='columns')
gld = gld.rename({'gld_Close':'Close'}, axis='columns')
shy = shy.rename({'shy_Close':'Close'}, axis='columns')

for column in ['Open', 'High', "Low"]:
    vti[column] = vti["Close"]
    tlt[column] = tlt["Close"]
    gld[column] = gld["Close"]
    shy[column] = shy["Close"]
gld.head()
CloseOpenHighLow
Date
2004-11-1844.38000144.38000144.38000144.380001
2004-11-1944.77999944.77999944.77999944.779999
2004-11-2244.95000144.95000144.95000144.950001
2004-11-2344.75000044.75000044.75000044.750000
2004-11-2445.04999945.04999945.04999945.049999

25% 비중을 맞추어 매수하고 20 거래일마다 리밸런싱하는 전략입니다. 20 거래일은 현실 기준으로 약 1개월입니다.

class AssetAllocation_Perma(bt.Strategy):
    params = (
        ('assetclass',0.25),
    )
    def __init__(self):
        self.VTI = self.datas[0]
        self.TLT = self.datas[1]
        self.GLD = self.datas[2]
        self.SHY = self.datas[3]
        self.counter = 0
        
    def next(self):
        if  self.counter % 20 == 0:
            self.order_target_percent(self.VTI, target=self.params.assetclass)
            self.order_target_percent(self.TLT, target=self.params.assetclass)
            self.order_target_percent(self.GLD, target=self.params.assetclass)
            self.order_target_percent(self.SHY, target=self.params.assetclass)
        self.counter += 1
cerebro = bt.Cerebro()

cerebro.broker.setcash(1000000)

VTI = bt.feeds.PandasData(dataname = vti)
TLT = bt.feeds.PandasData(dataname = tlt)
GLD = bt.feeds.PandasData(dataname = gld)
SHY = bt.feeds.PandasData(dataname = shy)

cerebro.adddata(VTI)
cerebro.adddata(TLT)
cerebro.adddata(GLD)
cerebro.adddata(SHY)

cerebro.addstrategy(AssetAllocation_Perma)

cerebro.addanalyzer(bt.analyzers.PyFolio, _name = 'PyFolio')

results = cerebro.run()
strat = results[0]

portfolio_stats = strat.analyzers.getbyname('PyFolio')
returns, positions, transactions, gross_lev = portfolio_stats.get_pf_items()
returns.index = returns.index.tz_convert(None)

#quantstats.reports.html(returns, output = 'Report_AssetAllocation_Permanent.html', title='AssetAllocation_Permanent')
quantstats.reports.plots(returns, mode='basic')

output_17_0

output_17_1

20 거래일마다 리밸런싱으로 바꾸니 연 복리 수익률 7.18%, 샤프 비율 1.06, MDD -14% 수준입니다. 연 변동성 6.78%로 역시 압도적인 방어력입니다.

quantstats.reports.metrics(returns, mode='full')
                           Strategy
-------------------------  ----------
Start Period               2004-11-17
End Period                 2021-04-23
Risk-Free Rate             0.0%
Time in Market             100.0%

Cumulative Return          212.84%
CAGR%                      7.18%
Sharpe                     1.06
Sortino                    1.52
Max Drawdown               -14.12%
Longest DD Days            622
Volatility (ann.)          6.78%
Calmar                     0.51
Skew                       -0.34
Kurtosis                   4.47

Expected Daily %           0.03%
Expected Monthly %         0.58%
Expected Yearly %          6.54%
Kelly Criterion            9.21%
Risk of Ruin               0.0%
Daily Value-at-Risk        -0.67%
Expected Shortfall (cVaR)  -0.67%

Payoff Ratio               0.98
Profit Factor              1.2
Common Sense Ratio         1.2
CPC Index                  0.65
Tail Ratio                 1.0
Outlier Win Ratio          3.54
Outlier Loss Ratio         3.68

MTD                        3.1%
3M                         -1.21%
6M                         0.88%
YTD                        -1.58%
1Y                         8.38%
3Y (ann.)                  10.07%
5Y (ann.)                  7.78%
10Y (ann.)                 6.2%
All-time (ann.)            7.18%

Best Day                   2.6%
Worst Day                  -3.26%
Best Month                 6.23%
Worst Month                -8.11%
Best Year                  17.41%
Worst Year                 -3.78%

Avg. Drawdown              -1.06%
Avg. Drawdown Days         27
Recovery Factor            15.08
Ulcer Index                1.01

Avg. Up Month              1.74%
Avg. Down Month            -1.16%
Win Days %                 55.02%
Win Month %                60.61%
Win Quarter %              74.63%
Win Year %                 77.78%

월간 데이터를 사용하면 훨씬 더 과거의 결과도 테스트해 볼 수 있습니다. 가장 긴 시계열의 경우 1900년 1월부터 2020년 12월까지의 데이터가 있습니다.

MonthlyReturn = pd.read_excel('MonthlyAssetClassReturn.xlsx')
MonthlyReturn.head()
Data IndexBroker Call RateCPIT-BillsS&P 500 Total returnSmall Cap StocksMSCI EAFEEEMUS 10 YRUS Corp Bond Return Index...International Small Cap Value (Global B/M Small Low)International Large Cap Value (Global B/M Big Low)International Small High Mom (Global mom Small High)International Large High Mom (Global mom Small High)Merrill High YieldWorld StocksWorld ex USABuyWritePutWriteBitcoin
01900-01-31NaN0.0133330.00250.016413NaNNaNNaN0.000000NaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN
11900-02-28NaN0.0000000.00250.021138NaNNaNNaN0.011278NaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN
21900-03-31NaN0.0000000.00250.011084NaNNaNNaN0.009758NaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN
31900-04-30NaN0.0000000.00250.015894NaNNaNNaN-0.016107NaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN
41900-05-31NaN0.0000000.0025-0.044246NaNNaNNaN0.016023NaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN

5 rows × 50 columns

시계열로 바꾸어 주는 것이 사용하기 편합니다. 1열인 Data Index가 월말 날짜이므로, 이 열을 인덱스로 잡습니다.

MonthlyReturn = MonthlyReturn.set_index('Data Index')
MonthlyReturn.head()
Broker Call RateCPIT-BillsS&P 500 Total returnSmall Cap StocksMSCI EAFEEEMUS 10 YRUS Corp Bond Return IndexGSCI...International Small Cap Value (Global B/M Small Low)International Large Cap Value (Global B/M Big Low)International Small High Mom (Global mom Small High)International Large High Mom (Global mom Small High)Merrill High YieldWorld StocksWorld ex USABuyWritePutWriteBitcoin
Data Index
1900-01-31NaN0.0133330.00250.016413NaNNaNNaN0.000000NaNNaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN
1900-02-28NaN0.0000000.00250.021138NaNNaNNaN0.011278NaNNaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN
1900-03-31NaN0.0000000.00250.011084NaNNaNNaN0.009758NaNNaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN
1900-04-30NaN0.0000000.00250.015894NaNNaNNaN-0.016107NaNNaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN
1900-05-31NaN0.0000000.0025-0.044246NaNNaNNaN0.016023NaNNaN...NaNNaNNaNNaNNaNNaNNaNNaNNaNNaN

5 rows × 49 columns

필요한 것만 뽑아옵니다. 월간 미국 주식(S&P 500), 월간 미국 30년 만기 국채, 미국 단기 국채(T-Bill, 현금 대용), 금 수익률 데이터입니다. 1920년 1월부터 2020년 12월까지 101년 기간의 테스트가 될 것입니다.

Monthly_Perma = MonthlyReturn.loc[:, ['S&P 500 Total return', 'US 30 YR', 'GOLD', 'T-Bills']]
Monthly_Perma = Monthly_Perma.loc[Monthly_Perma.index >= '1920-01-31']
Monthly_Perma['Monthly_Perma'] = (Monthly_Perma['S&P 500 Total return'] + Monthly_Perma['US 30 YR'] + Monthly_Perma['GOLD'] + Monthly_Perma['T-Bills']) /4

월간 데이터이므로, 일간 데이터 기준인 패키지가 주는 값을 적절히 조정해야 합니다. 1년 12개월 252거래일을 가정합니다. 1920년 1월부터 101년 동안 샤프 비율은 1.018로 나옵니다. 상관관계가 매우 낮은 자산만 모아 놓아서 어느 시대이든 안정적으로 아래 그림의 제목 하단에 있는 샤프 비율은 무시하고, 직접 계산한 값을 보아야 합니다.

quantstats.stats.sharpe(Monthly_Perma['Monthly_Perma'])/math.sqrt(252/12)
1.0176388771727902
quantstats.reports.plots(Monthly_Perma['Monthly_Perma'], mode='basic')

output_30_0

output_30_1

** 주의: quantstats 라이브러리가 월간 데이터일 경우는 일부 지표를 이상한 값으로 돌려줍니다. 연간 기준으로 보정해서 생각해야 합니다.

연 복리 수익률 6.61%, 샤프 비율은 위에서 계산한대로 1.018 (아래 결과는 무시합니다 월간 데이터라 다르게 나옵니다), MDD는 대공황 시기를 넣고도 -31% 수준입니다. 방어 하나는 가장 잘합니다. 101년을 버티면 원금이 643배가 됩니다.

quantstats.reports.metrics(Monthly_Perma['Monthly_Perma'], mode='full')
                           Strategy
-------------------------  ----------
Start Period               1920-01-31
End Period                 2020-12-31
Risk-Free Rate             0.0%
Time in Market             100.0%

Cumulative Return          64,334.78%
CAGR%                      6.61%
Sharpe                     4.66
Sortino                    8.61
Max Drawdown               -30.77%
Longest DD Days            1400
Volatility (ann.)          29.86%
Calmar                     0.21
Skew                       0.46
Kurtosis                   4.57

Expected Daily %           0.54%
Expected Monthly %         0.54%
Expected Yearly %          6.61%
Kelly Criterion            36.21%
Risk of Ruin               0.0%
Daily Value-at-Risk        -2.54%
Expected Shortfall (cVaR)  -2.54%

Payoff Ratio               1.24
Profit Factor              2.27
Common Sense Ratio         3.53
CPC Index                  1.82
Tail Ratio                 1.55
Outlier Win Ratio          3.89
Outlier Loss Ratio         3.51

MTD                        2.28%
3M                         0.45%
6M                         6.01%
YTD                        16.58%
1Y                         16.58%
3Y (ann.)                  11.02%
5Y (ann.)                  9.64%
10Y (ann.)                 7.11%
All-time (ann.)            6.61%

Best Day                   11.97%
Worst Day                  -8.49%
Best Month                 11.97%
Worst Month                -8.49%
Best Year                  33.96%
Worst Year                 -13.37%

Avg. Drawdown              -2.23%
Avg. Drawdown Days         129
Recovery Factor            2091.1
Ulcer Index                0.97

Avg. Up Month              1.53%
Avg. Down Month            -1.23%
Win Days %                 64.69%
Win Month %                64.69%
Win Quarter %              73.76%
Win Year %                 85.15%





© 2021.03. by JacobJinwonLee

Powered by theorydb