Code
import pandas as pd
with open('data/county_and_state.csv') as f:
= pd.read_csv(f)
county_and_state
with open('data/county_and_population.csv') as f:
= pd.read_csv(f) county_and_pop
This content is covered in lectures 6 and 7.
Last lecture, we learned of the difference between quantitative and qualitative variable types. The latter includes string data — the primary focus of lecture 6. In this note, we’ll discuss the necessary tools to manipulate text: python
string manipulation and regular expressions.
There are two main reasons for working with text.
First, we’ll introduce a few methods useful for string manipulation. The following table includes a number of string operations supported by python
and pandas
. The python
functions operate on a single string, while their equivalent in pandas
are vectorized — they operate on a Series
of string data.
Operation | Python | Pandas (Series ) |
---|---|---|
Transformation |
|
|
Replacement + Deletion |
|
|
Split |
|
|
Substring |
|
|
Membership |
|
|
Length |
|
|
We’ll discuss the differences between python
string functions and pandas
Series
methods in the following section on canonicalization.
Assume we want to merge the given tables.
import pandas as pd
with open('data/county_and_state.csv') as f:
= pd.read_csv(f)
county_and_state
with open('data/county_and_population.csv') as f:
= pd.read_csv(f) county_and_pop
; display(county_and_state), display(county_and_pop)
County | State | |
---|---|---|
0 | De Witt County | IL |
1 | Lac qui Parle County | MN |
2 | Lewis and Clark County | MT |
3 | St John the Baptist Parish | LS |
County | Population | |
---|---|---|
0 | DeWitt | 16798 |
1 | Lac Qui Parle | 8067 |
2 | Lewis & Clark | 55716 |
3 | St. John the Baptist | 43044 |
Last time, we used a primary key and foreign key to join two tables. While neither of these keys exist in our DataFrame
s, the "County"
columns look similar enough. Can we convert these columns into one standard, canonical form to merge the two tables?
python
String ManipulationThe following function uses python
string manipulation to convert a single county name into canonical form. It does so by eliminating whitespace, punctuation, and unnecessary text.
def canonicalize_county(county_name):
return (
county_name
.lower()' ', '')
.replace('&', 'and')
.replace('.', '')
.replace('county', '')
.replace('parish', '')
.replace(
)
"St. John the Baptist") canonicalize_county(
'stjohnthebaptist'
We will use the pandas
map
function to apply the canonicalize_county
function to every row in both DataFrame
s. In doing so, we’ll create a new column in each called clean_county_python
with the canonical form.
'clean_county_python'] = county_and_pop['County'].map(canonicalize_county)
county_and_pop['clean_county_python'] = county_and_state['County'].map(canonicalize_county)
county_and_state[; display(county_and_state), display(county_and_pop)
County | State | clean_county_python | |
---|---|---|---|
0 | De Witt County | IL | dewitt |
1 | Lac qui Parle County | MN | lacquiparle |
2 | Lewis and Clark County | MT | lewisandclark |
3 | St John the Baptist Parish | LS | stjohnthebaptist |
County | Population | clean_county_python | |
---|---|---|---|
0 | DeWitt | 16798 | dewitt |
1 | Lac Qui Parle | 8067 | lacquiparle |
2 | Lewis & Clark | 55716 | lewisandclark |
3 | St. John the Baptist | 43044 | stjohnthebaptist |
Alternatively, we can use pandas
Series
methods to create this standardized column. To do so, we must call the .str
attribute of our Series
object prior to calling any methods, like .lower
and .replace
. Notice how these method names match their equivalent built-in Python string functions.
Chaining multiple Series
methods in this manner eliminates the need to use the map
function (as this code is vectorized).
def canonicalize_county_series(county_series):
return (
county_seriesstr.lower()
.str.replace(' ', '')
.str.replace('&', 'and')
.str.replace('.', '')
.str.replace('county', '')
.str.replace('parish', '')
.
)
'clean_county_pandas'] = canonicalize_county_series(county_and_pop['County'])
county_and_pop['clean_county_pandas'] = canonicalize_county_series(county_and_state['County'])
county_and_state[; display(county_and_pop), display(county_and_state)
/var/folders/7t/zbwy02ts2m7cn64fvwjqb8xw0000gp/T/ipykernel_27936/2523629438.py:3: FutureWarning:
The default value of regex will change from True to False in a future version. In addition, single character regular expressions will *not* be treated as literal strings when regex=True.
/var/folders/7t/zbwy02ts2m7cn64fvwjqb8xw0000gp/T/ipykernel_27936/2523629438.py:3: FutureWarning:
The default value of regex will change from True to False in a future version. In addition, single character regular expressions will *not* be treated as literal strings when regex=True.
County | Population | clean_county_python | clean_county_pandas | |
---|---|---|---|---|
0 | DeWitt | 16798 | dewitt | dewitt |
1 | Lac Qui Parle | 8067 | lacquiparle | lacquiparle |
2 | Lewis & Clark | 55716 | lewisandclark | lewisandclark |
3 | St. John the Baptist | 43044 | stjohnthebaptist | stjohnthebaptist |
County | State | clean_county_python | clean_county_pandas | |
---|---|---|---|---|
0 | De Witt County | IL | dewitt | dewitt |
1 | Lac qui Parle County | MN | lacquiparle | lacquiparle |
2 | Lewis and Clark County | MT | lewisandclark | lewisandclark |
3 | St John the Baptist Parish | LS | stjohnthebaptist | stjohnthebaptist |
Extraction explores the idea of obtaining useful information from text data. This will be particularily important in model building, which we’ll study in a few weeks.
Say we want to read some data from a .txt
file.
with open('data/log.txt', 'r') as f:
= f.readlines()
log_lines
log_lines
['169.237.46.168 - - [26/Jan/2014:10:47:58 -0800] "GET /stat141/Winter04/ HTTP/1.1" 200 2585 "http://anson.ucdavis.edu/courses/"\n',
'193.205.203.3 - - [2/Feb/2005:17:23:6 -0800] "GET /stat141/Notes/dim.html HTTP/1.0" 404 302 "http://eeyore.ucdavis.edu/stat141/Notes/session.html"\n',
'169.237.46.240 - "" [3/Feb/2006:10:18:37 -0800] "GET /stat141/homework/Solutions/hw1Sol.pdf HTTP/1.1"\n']
Suppose we want to extract the day, month, year, hour, minutes, seconds, and time zone. Unfortunately, these items are not in a fixed position from the beginning of the string, so slicing by some fixed offset won’t work.
Instead, we can use some clever thinking. Notice how the relevant information is contained within a set of brackets, further seperated by /
and :
. We can hone in on this region of text, and split the data on these characters. Python
’s built-in .split
function makes this easy.
= log_lines[0] # Only considering the first row of data
first
= first.split("[")[1].split(']')[0]
pertinent = pertinent.split('/')
day, month, rest = rest.split(':')
year, hour, minute, rest = rest.split(' ')
seconds, time_zone day, month, year, hour, minute, seconds, time_zone
('26', 'Jan', '2014', '10', '47', '58', '-0800')
There are two problems with this code:
Python
’s built-in functions limit us to extract data one record at a time,
map
function or pandas
Series
methods.In the next section, we’ll introduce regular expressions - a tool that solves problem 2.
A regular expression (“RegEx”) is a sequence of characters that specifies a search pattern. They are written to extract specific information from text. Regular expressions are essentially part of a smaller programming language embedded in python
, made available through the re
module. As such, they have a stand-alone syntax and methods for various capabilities.
Regular expressions are useful in many applications beyond data science. For example, Social Security Numbers (SSNs) are often validated with regular expressions.
r"[0-9]{3}-[0-9]{2}-[0-9]{4}" # Regular Expression Syntax
# 3 of any digit, then a dash,
# then 2 of any digit, then a dash,
# then 4 of any digit
'[0-9]{3}-[0-9]{2}-[0-9]{4}'
There are a ton of resources to learn and experiment with regular expressions. A few are provided below:
Python
under the category on the left.There are four basic operations with regular expressions.
Operation | Order | Syntax Example | Matches | Doesn’t Match |
---|---|---|---|---|
Or : | |
4 | AA|BAAB | AA BAAB |
every other string |
Concatenation |
3 | AABAAB | AABAAB | every other string |
Closure : * (zero or more) |
2 | AB*A | AA ABBBBBBA | AB ABABA |
Group : () (parenthesis) |
1 | A(A|B)AAB (AB)*A |
AAAAB ABAAB A ABABABABA |
every other string AA ABBA |
Notice how these metacharacter operations are ordered. Rather than being literal characters, these metacharacters manipulate adjacent characters. ()
takes precedence, followed by *
, and finally |
. This allows us to differentiate between very different regex commands like AB*
and (AB)*
. The former reads “A
then zero or more copies of B
”, while the latter specifies “zero or more copies of AB
”.
Question 1: Give a regular expression that matches moon
, moooon
, etc. Your expression should match any even number of o
s except zero (i.e. don’t match mn
).
Answer 1: moo(oo)*n
oo
before the capture group ensures that mn
is not matched.(oo)*
ensures the number of o
’s is even.Question 2: Using only basic operations, formulate a regex that matches muun
, muuuun
, moon
, moooon
, etc. Your expression should match any even number of u
s or o
s except zero (i.e. don’t match mn
).
Answer 2: m(uu(uu)*|oo(oo)*)n
m
and trailing n
ensures that only strings beginning with m
and ending with n
are matched.|
.
m(uu(uu)*)|(oo(oo)*)n
. This incorrectly matches muu
and oooon
.
|
. The incorrect solution matches only half of the string, and ignores either the beginning m
or trailing n
.|
. That way, each OR clause is everything to the left and right of |
within the group. This ensures both the beginning m
and trailing n
are matched.Provided below are more complex regular expression functions.
Operation | Syntax Example | Matches | Doesn’t Match |
---|---|---|---|
Any Character : . (except newline) |
.U.U.U. | CUMULUS JUGULUM |
SUCCUBUS TUMULTUOUS |
Character Class : [] (match one character in [] ) |
[A-Za-z][a-z]* | word Capitalized |
camelCase 4illegal |
Repeated "a" Times : {a} |
j[aeiou]{3}hn | jaoehn jooohn |
jhn jaeiouhn |
Repeated "from a to b" Times : {a, b} |
j[0u]{1,2}hn | john juohn |
jhn jooohn |
At Least One : + |
jo+hn | john joooooohn |
jhn jjohn |
Zero or One : ? |
joh?n | jon john |
any other string |
A character class matches a single character in it’s class. These characters can be hardcoded – in the case of [aeiou]
– or shorthand can be specified to mean a range of characters. Examples include:
[A-Z]
: Any capitalized letter[a-z]
: Any lowercase letter[0-9]
: Any single digit[A-Za-z]
: Any capitalized of lowercase letter[A-Za-z0-9]
: Any capitalized or lowercase letter or single digitLet’s analyze a few examples of complex regular expressions.
Matches | Does Not Match |
---|---|
|
|
RASPBERRY SPBOO |
SUBSPACE SUBSPECIES |
|
|
231-41-5121 573-57-1821 |
231415121 57-3571821 |
|
|
horse@pizza.com horse@pizza.food.com |
frank_99@yahoo.com hug@cs |
Explanations
.*SPB.*
only matches strings that contain the substring SPB
.
.*
metacharacter matches any amount of non-negative characters. Newlines do not count.com
or edu
domain, where all characters of the email are letters.
.
must precede the domain name. Including a backslash \
before any metacharacter (in this case, the .
) tells RegEx to match that character exactly.Here are a few more convenient regular expressions.
Operation | Syntax Example | Matches | Doesn’t Match |
---|---|---|---|
built in character class |
\w+ \d+ \s+ |
Fawef_03 231123 whitespace |
this person 423 people non-whitespace |
character class negation : [^] (everything except the given characters) |
[^a-z]+. | PEPPERS3982 17211!↑å | porch CLAmS |
escape character : \ (match the literal next character) |
cow\.com | cow.com | cowscom |
beginning of line : ^ |
^ark | ark two ark o ark | dark |
end of line : $ |
ark$ | dark ark o ark |
ark two |
lazy version of zero or more : *? |
5.*?5 | 5005 55 |
5005005 |
In order to fully understand the last operation in the table, we have to discuss greediness. RegEx is greedy – it will look for the longest possible match in a string. To motivate this with an example, consider the pattern <div>.*</div>
. Given the sentence below, we would hope that the bolded portions would be matched:
“This is a <div>example</div> of greediness <div>in</div> regular expressions.” ”
In actuality, the way RegEx processes the text given that pattern is as follows:
“Look for the exact string <>”
then, “look for any character 0 or more times”
then, “look for the exact string </div>”
The result would be all the characters starting from the leftmost <div> and the rightmost </div> (inclusive). We can fix this making our the pattern non-greedy, <div>.*?</div>
. You can read up more on the documentation here.
Let’s revist our earlier problem of extracting date/time data from the given .txt
files. Here is how the data looked.
0] log_lines[
'169.237.46.168 - - [26/Jan/2014:10:47:58 -0800] "GET /stat141/Winter04/ HTTP/1.1" 200 2585 "http://anson.ucdavis.edu/courses/"\n'
Question: Give a regular expression that matches everything contained within and including the brackets - the day, month, year, hour, minutes, seconds, and time zone.
Answer: \[.*\]
[
and ]
is necessary. Therefore, an escape character \
is required before both [
and ]
— otherwise these metacharacters will match character classes.[
and ]
. For this example, .*
will suffice.Alternative Solution: \[\w+/\w+/\w+:\w+:\w+:\w+\s-\w+\]
[
and ]
was garbage - .*
will still match that.Earlier in this note, we examined the process of canonicalization using python
string manipulation and pandas
Series
methods. However, we mentioned this approach had a major flaw: our code was unnecessarily verbose. Equipped with our knowledge of regular expressions, let’s fix this.
To do so, we need to understand a few functions in the re
module. The first of these is the substitute function: re.sub(pattern, rep1, text)
. It behaves similarly to python
’s built-in .replace
function, and returns text with all instances of pattern
replaced by rep1
.
The regular expression here removes text surrounded by <>
(also known as HTML tags).
In order, the pattern matches … 1. a single <
2. any character that is not a >
: div, td valign…, /td, /div 3. a single >
Any substring in text
that fulfills all three conditions will be replaced by ''
.
import re
= "<div><td valign='top'>Moo</td></div>"
text = r"<[^>]+>"
pattern '', text) re.sub(pattern,
'Moo'
Notice the r
preceding the regular expression pattern; this specifies the regular expression is a raw string. Raw strings do not recognize escape sequences (i.e., the Python newline metacharacter \n
). This makes them useful for regular expressions, which often contain literal \
characters.
In other words, don’t forget to tag your RegEx with an r
.
pandas
We can also use regular expressions with pandas
Series
methods. This gives us the benefit of operating on an entire column of data as opposed to a single value. The code is simple:
ser.str.replace(pattern, repl, regex=True
).
Consider the following DataFrame
html_data
with a single column.
= {"HTML": ["<div><td valign='top'>Moo</td></div>", \
data "<a href='http://ds100.org'>Link</a>", \
"<b>Bold text</b>"]}
= pd.DataFrame(data) html_data
html_data
HTML | |
---|---|
0 | <div><td valign='top'>Moo</td></div> |
1 | <a href='http://ds100.org'>Link</a> |
2 | <b>Bold text</b> |
= r"<[^>]+>"
pattern 'HTML'].str.replace(pattern, '', regex=True) html_data[
0 Moo
1 Link
2 Bold text
Name: HTML, dtype: object
Just like with canonicalization, the re
module provides capability to extract relevant text from a string:
re.findall(pattern, text)
. This function returns a list of all matches to pattern
.
Using the familiar regular expression for Social Security Numbers:
= "My social security number is 123-45-6789 bro, or maybe it’s 321-45-6789."
text = r"[0-9]{3}-[0-9]{2}-[0-9]{4}"
pattern re.findall(pattern, text)
['123-45-6789', '321-45-6789']
pandas
pandas
similarily provides extraction functionality on a Series
of data: ser.str.findall(pattern)
Consider the following DataFrame
ssn_data
.
= {"SSN": ["987-65-4321", "forty", \
data "123-45-6789 bro or 321-45-6789",
"999-99-9999"]}
= pd.DataFrame(data) ssn_data
ssn_data
SSN | |
---|---|
0 | 987-65-4321 |
1 | forty |
2 | 123-45-6789 bro or 321-45-6789 |
3 | 999-99-9999 |
"SSN"].str.findall(pattern) ssn_data[
0 [987-65-4321]
1 []
2 [123-45-6789, 321-45-6789]
3 [999-99-9999]
Name: SSN, dtype: object
This function returns a list for every row containing the pattern matches in a given string.
As you may expect, there are similar pandas
equivalents for other re
functions as well. Series.str.extract
takes in a pattern and returns a DataFrame
of each capture group’s first match in the string. In contrast, Series.str.extractall
returns a multi-indexed DataFrame
of all matches for each capture group. You can see the difference in the outputs below:
= r"([0-9]{3})-([0-9]{2})-([0-9]{4})"
pattern_cg "SSN"].str.extract(pattern_cg) ssn_data[
0 | 1 | 2 | |
---|---|---|---|
0 | 987 | 65 | 4321 |
1 | NaN | NaN | NaN |
2 | 123 | 45 | 6789 |
3 | 999 | 99 | 9999 |
"SSN"].str.extractall(pattern_cg) ssn_data[
0 | 1 | 2 | ||
---|---|---|---|---|
match | ||||
0 | 0 | 987 | 65 | 4321 |
2 | 0 | 123 | 45 | 6789 |
1 | 321 | 45 | 6789 | |
3 | 0 | 999 | 99 | 9999 |
Earlier we used parentheses (
)
to specify the highest order of operation in regular expressions. However, they have another meaning; parentheses are often used to represent capture groups. Capture groups are essentially, a set of smaller regular expressions that match multiple substrings in text data.
Let’s take a look at an example.
= "Observations: 03:04:53 - Horse awakens. \
text 03:05:14 - Horse goes back to sleep."
Say we want to capture all occurences of time data (hour, minute, and second) as seperate entities.
= r"(\d\d):(\d\d):(\d\d)"
pattern_1 re.findall(pattern_1, text)
[('03', '04', '53'), ('03', '05', '14')]
Notice how the given pattern has 3 capture groups, each specified by the regular expression (\d\d)
. We then use re.findall
to return these capture groups, each as tuples containing 3 matches.
These regular expression capture groups can be different. We can use the (\d{2})
shorthand to extract the same data.
= r"(\d\d):(\d\d):(\d{2})"
pattern_2 re.findall(pattern_2, text)
[('03', '04', '53'), ('03', '05', '14')]
With the notion of capture groups, convince yourself how the following regular expression works.
= log_lines[0]
first first
'169.237.46.168 - - [26/Jan/2014:10:47:58 -0800] "GET /stat141/Winter04/ HTTP/1.1" 200 2585 "http://anson.ucdavis.edu/courses/"\n'
= r'\[(\d+)\/(\w+)\/(\d+):(\d+):(\d+):(\d+) (.+)\]'
pattern = re.findall(pattern, first)[0]
day, month, year, hour, minute, second, time_zone print(day, month, year, hour, minute, second, time_zone)
26 Jan 2014 10 47 58 -0800
Today, we explored the capabilities of regular expressions in data wrangling with text data. However, there are a few things to be wary of.
Writing regular expressions is like writing a program.
Regular expressions are terrible at certain types of problems:
json.load()
parser, not RegEx!Ultimately, the goal is not to memorize all regular expressions. Rather, the aim is to:
python
and pandas
RegEx methods.