-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathSMABacktester.py
More file actions
131 lines (109 loc) · 4.48 KB
/
SMABacktester.py
File metadata and controls
131 lines (109 loc) · 4.48 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
import pandas as pd
import numpy as np
import matplotlib.pyplot as plt
import yfinance as yf
from scipy.optimize import brute
plt.style.use("seaborn")
class SMABacktester():
''' Class for the vectorized backtesting of SMA-based trading strategies.
Attributes
==========
symbol: str
ticker symbol with which to work with
SMA_S: int
time window in days for shorter SMA
SMA_L: int
time window in days for longer SMA
start: str
start date for data retrieval
end: str
end date for data retrieval
Methods
=======
get_data:
retrieves and prepares the data
set_parameters:
sets one or two new SMA parameters
test_strategy:
runs the backtest for the SMA-based strategy
plot_results:
plots the performance of the strategy compared to buy and hold
update_and_run:
updates SMA parameters and returns the negative absolute performance (for minimization algorithm)
optimize_parameters:
implements a brute force optimization for the two SMA parameters
'''
def __init__(self, symbol, SMA_S, SMA_L, start, end):
self.symbol = symbol
self.SMA_S = SMA_S
self.SMA_L = SMA_L
self.start = start
self.end = end
self.results = None
self.get_data()
def __repr__(self):
return "SMABacktester(symbol = {}, SMA_S = {}, SMA_L = {}, start = {}, end = {})".format(self.symbol, self.SMA_S, self.SMA_L, self.start, self.end)
def get_data(self):
''' Retrieves and prepares the data.
'''
raw = yf.download(tickers = self.symbol, start = self.start, end = self.end)
raw = raw["Close"].to_frame().dropna()
# raw = pd.read_csv("forex_pairs.csv", parse_dates = ["Date"], index_col = "Date")
# raw = raw[self.symbol].to_frame()
raw = raw.loc[self.start:self.end]
raw.rename(columns={"Close": "price"}, inplace=True)
raw["returns"] = np.log(raw / raw.shift(1))
raw["SMA_S"] = raw["price"].rolling(self.SMA_S).mean()
raw["SMA_L"] = raw["price"].rolling(self.SMA_L).mean()
self.data = raw
def set_parameters(self, SMA_S = None, SMA_L = None):
''' Updates SMA parameters and resp. time series.
'''
if SMA_S is not None:
self.SMA_S = SMA_S
self.data["SMA_S"] = self.data["price"].rolling(self.SMA_S).mean()
if SMA_L is not None:
self.SMA_L = SMA_L
self.data["SMA_L"] = self.data["price"].rolling(self.SMA_L).mean()
def test_strategy(self):
''' Backtests the trading strategy.
'''
data = self.data.copy().dropna()
data["position"] = np.where(data["SMA_S"] > data["SMA_L"], 1, -1)
data["strategy"] = data["position"].shift(1) * data["returns"]
data.dropna(inplace=True)
data["creturns"] = data["returns"].cumsum().apply(np.exp)
data["cstrategy"] = data["strategy"].cumsum().apply(np.exp)
self.results = data
# absolute performance of the strategy
perf = data["cstrategy"].iloc[-1]
# out-/underperformance of strategy
outperf = perf - data["creturns"].iloc[-1]
return round(perf, 6), round(outperf, 6)
def plot_results(self):
''' Plots the cumulative performance of the trading strategy
compared to buy and hold.
'''
if self.results is None:
print("No results to plot yet. Run a strategy.")
else:
title = "{} | SMA_S = {} | SMA_L = {}".format(self.symbol, self.SMA_S, self.SMA_L)
self.results[["creturns", "cstrategy"]].plot(title=title, figsize=(12, 8))
def update_and_run(self, SMA):
''' Updates SMA parameters and returns the negative absolute performance (for minimization algorithm).
Parameters
==========
SMA: tuple
SMA parameter tuple
'''
self.set_parameters(int(SMA[0]), int(SMA[1]))
return -self.test_strategy()[0]
def optimize_parameters(self, SMA1_range, SMA2_range):
''' Finds global maximum given the SMA parameter ranges.
Parameters
==========
SMA1_range, SMA2_range: tuple
tuples of the form (start, end, step size)
'''
opt = brute(self.update_and_run, (SMA1_range, SMA2_range), finish=None)
return opt, -self.update_and_run(opt)