Portfolio Returns using Python
Financial Analytics – Introduction
Hi MLEnthusiasts! Here’s the part 3 of our financial analytics series. Today, we will be learning how to calculate the cumulative return of the portfolio of securities, given the returns of individual stocks, using python. You may like to go through part 1 of Financial Analytics series and part 2 of Financial Analytics series, if you’re new to this field.
Financial Analytics – The Theory
Before jumping on code, let’s first understand the theory behind calculating the cumulative return of portfolio of securities.
To calculate this, we need to know the expected returns of the individual assets and also the weight associated with each asset.
We get the cumulative return by multiplying the return of each individual asset with its associated weight and then summing these up. Thus, the cumulative return is the weighted average of individual returns.
Suppose, we have three assets A1, A2 and A3. The weights associated with these assets are w1, w2 and w3. Also, the returns associated with these assets are r1, r2 and r3. Let the cumulative return be represented as R. Thus, R is given by
R = w1r1+w2r2+w3r3
If there are N assets, the same R is given by
R = Σwnrn
where n varies from 1 to N.
Financial Analytics – The Code
Okay, enough of the theory! Let’s now jump on doing this using python!
The first step is to import the libraries.
#Numpy is the package for scientific computing with python. Array computations are made very easy by using this package.
import numpy as np
#For data manipulation and data analysis. Manipulation of dataframes is made very easy using this library.
import pandas as pd
#Functions from pandas_datareader.data and pandas_datareader.wb extract data from various Internet sources into a pandas DataFrame.
from pandas_datareader import data as dr
#Using pyplot, we can get interactive plots and generate programmatic plots
import matplotlib.pyplot as plt
Next, we will make a list of assets – ‘PG'(Procter and Gamble), ‘MSFT'(Microsoft) and ‘GE'(General Electric), save it in a variable ‘assets’. Make a new blank dataframe, get it saved in assetsAdjClose and then bring the ‘Adj Close’ column of all these assets in this dataframe. We will fetch data from yahoo finance.
assets = ['PG', 'MSFT', 'GE']
assetsAdjClose = pd.DataFrame()
for a in assets:
assetsAdjClose[a] = dr.DataReader(a, data_source='yahoo', start='1995-1-1')['Adj Close']
assetsAdjClose.info() #Checking what's there in this dataframe!
assetsAdjClose.head() #Checking first 5 rows of this dataframe
assetsAdjClose.tail() #Checking last 5 rows of this dataframe
Normalization to 100
We do normalization to keep the base of all the assets the same. This helps us in comparison. Here,
Po is the first row (data corresponding to the oldest date) of the dataframe and Pt is the next row.
assetsAdjClose.iloc[0] #Gives the first row figures of the dataframe.
(assetsAdjClose/assetsAdjClose.iloc[0]*100).plot(figsize = (15, 6)); #Normalizing the dataframe
plt.show() #Plot the line chart of all the securities - data is normalized.
assetsAdjClose.plot(figsize=(15,6))
plt.show() #line chart of data without normalization
Calculating the Return of a Portfolio of Securities
#pandas.Dataframe.shift(# lags)
#Using shift(1), we can get the row just above the present row. Here, # lags is 1.
returns = (assetsAdjClose/assetsAdjClose.shift(1)) - 1 #calculating simple rate of return
returns.head() #displaying first 5 rows of returns dataframe
Case 1: When the weights of all the assets are same.
weights = np.array([0.33, 0.33, 0.33]) #Note: the sum of the weights should be equal to 1.
np.dot(returns, weights) #This calculates the dot product of weights matrix and returns dataframe.
# This dot product is the weighted returns dataframe, the mean of each row of which, if we find will give us daily average simple return.
Annual Average Returns are given by computing the mean of the simple rate of return series and then multiplying the value by 250 since 250 days exist in a business day system.
annualReturns = returns.mean()*250
annualReturns #This gives the average annual return of the individual asset.
np.dot(annualReturns, weights) # This gives the cumulative annual average return. Refer formula given in the theory section
Cumulative annual return % is given by:
portfolioSameWeights = str(round(np.dot(annualReturns, weights)*100, 2)) + ' %'
print(portfolioSameWeights)
When weights are different
weightsDifferent = np.array([0.25, 0.5, 0.25]) #Note: the sum of the weights should be equal to 1.
np.dot(annualReturns, weightsDifferent)
portfolioDifferentWeights = str(round(np.dot(annualReturns, weightsDifferent)*100, 5)) + ' %'
print("The cumulative return for portfolio with same weights is ", portfolioSameWeights)
print("The cumulative return for portfolio with different weights is ", portfolioDifferentWeights)
Link to Financial Analytics – Part 4.
Also, please check out our YouTube channel and like, comment, share and subscribe.