We will start today with the interactive environment that we will be using often through the course: the Jupyter Notebook.
We will walk through the following steps together:
Download miniconda (be sure to get Version 3.6) and install it on your system (hopefully you have done this before coming to class)
Use the conda
command-line tool to update your package listing and install the IPython notebook:
Update conda
's listing of packages for your system:
$ conda update conda
Install IPython notebook and all its requirements
$ conda install jupyter notebook
Navigate to the directory containing the course material. For example:
$ cd ~/courses/CSE583/
You should see a number of files in the directory, including these:
$ ls
...
Breakout-Simple-Math.ipynb
CSE599_Lecture_2.ipynb
...
Type jupyter notebook
in the terminal to start the notebook
$ jupyter notebook
If everything has worked correctly, it should automatically launch your default browser
Click on Lecture-Python-And-Data-Autumn-2017.ipynb
to open the notebook containing the content for this lecture.
With that, you're set up to use the Jupyter notebook!
a
is a list, the a.append(1)
adds 1
to the list.
In [1]:
a = 1
In [2]:
a_list = [1, 'a', [1,2]]
In [3]:
a_list.append(2)
In [4]:
a_list
Out[4]:
In [5]:
dir(a_list)
Out[5]:
In [6]:
a_list.count(1)
Out[6]:
In [7]:
a = 2
Now that we have the Jupyter notebook up and running, we're going to do a short breakout exploring some of the mathematical functionality that Python offers.
Please open Breakout-Simple-Math.ipynb, find a partner, and make your way through that notebook, typing and executing code along the way.
In addition to Python's built-in modules like the math
module we explored above, there are also many often-used third-party modules that are core tools for doing data science with Python.
Some of the most important ones are:
numpy
: Numerical PythonNumpy is short for "Numerical Python", and contains tools for efficient manipulation of arrays of data. If you have used other computational tools like IDL or MatLab, Numpy should feel very familiar.
scipy
: Scientific PythonScipy is short for "Scientific Python", and contains a wide range of functionality for accomplishing common scientific tasks, such as optimization/minimization, numerical integration, interpolation, and much more. We will not look closely at Scipy today, but we will use its functionality later in the course.
pandas
: Labeled Data Manipulation in PythonPandas is short for "Panel Data", and contains tools for doing more advanced manipulation of labeled data in Python, in particular with a columnar data structure called a Data Frame. If you've used the R statistical language (and in particular the so-called "Hadley Stack"), much of the functionality in Pandas should feel very familiar.
matplotlib
: Visualization in PythonMatplotlib started out as a Matlab plotting clone in Python, and has grown from there in the 15 years since its creation. It is the most popular data visualization tool currently in the Python data world (though other recent packages are starting to encroach on its monopoly).
Because the above packages are not included in Python itself, you need to install them separately. While it is possible to install these from source (compiling the C and/or Fortran code that does the heavy lifting under the hood) it is much easier to use a package manager like conda
. All it takes is to run
$ conda install numpy scipy pandas matplotlib
and (so long as your conda setup is working) the packages will be downloaded and installed on your system.
In [8]:
!ls
uncomment this to download the data:
In [40]:
#!curl -o pronto.csv https://data.seattle.gov/api/views/tw7j-dfaw/rows.csv?accessType=DOWNLOAD
Because we'll use it so much, we often import under a shortened name using the import ... as ...
pattern:
In [10]:
import pandas as pd
df = pd.read_csv('pronto.csv')
Now we can use the read_csv
command to read the comma-separated-value data:
In [ ]:
Note: strings in Python can be defined either with double quotes or single quotes
The head()
and tail()
methods show us the first and last rows of the data
In [11]:
df.head()
Out[11]:
In [12]:
df.columns
Out[12]:
In [ ]:
The shape
attribute shows us the number of elements:
In [13]:
df.shape
Out[13]:
The columns
attribute gives us the column names
In [ ]:
The index
attribute gives us the index names
In [ ]:
The dtypes
attribute gives the data types of each column:
In [14]:
df.dtypes
Out[14]:
Access columns by name using square-bracket indexing:
In [15]:
df_small = df[ 'stoptime']
In [16]:
type(df_small)
Out[16]:
Mathematical operations on columns happen element-wise:
In [17]:
trip_duration_hours = df['tripduration']/3600
trip_duration_hours[:3]
Out[17]:
In [18]:
df['trip_duration_hours'] = df['tripduration']/3600
In [19]:
del df['trip_duration_hours']
In [20]:
df.head()
Out[20]:
In [21]:
df.loc[[0,1],:]
Out[21]:
In [22]:
df_long_trips = df[df['tripduration'] >10000]
In [23]:
sel = df['tripduration'] >10000
df_long_trips = df[sel]
In [24]:
len(df)
Out[24]:
In [25]:
# Make a copy of a slice
df_subset = df[['starttime', 'stoptime']].copy()
df_subset['trip_hours'] = df['tripduration']/3600
Columns can be created (or overwritten) with the assignment operator. Let's create a tripminutes column with the number of minutes for each trip
In [ ]:
More complicated mathematical operations can be done with tools in the numpy
package:
In [ ]:
One trick to know when working with columns of times is that Pandas DateTimeIndex
provides a nice interface for working with columns of times.
For a dataset of this size, using pd.to_datetime
and specifying the date format can make things much faster (from the strftime reference, we see that the pronto data has format "%m/%d/%Y %I:%M:%S %p"
In [ ]:
(Note: you can also use infer_datetime_format=True
in most cases to automatically infer the correct format, though due to a bug it doesn't work when AM/PM are present)
With it, we can extract, the hour of the day, the day of the week, the month, and a wide range of other views of the time:
In [ ]:
In [ ]:
In [ ]:
Pandas includes an array of useful functionality for manipulating and analyzing tabular data. We'll take a look at two of these here.
The pandas.value_counts
returns statistics on the unique values within each column.
We can use it, for example, to break down rides by gender:
In [ ]:
Or to break down rides by age:
In [ ]:
By default, the values rather than the index are sorted. Use sort=False
to turn this behavior off:
In [ ]:
We can explore other things as well: day of week, hour of day, etc.
In [ ]:
One of the killer features of the Pandas dataframe is the ability to do group-by operations. You can visualize the group-by like this (image borrowed from the Python Data Science Handbook)
In [26]:
df.head()
Out[26]:
In [27]:
df_count = df.groupby(['from_station_id']).count()
df_count.head()
Out[27]:
In [28]:
df_count1 = df_count[['trip_id']]
df_count2 = df_count1.rename(columns={'trip_id': 'count'})
df_count2['new'] = 1
df_count2.head()
Out[28]:
In [29]:
df_mean = df.groupby(['from_station_id']).mean()
df_mean.head()
Out[29]:
In [30]:
dfgroup = df.groupby(['from_station_id'])
dfgroup.groups
Out[30]:
The simplest version of a groupby looks like this, and you can use almost any aggregation function you wish (mean, median, sum, minimum, maximum, standard deviation, count, etc.)
<data object>.groupby(<grouping values>).<aggregate>()
for example, we can group by gender and find the average of all numerical columns:
In [ ]:
It's also possible to indes the grouped object like it is a dataframe:
In [ ]:
You can even group by multiple values: for example we can look at the trip duration by time of day and by gender:
In [ ]:
The unstack()
operation can help make sense of this type of multiply-grouped data. What this technically does is split a multiple-valued index into an index plus columns:
In [ ]:
pandas
Of course, looking at tables of data is not very intuitive.
Fortunately Pandas has many useful plotting functions built-in, all of which make use of the matplotlib
library to generate plots.
Whenever you do plotting in the IPython notebook, you will want to first run this magic command which configures the notebook to work well with plots:
In [31]:
%matplotlib inline
Now we can simply call the plot()
method of any series or dataframe to get a reasonable view of the data:
In [32]:
import matplotlib.pyplot as plt
df['tripduration'].hist()
Out[32]:
In [ ]:
In [ ]:
For example, we can create a histogram of trip durations:
In [ ]:
If you'd like to adjust the x and y limits of the plot, you can use the set_xlim()
and set_ylim()
method of the resulting object:
In [ ]:
In [ ]:
Split this plot by gender. Do you see any seasonal ridership patterns by gender?
In [ ]:
Split this plot by user type. Do you see any seasonal ridership patterns by usertype?
In [ ]:
Repeat the above three steps, counting the number of rides by time of day rather thatn by month.
In [ ]:
Are there any other interesting insights you can discover in the data using these tools?
In [ ]:
In [33]:
# A script for creating a dataframe with counts of the occurrence of a columns' values
df_count = df.groupby('from_station_id').count()
df_count1 = df_count[['trip_id']]
df_count2 = df_count1.rename(columns={'trip_id': 'count'})
In [34]:
df_count2.head()
Out[34]:
In [35]:
def make_table_count(df_arg, groupby_column):
df_count = df_arg.groupby(groupby_column).count()
column_name = df.columns[0]
df_count1 = df_count[[column_name]]
df_count2 = df_count1.rename(columns={column_name: 'count'})
return df_count2
In [36]:
dff = make_table_count(df, 'from_station_id')
dff.head()
Out[36]:
In [37]:
import table_modifiers as tm
In [38]:
dir(tm)
Out[38]:
In [39]:
tm.table_counter(df, 'from_station_id')
Out[39]: