Download the accompanying IPython Notebook for this Tutorial from Github.
Python streamlines tasks requiring multiple steps in a single block of code. For this reason, it is a great tool for querying and performing analysis on data.
Last Tutorial, we outlined steps for calculating Price Channels.
In this Tutorial, we introduce a new technical indicator, the Relative Strenght Index (RSI).
The Relative Strength Index (RSI) is a momentum indicator developed by noted technical analyst Welles Wilder, that compares the magnitude of recent gains and losses over a specified time period to measure speed and change of price movements of a security. It is primarily used to identify overbought or oversold conditions in the trading of an asset.
The Relative Strength Index (RSI) is calculated as follows:
RSI = 100 - 100 / (1 + RS)
RS = Average gain of last 14 trading days / Average loss of last 14 trading days
RSI values range from 0 to 100.
Traditional interpretation and usage of the RSI is that RSI values of 70 or above indicate that a security is becoming overbought or overvalued, and therefore may be primed for a trend reversal or corrective pullback in price. On the other side, an RSI reading of 30 or below is commonly interpreted as indicating an oversold or undervalued condition that may signal a trend change or corrective price reversal to the upside.
Let’s use Python to compute the Relative Strenght Index (RSI).
1.) Import modules (numpy included).
import pandas as pd
import numpy as np
from pandas_datareader import data as web
import matplotlib.pyplot as plt
%matplotlib inline2.) Define function for querying daily close.
def get_stock(stock,start,end):
 return web.DataReader(stock,'google',start,end)['Close']3.) Define function for RSI.
def RSI(series, period):
 delta = series.diff().dropna()
 u = delta * 0
 d = u.copy()
 u[delta > 0] = delta[delta > 0]
 d[delta < 0] = -delta[delta < 0]
 u[u.index[period-1]] = np.mean( u[:period] ) #first value is sum of avg gains
 u = u.drop(u.index[:(period-1)])
 d[d.index[period-1]] = np.mean( d[:period] ) #first value is sum of avg losses
 d = d.drop(d.index[:(period-1)])
 rs = pd.stats.moments.ewma(u, com=period-1, adjust=False) / \
 pd.stats.moments.ewma(d, com=period-1, adjust=False)
 return 100 - 100 / (1 + rs)How does the RSI function work?
– 3.a.) Function creates two series of daily differences.
– 3.b.) One series is daily positive differences, i.e. gains.
– 3.c.) One series is daily negative difference, i.e. losses.
– 3.d.) Average daily positive differences for the period specified.
– 3.e.) Average daily negative difference for the period specified.
– 3.f.) RS is set equal to Exponential Moving Average of daily positive differences for the period sepcified / Exponential Moving Average of daily positive differences for the period sepcified.
– 3.g) Return 100 – 100 / (1 + RS)
4.) Query daily close for ‘FB’ during 2016.
df = pd.DataFrame(get_stock('FB', '1/1/2016', '12/31/2016'))5.) Run daily close through RSI function. Save series to new column in dataframe.
df['RSI'] = RSI(df['Close'], 14)
df.tail()6.) Plot daily close and RSI.
df.plot(y=['Close'])
df.plot(y=['RSI'])

There you have it! We created our RSI indicator. Here’s the full code:
import pandas as pd
import numpy as np
from pandas_datareader import data as web
import matplotlib.pyplot as plt
%matplotlib inline
def get_stock(stock,start,end):
 return web.DataReader(stock,'google',start,end)['Close']
 
def RSI(series, period):
 delta = series.diff().dropna()
 u = delta * 0
 d = u.copy()
 u[delta > 0] = delta[delta > 0]
 d[delta < 0] = -delta[delta < 0]
 u[u.index[period-1]] = np.mean( u[:period] ) #first value is sum of avg gains
 u = u.drop(u.index[:(period-1)])
 d[d.index[period-1]] = np.mean( d[:period] ) #first value is sum of avg losses
 d = d.drop(d.index[:(period-1)])
 rs = pd.stats.moments.ewma(u, com=period-1, adjust=False) / \
 pd.stats.moments.ewma(d, com=period-1, adjust=False)
 return 100 - 100 / (1 + rs)
 
df = pd.DataFrame(get_stock('FB', '1/1/2016', '12/31/2016'))
df['RSI'] = RSI(df['Close'], 14)
df.tail()