4.2 Processing Tables
In data analysis, we often work with large datasets, some of which were collected by someone else. Datasets don’t necessarily come in a form that we can work with. We might need the raw data pulled apart or condensed to coarser granularity. Some data might be missing or entered incorrectly. On top of that, we have to plan for long-term maintenance of our datasets or analysis programs. Finally, we typically want to use visualizations to either communicate our data or to check for issues with our data.
As a concrete example, assume that you are doing data analysis and support for a company that manages ticket sales for events. People purchase tickets through an online form. The form software creates a spreadsheet with all the entered data, which is what you have to work with. Here’s a screenshot of a sample spreadsheet:
Do Now!
Take a look at the table. What do you notice that might affect using the data in an analysis? Or for the operations for managing an event?
Some issues jump out quickly: the three
in the
"Num Tickets"
column, differences in capitalization in the
"Discount Code"
column, and the use of each of "none"
and
blank spaces in the the "Discount Code"
column (you may have
spotted additional issues). Before we do any analysis with this
dataset, we need to clean it up so that our analysis will be
reliable. In addition, sometimes our dataset is clean, but it needs to be
adjusted or prepared to fit the questions we want to ask. This chapter
looks at both steps, and the programming techniques that are helpful
for them.
4.2.1 Cleaning Data Tables
4.2.1.1 Loading Data Tables
If you want to load a csv file, first import it
into a Google Sheet, then load it from the Google Sheet into Pyret.
The first step to working with an outside data source is to load it
into your programming and analysis environment. In Pyret, we do this
using the load-table
command, which loads tables from Google
Sheets.
include gdrive-sheets
ssid = "1DKngiBfI2cGTVEazFEyXf7H4mhl8IU5yv2TfZWv6Rc8"
event-data =
load-table: name, email, tickcount, discount, delivery
source: load-spreadsheet(ssid).sheet-by-name("Orig Data", true)
end
ssid
is the identifier of the Google Sheet we want to load (the identifier is the long sequence of letters and numbers in the Google Sheet URL).load-table
says to create a Pyret table via loading. The sequence of names followingload-table
is used for the column headers in the Pyret version of the table. These do NOT have to match the names used in the Sheets version of the table.source
tells Pyret which sheet to load. Theload-spreadsheet
operation takes the Google Sheet identifier (here,ssid
), as well as the name of the individual worksheet (or tab) as named within the Google Sheet (here,"Orig Data"
. The final boolean indicates whether there is a header row in the table (true
means there is a header row).
When we try to run this code, Pyret complains about the three
in the Num Tickets column: it was expecting a number, but instead
found a string. Pyret expects all columns to hold values of the same
type. When loading a table from file, Pyret bases the type of each
column on the corresponding value in the first row of the table.
This is an example of a data error that we have to fix in the source
file, rather than by using programs within Pyret. Not all
languages will reject programs on loading. Languages embody
philosophies of what programmers should expect from them. Some will
try to make whatever the programmer provided work, while others will
ask the programmer to fix issues upfront. Pyret tends more towards the
latter philsophy, while relaxing it in some places (such as making
types optional). Within the source Google Sheet for this chapter,
there is a separate worksheet/tab named "Data"
in which the
three
has been replaced with a number. If we use "Data"
instead of "Orig Data"
in the above load-spreadsheet
command, the event table loads into Pyret.
Exercise
Why might we have created a separate worksheet with the corrected data, rather than just correct the original sheet?
4.2.1.2 Dealing with Missing Entries
When we create tables manually in Pyret, we have to provide a value for each cell – there’s no way to "skip" a cell. When we create tables in a spreadsheet program (such as Excel, Google Sheets, or something similar), it is possible to leave cells completely empty. What happens when we load a table with empty cells into Pyret?
event-data =
load-table: name, email, tickcount, discount, delivery
source: load-spreadsheet(ssid).sheet-by-name("Data", true)
end
The original data file has a blank in the discount
column. If we load
the table and look at how Pyret reads it in, we find something new in that column:
Note that those cells that had discount codes in them now have an
odd-looking notation like some("student")
, while the cells that
were empty contain none
, but none
isn’t a string. What’s
going on?
Pyret supports a special type of data called option. As the name
suggests, option is for data that may or may not be
present. none
is the value that stands for "the data are
missing". If a datum are present, it appears wrapped in some
.
Do Now!
Look at the
discount
value for Ernie’s row: it readssome("none")
. What does this mean? How is this different fromnone
(as in Sam’s row)?
In Pyret, the right way to address this is to indicate how to handle
missing values for each column, so that the data are as you expect
after you read them in. We do this with an additional aspect of
load-table
called sanitizers. Here’s how we modify the code:
include data-source # to get the sanitizers
event-data =
load-table: name, email, tickcount, discount, delivery
source: load-spreadsheet(ssid).sheet-by-name("Data", true)
sanitize name using string-sanitizer
sanitize email using string-sanitizer
sanitize tickcount using num-sanitizer
sanitize discount using string-sanitizer
sanitize delivery using string-sanitizer
end
Each of the sanitize
lines tells Pyret what to do in the case
of missing data in the respective column. string-sanitizer
says
to load missing data as an empty string (""
).
num-sanitizer
says to load missing data as zero
(0
). The sanitizers also handle simple data conversions. If the
string-sanitizer
were applied to a column with a number (like
3
), the sanitizer would convert that number to a string (like
"3"
). Using the sanitizers, the event-data
table reads
in as follows:
Wait – wouldn’t putting types on the columns (like discount ::
String
) in the load-table
also solve this problem? No, because the
type isn’t enough to know which value should be the default! In some
situations, you might want the default value to be something other
than an empty string or 0
. Sanitizers actually let you tailor
this for yourself (a sanitizer is just a Pyret function: see the Pyret
documentation for details on sanitizer inputs).
Rule of thumb: when you load a table, use a sanitizer to guard against errors in case the original sheet is missing data in some cells.
4.2.1.3 Normalizing Data
Next, let’s look at the "Discount Code"
column. Our goal is to be
able to accurately answer the question "How many orders were placing
under each discount code". We would like to have the answer summarized
in a table, where one column names the discount code and another gives
a count of the rows that used that code.
Do Now!
Examples first! What table do we want from this computation on the fragment of table that we gave you?
How do we get to this table? How do we figure this out if we aren’t sure?
Start by looking in the tables documentation for any library functions that might help with this task. In the case of Pyret, we find:
# count(tab :: Table, colname :: String) -> Table
# Produces a table that summarizes how many rows have
# each value in the named column.
This sounds useful, as long as every column has a value in the
"Discount code"
column, and that the only values in the column
are those in our desired output table. What do we need to do to
achieve this?
Get
"none"
to appear in every cell that currently lacks a valueConvert all the codes that aren’t
"none"
to upper case
String
library.We can capture these together in a function that takes in and produces a string:
fun cell-to-discount-code(str :: String) -> String:
doc: ```uppercase all strings other than none,
convert blank cells to contain none```
if (str == "") or (str == "none"):
"none"
else:
string-to-upper(str)
end
where:
cell-to-discount-code("") is "none"
cell-to-discount-code("none") is "none"
cell-to-discount-code("birthday") is "BIRTHDAY"
cell-to-discount-code("Birthday") is "BIRTHDAY"
end
Do Now!
Assess the examples included with
cell-to-discount-code
. Is this a good set of examples, or are any key ones missing?
"birthday"
, but not for "none"
. Unless you are
confident that the data-gathering process can’t produce different
capitalizations of "none"
, we should include that as well:cell-to-discount-code("NoNe") is "none"
where
block and run the
code, Pyret reports that this example fails.Do Now!
Why did the
"NoNe"
case fail?
"none"
in the if
expression, we need to normalize the input to match what our if
expression expects. Here’s the modified code, on which all the
examples pass.fun cell-to-discount-code(str :: String) -> String:
doc: ```uppercase all strings other than none,
convert blank cells to contain none```
if (str == "") or (string-to-lower(str) == "none"):
"none"
else:
string-to-upper(str)
end
where:
cell-to-discount-code("") is "none"
cell-to-discount-code("none") is "none"
cell-to-discount-code("NoNe") is "none"
cell-to-discount-code("birthday") is "BIRTHDAY"
cell-to-discount-code("Birthday") is "BIRTHDAY"
end
Using this function with transform-column
yields a table with a
standardized formatting for discount codes (reminder that you need to be working with the function operators for tables for this to work):
include shared-gdrive(
"dcic-2021",
"1wyQZj_L0qqV9Ekgr9au6RX2iqt2Ga8Ep")
discount-fixed =
transform-column(event-data, "discount", cell-to-discount-code)
Exercise
Try it yourself: normalize the
"delivery"
column so that all"yes"
values are converted to"email"
.
Now that we’ve cleaned up the codes, we can proceed to using the
"count"
function to extract our summary table:
count(discount-fixed, "discount")
This produces the following table:
Do Now!
What’s with that first row, with the discount code
" "
? Where might that have come from?
Maybe you didn’t notice this before (or wouldn’t have noticed it within a larger table), but there must have been a cell of the source data with a string of blanks, rather than missing content. How do we approach normalization to avoid missing cases like this?
4.2.1.4 Normalization, Systematically
As the previous example showed, we need a way to think through potential normalizations systematically. Our initial discussion of writing examples gives an idea of how to do this. One of the guidelines there says to think about the domain of the inputs, and ways that inputs might vary. If we apply that in the context of loaded datasets, we should think about how the original data were collected.
Do Now!
Based on what you know about websites, where might the event code contents come from? How might they have been entered? What do these tell you about different plausible mistakes in the data?
via a drop-down menu
in a text-entry box
A text-entry box means that any sort of typical human typing error could show up in your data: swapped letters, missing letters, leading spaces, capitalization, etc. You could also get data where someone just typed the wrong thing (or something random, just to see what your form would do).
Do Now!
Which of swapped letters, missing errors, and random text do you think a program can correct for automatically?
"none"
, reach out to the customer, etc.
– these are questions of policy, not of programming).But really, the moral of this is to just use drop-downs or other means to prevent incorrect data at the source whenever possible.
As you get more experience with programming, you will also learn to anticipate certain kinds of errors. Issues such as cells that appear empty will become second nature once you’ve processed enough tables that have them, for example. Needing to anticipate data errors is one reason why good data scientists have to understand the domain that they are working in.
The takeaway from this is how we talked through what to expect. We thought about where the data came from, and what errors would be plausible in that situation. Having a clear error model in mind will help you develop more robust programs. In fact, such adversarial thinking is a core skill of working in security, but now we’re getting ahead of ourselves.
Exercise
In spreadsheets, cells that appear empty sometimes have actual content, in the form of strings made up of spaces: both
""
and" "
appear the same when we look at a spreadsheet, but they are actually different values computationally.How would you modify
cell-to-discount-code
so that strings containing only spaces were also converted to"none"
? (Hint: look forstring-replace
in the strings library.)
4.2.1.4.1 Using Programs to Detect Data Errors
Sometimes, we also look for errors by writing functions to check
whether a table contains unexpected values. Let’s consider the
"email"
column: that’s a place where we should be able to write
a program to flag any rows with invalid email addresses. What makes
for a valid email address? Let’s consider two rules:
Valid email addresses should contain an
@
signValid email addresses should end in one of
".com"
,".edu"
or".org"
Exercise
Write a function
is-email
that takes a string and returns a boolean indicating whether the string satisfies the above two rules for being valid email addresses. For a bit more of a challenge, also include a rule that there must be some character between the@
and the.
-based ending.
Assuming we had such a function, a routine filter-with
could
then produce a table identifying all rows that need to have their
email addresses corrected. The point here is that programs are often
helpful for finding data that need correcting, even if a program
can’t be written to perform the fixing.
4.2.2 Task Plans
Before we move on, it’s worth stepping back to reflect on our process for producing the discount-summary table. We started from a concrete example, checked the documentation for a built-in function that might help, then manipulated our data to work with that function. These are part of a more general process that applies to data and problems beyond tables. We’ll refer to this process as task planning. Specifically, a task plan is a sequence of steps (tasks) that decompose a computational problem into smaller steps (sub-tasks). A useful task plan contains sub-tasks that you know how to implement, either by using a built-in function or writing your own. There is no single notation or format for task plans. For some problems, a bulleted-list of steps will suffice. For others, a diagram showing how data transform through a problem is more helpful. This is a personal choice tailored to a specific problem. The goal is simply to decompose a problem into something of a programming to-do list, to help you manage the process.
Strategy: Creating a Task Plan
Develop a concrete example showing the desired output on a given input (you pick the input: a good one is large enough to show different features of your inputs, but small enough to work with manually during planning. For table problems, roughly 4-6 rows usually works well in practice).
Mentally identify functions that you already know (or that you find in the documentation) that might be useful for transforming the input data to the output data.
Develop a sequence of steps—
whether as pictures, textual descriptions of computations, or a combination of the two— that could be used to solve the problem. If you are using pictures, draw out the intermediate data values from your concrete example and make notes on what operations might be useful to get from one intermediate value to the next. The functions you identified in the previous step should show up here. Repeat the previous step, breaking down the subtasks until you believe you could write expressions or functions to perform each step or data transformation.
Here’s a diagram-based task plan for the discount-summary
program that we
just developed. We’ve drawn this on paper to highlight that task plans
are not written within a programming environment.
Once you have a plan, you turn it into a program by writing expressions and functions for the intermediate steps, passing the output of one step as the input of the next. Sometimes, we look at a problem and immediately know how to write the code for it (if it is a kind of problem that you’ve solved many times before). When you don’t immediately see the solution, use this process and break down the problem by working with concrete examples of data.
Exercise
You’ve been asked to develop a program that identifies the student with the largest improvement from the midterm to the final exam in a course. Your input table will have columns for each exam as well as for student names. Write a task plan for this problem.
Some task plans involve more than just a sequence of table values. Sometimes, we do multiple transformations to the same table to extract different pieces of data, then compute over those data. In that case, we draw our plan with branches that show the different computations that come together in the final result. Continuing with the gradebook, for example, you might be asked to write a program to compute the difference between the largest and lowest scores on the midterm. That task plan might look like:
Exercise
You’ve been given a table of weather data that has columns for the date, amount of precipitation, and highest temperature for the day. You’ve been asked to compute whether there were more snowy days in January than in February, where a day is snowy if the highest temperature is below freezing and the precipitation was more than zero.
The takeaway of this strategy is easy to state:
If you aren’t sure how to approach a problem, don’t start by trying to write code. Plan until you understand the problem.
Newer programmers often ignore this advice, assuming that the fastest way to produce working code for a programming problem is to start writing code (especially if you see classmates who are able to jump directly to writing code). Experienced programmers know that trying to write all the code before you’ve understood the problem will take much longer than stepping back and understanding the problem first. As you develop your programming skills, the specific format of your task plans will evolve (and indeed, we will see some cases of this later in the book as well). But the core idea is the same: use concrete examples to help identify the intermediate computations that will need, then convert those intermediate computations to code after or as you figure them out.
4.2.3 Preparing Data Tables
Sometimes, the data we have is clean (in that we’ve normalized the data and dealt with errors), but it still isn’t in a format that we can use for the analysis that we want to run. For example, what if we want to look at the distribution of small, medium, and large ticket orders? In our current table, we have the number of tickets in an order, but not an explicit label on the scale of that order. If we wanted to produce some sort of chart showing our order scales, we will need to make those labels explicit.
4.2.3.1 Creating bins
The act of reducing one set of values (such as the tickcounts
values) into a
smaller set of categories (such as small/medium/large for orders, or
morning/afternoon/etc. for timestamps) is known
as binning. The bins are the categories. To put rows into bins,
we create a function to compute the bin for a raw data value, then
create a column for the new bin labels.
Here’s an example of creating bins for the scale of the ticket orders:
fun order-scale-label(r :: Row) -> String:
doc: "categorize the number of tickets as small, medium, large"
numtickets = r["tickcount"]
if numtickets >= 10: "large"
else if numtickets >= 5: "medium"
else: "small"
end
end
order-bin-data =
build-column(cleaned-event-data, "order-scale", order-scale-label)
4.2.3.2 Splitting Columns
The events table currently uses a single string to represent the name
of a person. This single string is not useful if we want to sort data
by last names, however. Splitting one column into several columns can
be a useful step in preparing a dataset for analysis or
use. Programming languages usually provide a variety of operations for
splitting apart strings: Pyret has operations called
string-split
and string-split-all
that split one string
into several around a given character (like a space). You could, for
example, write string-split("Josie Zhao", " ")
to extract
"Josie"
and "Zhao"
as separate strings.
Exercise
Write a task plan (not the code, just the plan) for a function that would replace the current
name
column in the events table with two columns calledlast-name
andfirst-name
.
Do Now!
Write down a collection of specific name strings on which you would want to test a name-splitting function.
Hopefully, you at least looked at the table and noticed that we have
one individual, "Zander"
whose entire name is a single string,
rather than having both a first name and a last name. How would we
handle middle names? Or names from cultures where a person’s name has
the last names of both of their parents as part of their name? Or
cultures that put the family name before the given name? Or cultures
where names are not written as in the Latin alphabet. This is
definitely getting more complicated.
Responsible Computing: Representing Names
Representing names as data is heavily context- and culture-dependent. Think carefully about the individuals your dataset needs to include and design your table structure accordingly. It’s okay to have a table structure that excludes names outside of the population you are trying to represent. The headache comes from realizing later that your dataset or program excludes data that need to be supports. In short, examine your table structure for assumptions it makes about your data and choose table structure after thinking about which observations or individuals it needs to represent.
For a deeper look at the complexity of representing real-world names and dates in programs, search for “falsehoods programmers believe about ...”, which turns up articles such as Falsehoods Programmers Believe About Names and Falsehoods Programmers Believe About Time.
Exercise
Write a program that filters a table to only include rows in which the name is not comprised of two strings separated by a space.
Exercise
Write a program that takes a table with a
name
column in"first-name last-name"
format and replaces thename
column with two columns calledlast-name
andfirst-name
. To extract the first- and last-names from a single name string, use:string-split(name-string, " ").get(0) # get first name string-split(name-string, " ").get(1) # get last name
4.2.4 Managing and Naming Data Tables
At this point, we have worked with several versions of the events table:
The original dataset that we tried to load
The new sheet of the dataset with manual corrections
The version with the discount codes normalized
Another version that normalized the delivery mode
The version extended with the order-scale column
Usually, we keep both the original raw source datasheet, as well as the copy with our manual corrections. Why? In case we ever have to look at the original data again, either to identify kinds of errors that people were making or to apply different fixes.
For similar reasons, we want to keep the cleaned (normalized) data separate from the version that we initially loaded. Fortunately, Pyret helps with this since it creates new tables, rather than modify the prior ones. If we have to normalize multiple columns, however, do we really need a new name for every intermediate table?
As a general rule, we usually maintain separate names for the initially-loaded table, the cleaned table, and for significant variations for analysis purposes. In our code, this might mean having names:
event-data = ... # the loaded table
cleaned-event-data =
transform-column(
transform-column(event-data, "discount", cell-to-discount-code),
"delivery", yes-to-email)
order-bin-data =
build-column(
cleaned-event-data, "order-scale", order-scale-label)
yes-to-email
is a function we have not written, but that
might have normalized the "yes"
value in the "delivery"
column. Note that we applied each of the normalizations in sequence,
naming only the final table with all normalizations applied.
In professional practice, if you were working with a very large
dataset, you might just write the cleaned dataset out to a file, so
that you loaded only the clean version during analysis. We will look
at writing to file later. Having only a few table names will reduce
your own confusion when working with your files. If you work on
multiple data-analyses, developing a consistent strategy for how you
name your tables will likely help you better manage your code as you
switch between projects.4.2.5 Visualizations and Plots
Now that our data are cleaned and prepared, we are ready to analyze it. What might we want to know? Perhaps we want to know which discount code has been used most often. Maybe we want to know whether the time when a purchase was made correlates with how many tickets people buy. There’s a host of different kinds of visualizations and plots that people use to summarize data.
Which plot type to use depends on both the question and the data at hand. The nature of variables in a dataset helps determine relevant plots or statistical operations. An attribute or variable in a dataset (i.e., a single column of a table) can be classified as one of several different kinds, including:
quantitative: a variable whose values are numeric and can be ordered with a consistent interval between values. They are meaningful to use in computations.
categorical: a variable with a fixed set of values. The values may have an order, but there are no meaningful computational operations between the values other than ordering. Such variables usually correspond to characteristics of your samples.
Do Now!
Which kind of variable are last names? Grades in courses? Zipcodes?
Common plots and the kinds of variables they require include:
Scatterplots show relationships between two quantitative variables, with one variable on each axis of a 2D chart.
Frequency Bar charts show the frequency of each categorical value within a column of a dataset.
Histograms segment quantitative data into equal-size intervals, showing the distribution of values across each interval.
Pie charts show the proportion of cells in a column across the categorical values in a dataset.
Do Now!
Map each of the following questions to a chart type, based on the kinds of variables involved in the question:
Which discount code has been used most often?
Is there a relationship between the number of tickets purchased in one order and the time of purchase?
How many orders have been made for each delivery option?
For example, we might use a frequency-bar-chart to answer the third question. Based
on the Table
documentation, we would generate this using the
following code (with similar style for the other kinds of plots):
freq-bar-chart(cleaned-event-data, "delivery")
Which yields the following chart (assuming we had not actually
normalized the contents of the "delivery"
column):
Whoa – where did that extra "email"
column come from? If you
look closely, you’ll spot the error: in the row for
"Alvina"
, there’s a typo ("emall"
with an l
instead of an i
) in the discount column (drop-down menus,
anyone?).
The lesson here is that plots and visualizations are valuable not only in the analysis phase, but also early on, when we are trying to sanity check that our data are clean and ready to use. Good data scientists never trust a dataset without first making sure that the values make sense. In larger datasets, manually inspecting all of the data is often infeasible. But creating some plots or other summaries of the data is also useful for identifying errors.
4.2.6 Summary: Managing a Data Analysis
This chapter has given you a high-level overview of how to use coding for managing and processing data. When doing any data analysis, a good data practitioner undergoes several steps:
Think about the data in each column: what are plausible values in the column, and what kinds of errors might be in that column based on what you know about the data collection methods?
Check the data for errors, using a combination of manual inspection of the table, plots, and
filter-with
expressions that check for unexpected values. Normalize or correct the data, either at the source (if you control that) or via small programs.Store the normalized/cleaned data table, either as a name in your program, or by saving it back out to a new file. Leave the raw data intact (in case you need to refer to the original later).
Prepare the data based on the questions you want to ask about it: compute new columns, bin existing columns, or combine data from across tables. You can either finish all preparations and name the final table, or you can make separate preparations for each question, naming the per-question tables.
At last, perform your analysis, using the statistical methods, visualizations, and interpretations that make sense for the question and kinds of variables involved. When you report out on the data, always store notes about the file that holds your analysis code, and which parts of the file were used to generate each graph or interpretation in your report.
There’s a lot more to managing data and performing analysis than this book can cover. There are entire books, degrees, and careers in each of the management of data and its analysis. One area we have not discussed, for example, is machine learning, in which programs (that others have written) are used to make predictions from datasets (in contrast, this chapter has focused on projects in which you will use summary statistics and visualizations to perform analysis). These skills covered in this chapter are all prerequisites for using machine learning effectively and responsibly. But we still have much more to explore and understand about data themselves, which we turn to in the coming chapters. Onward!
Responsible Computing: Bias in Statistical Prediction
In a book that is discussing data and social responsibility, we would be remiss in not at least mentioning some of the many issues that arise when using data to make predictions (via techniques like machine learning). Some issues arise from problems with the data themselves (e.g., whether samples are representative, or whether correlations between variables lead to discrimination as in algorithmic hiring). Others arise with how data collected for one purpose is misused to make predictions for another. Still more arise with the interpretation of results.
These are all rich topics. There are myriad articles which you could read at this point to begin to understand the pitfalls (and benefits) of algorithmic decision making. This book will focus instead on issues that arise from the programs we are teaching you to write, leaving other courses, or the interests of instructors, to augment the material as appropriate for readers’ contexts.