Risk and Returns: The Sharpe Ratio
  • AI Chat
  • Code
  • Report
  • Beta
    Spinner

    1. Meet Professor William Sharpe

    An investment may make sense if we expect it to return more money than it costs. But returns are only part of the story because they are risky - there may be a range of possible outcomes. How does one compare different investments that may deliver similar results on average, but exhibit different levels of risks?

    Enter William Sharpe. He introduced the reward-to-variability ratio in 1966 that soon came to be called the Sharpe Ratio. It compares the expected returns for two investment opportunities and calculates the additional return per unit of risk an investor could obtain by choosing one over the other. In particular, it looks at the difference in returns for two investments and compares the average difference to the standard deviation (as a measure of risk) of this difference. A higher Sharpe ratio means that the reward will be higher for a given amount of risk. It is common to compare a specific opportunity against a benchmark that represents an entire category of investments.

    The Sharpe ratio has been one of the most popular risk/return measures in finance, not least because it's so simple to use. It also helped that Professor Sharpe won a Nobel Memorial Prize in Economics in 1990 for his work on the capital asset pricing model (CAPM).

    The Sharpe ratio is usually calculated for a portfolio and uses the risk-free interest rate as benchmark. We will simplify our example and use stocks instead of a portfolio. We will also use a stock index as benchmark rather than the risk-free interest rate because both are readily available at daily frequencies and we do not have to get into converting interest rates from annual to daily frequency. Just keep in mind that you would run the same calculation with portfolio returns and your risk-free rate of choice, e.g, the 3-month Treasury Bill Rate.

    So let's learn about the Sharpe ratio by calculating it for the stocks of the two tech giants Facebook and Amazon. As benchmark we'll use the S&P 500 that measures the performance of the 500 largest stocks in the US. When we use a stock index instead of the risk-free rate, the result is called the Information Ratio and is used to benchmark the return on active portfolio management because it tells you how much more return for a given unit of risk your portfolio manager earned relative to just putting your money into a low-cost index fund.

    # Importing required modules
    import pandas as pd
    import numpy as np
    import matplotlib.pyplot as plt
    
    # Settings to produce nice plots in a Jupyter notebook
    plt.style.use('fivethirtyeight')
    %matplotlib inline
    
    # Reading in the data
    stock_data = pd.read_csv("datasets/stock_data.csv", parse_dates=True,
                             index_col=0).dropna()
    benchmark_data = pd.read_csv("datasets/benchmark_data.csv", parse_dates=['Date'],
                                index_col=0).dropna() 

    2. A first glance at the data

    Let's take a look the data to find out how many observations and variables we have at our disposal.

    # Display summary for stock_data
    print('Stocks\n')
    # ... YOUR CODE FOR TASK 2 HERE ..
    stock_data.info()
    
    # Display summary for benchmark_data
    print('\nBenchmarks\n')
    # ... YOUR CODE FOR TASK 2 HERE ...
    benchmark_data.info()

    3. Plot & summarize daily prices for Amazon and Facebook

    Before we compare an investment in either Facebook or Amazon with the index of the 500 largest companies in the US, let's visualize the data, so we better understand what we're dealing with.

    # visualize the stock_data
    # ... YOUR CODE FOR TASK 3 HERE ...
    stock_data.plot(subplots=True, title='Stock Data')
    
    # summarize the stock_data
    # ... YOUR CODE FOR TASK 3 HERE ...
    stock_data.describe()

    4. Visualize & summarize daily values for the S&P 500

    Let's also take a closer look at the value of the S&P 500, our benchmark.

    # plot the benchmark_data
    # ... YOUR CODE FOR TASK 4 HERE ...
    benchmark_data.plot(title='S&P 500')
    
    # summarize the benchmark_data
    # ... YOUR CODE FOR TASK 4 HERE ...
    benchmark_data.describe()

    5. The inputs for the Sharpe Ratio: Starting with Daily Stock Returns

    The Sharpe Ratio uses the difference in returns between the two investment opportunities under consideration.

    However, our data show the historical value of each investment, not the return. To calculate the return, we need to calculate the percentage change in value from one day to the next. We'll also take a look at the summary statistics because these will become our inputs as we calculate the Sharpe Ratio. Can you already guess the result?

    # calculate daily stock_data returns
    stock_returns = stock_data.pct_change()
    
    # plot the daily returns
    # ... YOUR CODE FOR TASK 5 HERE ...
    stock_returns.plot()
    
    # summarize the daily returns
    # ... YOUR CODE FOR TASK 5 HERE ...
    stock_returns.describe()

    6. Daily S&P 500 returns

    For the S&P 500, calculating daily returns works just the same way, we just need to make sure we select it as a Series using single brackets [] and not as a DataFrame to facilitate the calculations in the next step.

    # calculate daily benchmark_data returns
    # ... YOUR CODE FOR TASK 6 HERE ...
    sp_returns = benchmark_data['S&P 500'].pct_change()
    
    # plot the daily returns
    # ... YOUR CODE FOR TASK 6 HERE ...
    sp_returns.plot()
    
    # summarize the daily returns
    # ... YOUR CODE FOR TASK 6 HERE ...
    sp_returns.describe()

    7. Calculating Excess Returns for Amazon and Facebook vs. S&P 500

    Next, we need to calculate the relative performance of stocks vs. the S&P 500 benchmark. This is calculated as the difference in returns between stock_returns and sp_returns for each day.

    # calculate the difference in daily returns
    excess_returns = stock_returns.sub(sp_returns, axis=0)
    excess_returns.head()
    # plot the excess_returns
    # ... YOUR CODE FOR TASK 7 HERE ...
    excess_returns.plot()
    
    # summarize the excess_returns
    # ... YOUR CODE FOR TASK 7 HERE ...
    excess_returns.describe()

    8. The Sharpe Ratio, Step 1: The Average Difference in Daily Returns Stocks vs S&P 500

    Now we can finally start computing the Sharpe Ratio. First we need to calculate the average of the excess_returns. This tells us how much more or less the investment yields per day compared to the benchmark.