===========================================
Mining Current Population Survey (CPS) Data
===========================================
**Due: Friday, November 18 at 4pm**
The goal of this assignment is to give you experience using the
`pandas `__ data analysis library.
In general, it will also give you experience using a well-documented
third-party library, and navigating their documentation in
search of specific features that can help you complete your
implementation.
Current Population Survey (CPS)
-------------------------------
The `Current Population Survey (CPS) `__ is
the U.S. Government's monthly survey of unemployment and labor force
participation. The survey data, compiled by the National Bureau of
Economic Research (NBER), are freely available to the public and
come in several forms. The `Merged Outgoing Rotation Groups
(MORG) `__ datasets are the easiest
to use, because NBER has already done high-quality "pre-processing"
work on the raw survey data to make sure that everything is logical
and consistent. You can refer to the CPS website for more details.
In this programming assignment, you will use ``pandas`` to examine and
make interesting observations from the MORG datasets in years 2007,
2010, and 2014. More data are available on the CPS website. Feel free
to explore CPS on your own after the assignment. You should have all
the necessary programming skills to do so!
Getting started
---------------
See `these start-up instructions `__ if you intend to work alone.
See `these start-up instructions `__ if you intend to work with the same partner as in a previous assignment.
See `these start-up instructions `__ if you intend to work in a *NEW* pair.
The ``pa6`` directory includes a file named ``cps.py``, which you
will modify, a file named ``pa6_helpers.py`` that contains a few useful
functions, and a file named ``test_cps.py`` with tests.
Please put all of your code for this assignment in ``cps.py``.
Do not add extra files.
The ``data/`` directory contains a file called ``get_files.sh`` that will download
the data files necessary for this assignment, along with some files needed by the tests.
To download all the files, go into the ``data`` directory and run this command::
./get_files.sh
Please note that you must be connected to the network to use this script.
**Do not add the data files to your repository!** If you wish to use both
CSIL & the Linux servers and your VM, you will need to run the
``get_files.sh`` script twice once for CSIL & the Linux servers and
once for your VM.
Data
----
Ten data files are used for this programming assignment:
- ``morg_d07.csv``, ``morg_d10.csv``, and ``morg_d14.csv``: MORG datasets for 2007, 2010, and 2014.
- ``morg_d07_mini.csv``, ``morg_d10_mini.csv``, and ``morg_d14_mini.csv``: Abridged versions of the MORG datasets
- ``gender_code.csv``, ``race_code.csv``, ``ethnic_code.csv``, and ``employment_status_code.csv``: These files contain
information about several codes that appear in the MORG datasets.
All of these files are in `comma-separated value (CSV) `__ format. Each
file can be understood to represent a table with multiple rows and
columns (in fact, the CSV format is supported by most spreadsheet
programs, and you can try opening these files in Excel, Libreoffice
Calc, etc.). The first line of the file is the *header* of the
file. It contains the names of the columns, separated by commas. After
the header, each line in the file represents a *row* in the table,
with each value in the row (corresponding to the columns specified in
the header) separated by a comma. A common way to refer to a value in
a row is as a *field*. So, if a CSV file has an ``age`` column, in an
individual row we would refer to the ``age`` field (instead of column,
which tends to refer to an entire column of values).
MORG Files
~~~~~~~~~~
The files ``morg_d07.csv``, ``morg_d10.csv``, and ``morg_d14.csv``
contain data extracted from
the 2007, 2010, and 2014 MORG datasets, respectively. In all of these
files, each row corresponds to the survey data obtained from a unique
individual. We consider the following variables for each individual in
this assignment (although there are a lot more variables available in
the MORG datasets):
- ``h_id``: a string that serves as a unique identifier, which we created by concatenating several variables in the original MORG datasets.
- ``age``: an integer value specifying the age of the individual.
- ``gender_code``: an integer value that encodes the gender (or sex) of the individual.
- ``race_code``: an integer value ranging from 1 to 26 that represents different races.
- ``ethnicity_code``: which, if present, is an integer value ranging from 1 to 8, representing a Hispanic ethnicity. If the value is missing, the individual should be considered "Non-Hispanic" (code: 0).
- ``employment_status_code``: an integer value between 1 and 7 that specifies employment status.
- ``hours_worked_per_week``: an integer that specifies the usual weekly work hours of an individual.
- ``earnings_per_week``: a float that indicates the weekly earnings of an individual.
The CSV file has a column for each of these variables. Here are the first few lines from ``morg_d14.csv``, including the header::
h_id,age,gender_code,race_code,ethnicity_code,employment_status_code,hours_worked_per_week,earnings_per_week
1_1_1,32,2,2,,1,40,1250
1_2_2,80,2,1,,7,,
1_3_3,20,2,2,,7,,
1_4_4,28,1,1,,1,40,1100
1_5_5,32,1,1,,1,52,1289.23
1_6_6,69,2,1,,5,,
1_7_7,80,2,1,,5,,
1_8_8,31,1,1,,1,45,866.25
1_9_9,68,2,1,,1,10,105
The files ``morg_d07_mini.csv``, ``morg_d10_mini.csv``, and
``morg_d14_mini.csv`` contain "mini" versions of the full MORG
datasets. They have the same columns as the MORG datasets, but only
contain 20 sample rows from the original files. These "mini" files
are small enough so that you can work out answers to each task in the
assignments by hand. We have supplied a few basic tests, which use
these files, for each task. Once your code passes our tests, you
should come up with your own tests for the full data sets and for any
special cases that are not covered by our tests.
Code files
~~~~~~~~~~
Many of the values stored in the MORG files are coded; that is, an
integer value is used in place of a more descriptive string. This type of coding is
often used to save space. All of the code files---
``employment_status_code.csv``, ``ethnic_code.csv``,
``gender_code.csv``, ``race_code.csv`` ---have the same format: a
two-column header followed by a series of rows each of which has an integer code
and the corresponding string.
For example, the file ``employment_status_code.csv`` has two columns:
1. ``employment_status_code``, same as the ``employment_status_code`` column in the MORG datasets.
2. ``employment_status_string``, a string that describes the employment status.
Here are the first few lines from this file::
employment_status_code,employment_status_string
1,Working
2,With a job but not at work
3,Layoff
4,Looking
Take a look at these files to familiarize yourself with the
structures. Remember that, in all of these files, the first line is a
*header* with the names of the columns, and every subsequent line
represents a row with *fields* corresponding to the columns specified
in the header.
We have defined a dictionary ``CODE_TO_FILENAME`` that maps the name
of a coded column in the MORG dataset, such as ``"gender_code"``, to the name of the
corresponding code file.
Pandas
------
You could easily write the code for this assignment using the ``csv``
library, lists, dictionaries, and loops. In fact, last year, we did a
similar assignment using exactly those constructs. The purpose of
this assignment, however, is to help you become more comfortable using
``pandas``. As a result, you are required to use ``pandas`` data
frames to store the data and ``pandas`` methods to do the necessary
computations.
Some of the tasks we will ask you to do require using features in
``pandas`` that have not been covered in class.
This is by design: one of the goals of this assignment is for you to be
able to read and use external documentation. So, when figuring out
these tasks, you are allowed (and, in fact, encouraged) to look at the
`Pandas documentation `_.
Not just that, any
code you find on the Pandas documentation can be incorporated into
your code without attribution. However, if you find Pandas examples
elsewhere on the Internet, and use that code either
directly or as inspiration, you must include a code comment specifying
its origin.
When solving the tasks in this assignment, you should assume that
any computation on the data can be done by calling a series
of Pandas operations. Before trying to implement anything, you should
spend some time trying to find the right methods for the task. We also
encourage you to experiment with them on IPython before you incorporate
them into your code.
Our own implementation used filtering and vector operations, as
well as methods like ``concat``, ``cut``, ``fillna``, ``Categorical.from_codes``,
``is_in``, ``max``, ``mean``, ``median``, ``min``, ``read_csv``,
``rename``, ``sort_index``, and ``value_counts`` along with a small
number of lists and loops. Do not worry if you are not using all
of these methods!
Your tasks
----------
Task 1: Building a dataframe from the CSV files
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Your first task is to complete the function ``build_morg_df`` in
``cps.py``. This function takes the name of a MORG file as an
argument and should return a ``pandas`` dataframe, if the file exists.
If the file does not exist, you should return ``None``. (You can use
the library function ``os.path.exists`` to determine whether a file
exists.)
We will refer
to a dataframe produced by this function as a *MORG dataframe*.
MORG dataframes must have columns for:
#. ``h_id``: string
#. ``age``: integer
#. ``gender``: categorical
#. ``race``: categorical
#. ``ethnicity``: categorical
#. ``employment_status``: categorical
#. ``hours_worked_per_week``: float
#. ``earnings_per_week``: float
in that order. We defined constants for the column names: ``HID``,
``AGE``, etc.
``pandas`` provides a ``read_csv`` function that you can use to
read the file into a dataframe. The ``read_csv`` function will
convert the values for ``h_id``, ``age``, ``hours_worked_per_week``
and ``earnings_per_week`` into the
correct types automatically. If you look at the data carefully, you
will notice that the values corresponding to hours worked per week and
earnings per week are missing in some of the samples. These values
will appear as ``NaN``, which stands for "not a number" in the
dataframe.
The ``read_csv`` function will *not* handle the conversion from coded values
to `categorical values
`__ and
so, you must write code to convert the coded values for gender, race,
ethnicity, and employment status to categorical values and to rename
the columns.
Take into account that categorical data is a type of column that we
covered briefly in class. You should read up on it to make
sure you use it correctly. Please note that you *must* use
a categorical column for ``gender``, ``race``, and ``ethnicity``. You
cannot just use ``merge`` to merge in the *string* values of the codes.
We have provided a few basic tests for your ``build_morg_df``
function. You can run them using the Linux command::
py.test -x -k build test_cps.py
Recall that the ``-x`` flag indicates that ``py.test`` should stop
as soon as one test fails. The ``-k`` flag allows you to reduce the set of
tests that is run. For example, using ``-k build`` will only run the
tests that include build in their names.
Task 2: Weekly earnings statistics
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
For this task, we will consider *full-time workers* only.
A person is considered to be a full-time worker if and only if the employment status is ``Working`` and he or she works *35 or more hours* each week.
Your task
is to implement the function
``calculate_weekly_earnings_stats_for_fulltime_workers``, which
calculates weekly earnings statistics (mean, median, min, max)
according to some *query criteria* specified in the function
arguments. In this task, gender, race, and ethnicity are used as query
criteria. There are four arguments to this function:
#. ``morg_df``: a MORG dataframe
#. ``gender``: which takes on three valid string values, ``"Male"``, ``"Female"``, and ``"All"``
#. ``race``, which is a string and there are seven valid values:
a. ``"WhiteOnly"``
b. ``"BlackOnly"``
c. ``"AmericanIndian/AlaskanNativeOnly"``
d. ``"AsianOnly"``
e. "``Hawaiian/PacificIslanderOnly"``
f. ``"Other"`` (races not specified above)
g. ``"All"`` (all races)
#. ``ethnicity``, which takes on three valid string values, ``"Hispanic"``, ``"Non-Hispanic"``, and ``"All"`` (both Hispanic and Non-Hispanic individuals).
Below are some examples uses of this function:
- Calculate weekly earnings statistics for all female full-time workers in 2014::
calculate_weekly_earnings_stats_for_fulltime_workers(morg_df_2014, "Female", "All", "All")
- Calculate weekly earnings statistics for White and Non-Hispanic full-time workers, both male and female, in 2007::
calculate_weekly_earnings_stats_for_fulltime_workers(morg_df_2007, "All", "WhiteOnly", "Non-Hispanic")
- Calculate weekly earning statistics for all Hispanic full-time male workers in 2014::
calculate_weekly_earnings_stats_for_fulltime_workers(morg_df_2014, "Male", "All", "Hispanic")
The return value of this function is a tuple that contains exactly four floats, reporting the mean, median, min, and max earning values (in that order) of the workers who fit the criteria.
If any argument is not valid, the function should return a tuple with 4 zeroes
(i.e., ``(0,0,0,0)``). Moreover, if the given ``morg_df`` does not contain any
samples that meet the query criteria, the function should also return
``(0,0,0,0)``.
You can run our basic tests on your ``calculate_weekly_earnings_stats_for_fulltime_workers`` function using the Linux command:
::
py.test -x -k weekly test_cps.py
You will want to write some tests of your own to supplement ours.
You can use this function to compare the weekly earnings among 2007, 2010, and 2014 for different query criteria using the full MORG datasets, for example:
- "BlackOnly" by gender
- "WhiteOnly" by gender
- "Hispanic" by gender
Try these query criteria yourself. What do the statistics reveal? (you don't need to include
your answer to this in your assignment; we're encouraging you to play with the
data and see what it reveals)
Task 3: Generating histograms
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Similar to task 2, we consider full-time workers only in this task
(refer to task 2 for the definition of full-time workers).
For this task, you will implement the ``create_histogram`` function, which takes in the following arguments:
#. ``morg_df``: a MORG dataframe
#. ``var_of_interest``: a string that describes what variable the histogram is created for. Any variable whose values are integers or floats can be used as ``var_of_interest`` (e.g., ``AGE``, ``EARNWKE``, etc.).
#. ``num_buckets``: an integer that specifies the number of buckets for the histogram.
#. ``min_val``: an integer or a float that specifies the minimal value (lower bound) for the histogram.
#. ``max_val``: an integer or a float that specifies is the maximal value (upper bound) for the histogram.
This function returns a list with ``num_buckets`` elements. The :math:`i^{\text{th}}` element in the list holds the total number of samples whose *var_of_interest* values lie within the range
.. math::
\left[i \cdot \frac{\texttt{max_val} - \texttt{min_val}}{\texttt{num_buckets}} + \texttt{min_val},\; (i+1) \cdot \frac{\texttt{max_val} - \texttt{min_val}}{\texttt{num_buckets}} + \texttt{min_val}\right)
For example, if ``num_buckets`` is 6, ``min_val`` is 10.1, and ``max_val`` is 95.0, the histogram will have 6 buckets covering the following ranges:
::
[10.1, 24.25)
[24.25, 38.4)
[38.4, 52.55)
[52.55, 66.7)
[66.7, 80.85)
[80.85, 95.0)
You will find the function `linspace `__
from the ``numpy`` library very useful for calculating the bucket
boundaries.
As a more concrete example, with the following function call:
::
create_histogram(morg_df_14_mini, AGE, 10, 20, 50)
where ``morg_df_2014_mini`` is built using ``morg_d14_mini.csv`` will yield the value:
::
[2, 0, 1, 0, 1, 0, 1, 1, 1, 1]
In this example, the histogram has 10 buckets. The first element is
two, because there are two individuals whose employment status is
"Working" and whose age is between 20 (inclusive) and 23
(exclusive) in the 2014 mini MORG dataset (one with age 21, the other
with age 22). The second element is zero because there are no individuals
whose age is between 23 (inclusive) and 26 (exclusive).
Similarly, we can use the same function to create histograms for
hours worked per week and earnings per week.
This is more interesting if we can visualize the histograms. We
provide a function ``plot_histogram`` in ``pa6_helpers.py`` to do
this. Plot two histograms using the following code with the full MORG
dataset from 2014::
hours_histogram_2014 = create_histogram(morg_df_2014, HRWKE, 20, 35, 70)
pa6_helpers.plot_histogram(hours_histogram_2014, 35, 70, "task2hours.png")
earnings_histogram_2014 = create_histogram(morg_df_2014, EARNWKE, 50, 0, 3000)
pa6_helpers.plot_histogram(earnings_histogram_2014, 0, 3000, "task2earnings.png")
Take a look at the output PNG files (``task2earnings.png`` and
``task2hours.png``) using the Linux command ``eog``. What do these
histograms tell you?
We included the expected histogram plots below for your reference. These histograms make substantive sense:
1. The earnings histogram does not follow the normal distribution. Instead, it is "right skewed", meaning that there are more people with low earnings than those with high earnings.
2. There is an abrupt change at the end of the earnings histogram. This is because, the values of weekly earnings are "top coded" due to confidentiality reasons. In this specific case, what happened is that anyone who earned more than 2884.61 dollars was reported as earning 2884.61 dollars exactly. If the accurate amounts were recorded, we expect that the histogram will have a much longer and smoother tail. Although less obvious, the data might have been "bottom coded" as well, i.e., weekly earnings below a certain value were reported as 0 (or 1).
3. In the hours histogram, notice that there are a lot of people who worked between 38.5 to 40.25 hours. This may be an artifact: most people do not keep track of exactly how many hours they work every week, and they tend to report 40 as the "standard" answer.
.. image:: img/task2hours.png
:height: 400px
:align: center
.. image:: img/task2earnings.png
:height: 400px
:align: center
You can generate similar histograms for years 2007 and 2010, and compare the histograms among the three years. *Do not submit the PNG files.*
You can run our basic tests on your function by running the Linux command:
::
py.test -x -k histogram test_cps.py
You will want to write some tests of your own to supplement ours.
Task 4: Unemployment rates
~~~~~~~~~~~~~~~~~~~~~~~~~~
A person is considered to be *unemployed* if his or her employment status is ``"Layoff"`` or ``"Looking"``. In this task, you will implement a function for calculating unemployment rates grouped based on a variable of interest for workers that fall in a specified age range. The ``calculate_unemployment_rates`` function takes in three arguments:
1. ``filename_list``: a list of filenames, where each file contains the CPS MORG data for a specific year. You can assume that the CPS MORG data files are all named as *morg_d.csv* or *morg_d_mini.csv*, where ** is replaced with a 2-digit integer as in ``morg_d07.csv``, ``morg_d10_mini.csv``, and ``morg_d14.csv``, etc.
2. ``age_range``: a two-integer tuple that specifies (age lower bound, age upper bound), both inclusive.
3. ``var_of_interest``: a string that describes which variable should be used to further breakdown the unemployment rates. The valid values for ``var_of_interest`` are ``GENDER``, ``RACE``, and ``ETHNIC``.
The function ``calculate_unemployment_rates`` should return a
dataframe where the columns correspond to years and the rows
correspond to possible values for the variable of interest.
For example, the following call:
.. code:: python
calculate_unemployment_rates(["data/morg_d14.csv", "data/morg_d10.csv", "data/morg_d07.csv"],
(50, 70),
GENDER)
yields the following dataframe:
::
07 10 14
Female 0.035537 0.073800 0.048915
Male 0.042502 0.102031 0.056111
While it is nice to be able to take a quick look at the data using
``print``, the resulting output is not very pretty. Fortunately, there is
a Python library named `tabulate
`__ that takes data in several
forms, including dataframes, and generates nice looking tables. This
library is easy to use. Once we have imported ``tabulate``, we can run
the following Python code:
.. code::
df = calculate_unemployment_rates(["data/morg_d14.csv", "data/morg_d10.csv", "data/morg_d07.csv"],
(50, 70),
GENDER)
print(tabulate.tabulate(df, df.columns.values.tolist(), "fancy_grid", floatfmt=".2f"))
to generate this table:
::
╒════════╤══════╤══════╤══════╕
│ │ 07 │ 10 │ 14 │
╞════════╪══════╪══════╪══════╡
│ Female │ 0.04 │ 0.07 │ 0.05 │
├────────┼──────┼──────┼──────┤
│ Male │ 0.04 │ 0.10 │ 0.06 │
╘════════╧══════╧══════╧══════╛
Take into account that the unemployment rate is computed relative
to the number of individuals in each category. So, for example,
the above table tells us that, in 2010, 7% of women aged 50-70
and 10% of men aged 50-70 were unemployed. i.e., it does *not*
tell us that 7% of *all* the individuals aged 50-70 were women
and unemployed.
If a MORG dataset does not contain any sample that fits in the age
range for a particular category of ``var_of_interest``, the
unemployment rate should be reported as 0.0 for that category.
For example, in ``morg_d14_mini.csv``, there is no worker in the sample whose race
is ``W-B-AI``, so when we make the following function call::
calculate_unemployment_rates(['data/morg_d14_mini.csv'], (50, 70), RACE)
the unemployment rate for ``W-B-AI`` in the resulting dataframe should
be 0.0. In fact, for this file, the rate should be 0.0 for all
categories except ``WhiteOnly``.
You will need to use the relevant code file to handle this part of
this task. We have defined a dictionary named ``VAR_TO_FILENAME``
that maps a legal ``var_of_interest`` value to the corresponding code
filename.
If the list of files is empty or the age range does not make sense
(for example, (70, 50)), your function should return ``None``.
You can run our basic tests for this function using the Linux command:
::
py.test -x -k unemployment test_cps.py
Once you are sure that the implementation is correct, compare the
unemployment rates for both older workers (50 to 70 years old) by
gender among 2007, 2010, and 2014 using the full MORG datasets. What
does this summary of the data reveal? How about unemployment rates for
younger workers between 22 and 29 years old by gender? What if we
breakdown the unemployment rates by race or ethnicity?
Submission
--------------------------
See `these submission instructions `__ if you are working alone.
See `these submission instructions `__ if you are working in the same pair as in a previous assignment.
See `these submission instructions `__ if you are working in a *NEW* pair.
*Acknowledgments: Yanjing Li wrote the original version of this assignment.*