14 Strings - R For Data Science
14 Strings - R For Data Science
14 Strings
You’re reading the first edition of R4DS; for the latest on this topic see the Strings chapter in the second edition.
14.1 Introduction
This chapter introduces you to string manipulation in R. You’ll learn the basics of how strings work and how to create them by hand, but the
focus of this chapter will be on regular expressions, or regexps for short. Regular expressions are useful because strings usually contain
unstructured or semi-structured data, and regexps are a concise language for describing patterns in strings. When you first look at a regexp,
you’ll think a cat walked across your keyboard, but as your understanding improves they will soon start to make sense.
14.1.1 Prerequisites
This chapter will focus on the stringr package for string manipulation, which is part of the core tidyverse.
library(tidyverse)
To include a literal single or double quote in a string you can use \ to “escape” it:
That means if you want to include a literal backslash, you’ll need to double it up: "\\" .
Beware that the printed representation of a string is not the same as string itself, because the printed representation shows the escapes. To see
the raw contents of the string, use writeLines() :
There are a handful of other special characters. The most common are "\n" , newline, and "\t" , tab, but you can see the complete list by
requesting help on " : ?'"' , or ?"'" . You’ll also sometimes see strings like "\u00b5" , this is a way of writing non-English characters that works
on all platforms:
https://r4ds.had.co.nz/strings.html 1/19
8/4/68 16:19 14 Strings | R for Data Science
x <- "\u00b5"
x
#> [1] "µ"
Multiple strings are often stored in a character vector, which you can create with c() :
The common str_ prefix is particularly useful if you use RStudio, because typing str_ will trigger autocomplete, allowing you to see all stringr
functions:
str_c("x", "y")
#> [1] "xy"
str_c("x", "y", "z")
#> [1] "xyz"
Like most other functions in R, missing values are contagious. If you want them to print as "NA" , use str_replace_na() :
As shown above, str_c() is vectorised, and it automatically recycles shorter vectors to the same length as the longest:
Objects of length 0 are silently dropped. This is particularly useful in conjunction with if :
https://r4ds.had.co.nz/strings.html 2/19
8/4/68 16:19 14 Strings | R for Data Science
str_c(
"Good ", time_of_day, " ", name,
if (birthday) " and HAPPY BIRTHDAY",
"."
)
#> [1] "Good morning Hadley."
Note that str_sub() won’t fail if the string is too short: it will just return as much as possible:
str_sub("a", 1, 5)
#> [1] "a"
You can also use the assignment form of str_sub() to modify strings:
14.2.4 Locales
Above I used str_to_lower() to change the text to lower case. You can also use str_to_upper() or str_to_title() . However, changing case
is more complicated than it might at first appear because different languages have different rules for changing case. You can pick which set of
rules to use by specifying a locale:
The locale is specified as a ISO 639 language code, which is a two or three letter abbreviation. If you don’t already know the code for your
language, Wikipedia has a good list. If you leave the locale blank, it will use the current locale, as provided by your operating system.
Another important operation that’s affected by the locale is sorting. The base R order() and sort() functions sort strings using the current
locale. If you want robust behaviour across different computers, you may want to use str_sort() and str_order() which take an additional
locale argument:
https://r4ds.had.co.nz/strings.html 3/19
8/4/68 16:19 14 Strings | R for Data Science
14.2.5 Exercises
1. In code that doesn’t use stringr, you’ll often see paste() and paste0() . What’s the difference between the two functions? What stringr
function are they equivalent to? How do the functions differ in their handling of NA ?
2. In your own words, describe the difference between the sep and collapse arguments to str_c() .
3. Use str_length() and str_sub() to extract the middle character from a string. What will you do if the string has an even number of
characters?
4. What does str_wrap() do? When might you want to use it?
6. Write a function that turns (e.g.) a vector c("a", "b", "c") into the string a, b, and c . Think carefully about what it should do if given a
vector of length 0, 1, or 2.
To learn regular expressions, we’ll use str_view() and str_view_all() . These functions take a character vector and a regular expression, and
show you how they match. We’ll start with very simple regular expressions and then gradually get more and more complicated. Once you’ve
mastered pattern matching, you’ll learn how to apply those ideas with various stringr functions.
The next step up in complexity is . , which matches any character (except a newline):
str_view(x, ".a.")
#> [2] │ <ban>ana
#> [3] │ p<ear>
But if “ . ” matches any character, how do you match the character “ . ”? You need to use an “escape” to tell the regular expression you want to
match it exactly, not use its special behaviour. Like strings, regexps use the backslash, \ , to escape special behaviour. So to match an . , you
need the regexp \. . Unfortunately this creates a problem. We use strings to represent regular expressions, and \ is also used as an escape
symbol in strings. So to create the regular expression \. we need the string "\\." .
https://r4ds.had.co.nz/strings.html 4/19
8/4/68 16:19 14 Strings | R for Data Science
If \ is used as an escape character in regular expressions, how do you match a literal \ ? Well you need to escape it, creating the regular
expression \\ . To create that regular expression, you need to use a string, which also needs to escape \ . That means to match a literal \ you
need to write "\\\\" — you need four backslashes to match one!
x <- "a\\b"
writeLines(x)
#> a\b
str_view(x, "\\\\")
#> [1] │ a<\>b
In this book, I’ll write regular expression as \. and strings that represent the regular expression as "\\." .
14.3.1.1 Exercises
1. Explain why each of these strings don’t match a \ : "\" , "\\" , "\\\" .
3. What patterns will the regular expression \..\..\.. match? How would you represent it as a string?
14.3.2 Anchors
By default, regular expressions will match any part of a string. It’s often useful to anchor the regular expression so that it matches from the start
or end of the string. You can use:
To remember which is which, try this mnemonic which I learned from Evan Misshula: if you begin with power ( ^ ), you end up with money ( $ ).
To force a regular expression to only match a complete string, anchor it with both ^ and $ :
You can also match the boundary between words with \b . I don’t often use this in R, but I will sometimes use it when I’m doing a search in
RStudio when I want to find the name of a function that’s a component of other functions. For example, I’ll search for \bsum\b to avoid
matching summarise , summary , rowsum and so on.
14.3.2.1 Exercises
1. How would you match the literal string "$^$" ?
2. Given the corpus of common words in stringr::words , create regular expressions that find all words that:
Since this list is long, you might want to use the match argument to str_view() to show only the matching or non-matching words.
https://r4ds.had.co.nz/strings.html 5/19
8/4/68 16:19 14 Strings | R for Data Science
[abc] : matches a, b, or c.
Remember, to create a regular expression containing \d or \s , you’ll need to escape the \ for the string, so you’ll type "\\d" or "\\s" .
A character class containing a single character is a nice alternative to backslash escapes when you want to include a single metacharacter in a
regex. Many people find this more readable.
# Look for a literal character that normally has special meaning in a regex
str_view(c("abc", "a.c", "a*c", "a c"), "a[.]c")
#> [2] │ <a.c>
str_view(c("abc", "a.c", "a*c", "a c"), ".[*]c")
#> [3] │ <a*c>
str_view(c("abc", "a.c", "a*c", "a c"), "a[ ]")
#> [4] │ <a >c
This works for most (but not all) regex metacharacters: $ . | ? * + ( ) [ { . Unfortunately, a few characters have special meaning even
inside a character class and must be handled with backslash escapes: ] \ ^ and - .
You can use alternation to pick between one or more alternative patterns. For example, abc|d..f will match either ‘“abc”’, or "deaf" . Note that
the precedence for | is low, so that abc|xyz matches abc or xyz not abcyz or abxyz . Like with mathematical expressions, if precedence ever
gets confusing, use parentheses to make it clear what you want:
14.3.3.1 Exercises
1. Create regular expressions to find all words that:
4. Write a regular expression that matches a word if it’s probably written in British English, not American English.
5. Create a regular expression that will match telephone numbers as commonly written in your country.
14.3.4 Repetition
The next step up in power involves controlling how many times a pattern matches:
? : 0 or 1
+ : 1 or more
* : 0 or more
https://r4ds.had.co.nz/strings.html 6/19
8/4/68 16:19 14 Strings | R for Data Science
Note that the precedence of these operators is high, so you can write: colou?r to match either American or British spellings. That means most
uses will need parentheses, like bana(na)+ .
{n} : exactly n
{n,} : n or more
{,m} : at most m
str_view(x, "C{2}")
#> [1] │ 1888 is the longest year in Roman numerals: MD<CC>CLXXXVIII
str_view(x, "C{2,}")
#> [1] │ 1888 is the longest year in Roman numerals: MD<CCC>LXXXVIII
str_view(x, "C{2,3}")
#> [1] │ 1888 is the longest year in Roman numerals: MD<CCC>LXXXVIII
By default these matches are “greedy”: they will match the longest string possible. You can make them “lazy”, matching the shortest string
possible by putting a ? after them. This is an advanced feature of regular expressions, but it’s useful to know that it exists:
str_view(x, 'C{2,3}?')
#> [1] │ 1888 is the longest year in Roman numerals: MD<CC>CLXXXVIII
str_view(x, 'C[LX]+?')
#> [1] │ 1888 is the longest year in Roman numerals: MDCC<CL>XXXVIII
14.3.4.1 Exercises
1. Describe the equivalents of ? , + , * in {m,n} form.
2. Describe in words what these regular expressions match: (read carefully to see if I’m using a regular expression or a string that defines a
regular expression.)
1. ^.*$
2. "\\{.+\\}"
3. \d{4}-\d{2}-\d{2}
4. "\\\\{4}"
https://r4ds.had.co.nz/strings.html 7/19
8/4/68 16:19 14 Strings | R for Data Science
(Shortly, you’ll also see how they’re useful in conjunction with str_match() .)
14.3.5.1 Exercises
1. Describe, in words, what these expressions will match:
1. (.)\1\1
2. "(.)(.)\\2\\1"
3. (..)\1
4. "(.).\\1.\\1"
5. "(.)(.)(.).*\\3\\2\\1"
2. Contain a repeated pair of letters (e.g. “church” contains “ch” repeated twice.)
3. Contain one letter repeated in at least three places (e.g. “eleven” contains three “e”s.)
14.4 Tools
Now that you’ve learned the basics of regular expressions, it’s time to learn how to apply them to real problems. In this section you’ll learn a
wide array of stringr functions that let you:
A word of caution before we continue: because regular expressions are so powerful, it’s easy to try and solve every problem with a single regular
expression. In the words of Jamie Zawinski:
Some people, when confronted with a problem, think “I know, I’ll use regular expressions.” Now they have two problems.
As a cautionary tale, check out this regular expression that checks if a email address is valid:
https://r4ds.had.co.nz/strings.html 8/19
8/4/68 16:19 14 Strings | R for Data Science
This is a somewhat pathological example (because email addresses are actually surprisingly complex), but is used in real code. See the
stackoverflow discussion at http://stackoverflow.com/a/201378 for more details.
Don’t forget that you’re in a programming language and you have other tools at your disposal. Instead of creating one complex regular
expression, it’s often easier to write a series of simpler regexps. If you get stuck trying to create a single regexp that solves your problem, take a
step back and think if you could break the problem down into smaller pieces, solving each challenge before moving onto the next one.
Remember that when you use a logical vector in a numeric context, FALSE becomes 0 and TRUE becomes 1. That makes sum() and mean()
useful if you want to answer questions about matches across a larger vector:
When you have complex logical conditions (e.g. match a or b but not c unless d) it’s often easier to combine multiple str_detect() calls with
logical operators, rather than trying to create a single regular expression. For example, here are two ways to find all words that don’t contain any
vowels:
The results are identical, but I think the first approach is significantly easier to understand. If your regular expression gets overly complicated, try
breaking it up into smaller pieces, giving each piece a name, and then combining the pieces with logical operations.
A common use of str_detect() is to select the elements that match a pattern. You can do this with logical subsetting, or the convenient
str_subset() wrapper:
words[str_detect(words, "x$")]
#> [1] "box" "sex" "six" "tax"
str_subset(words, "x$")
#> [1] "box" "sex" "six" "tax"
Typically, however, your strings will be one column of a data frame, and you’ll want to use filter instead:
https://r4ds.had.co.nz/strings.html 10/19
8/4/68 16:19 14 Strings | R for Data Science
df <- tibble(
word = words,
i = seq_along(word)
)
df %>%
filter(str_detect(word, "x$"))
#> # A tibble: 4 × 2
#> word i
#> <chr> <int>
#> 1 box 108
#> 2 sex 747
#> 3 six 772
#> 4 tax 841
A variation on str_detect() is str_count() : rather than a simple yes or no, it tells you how many matches there are in a string:
df %>%
mutate(
vowels = str_count(word, "[aeiou]"),
consonants = str_count(word, "[^aeiou]")
)
#> # A tibble: 980 × 4
#> word i vowels consonants
#> <chr> <int> <int> <int>
#> 1 a 1 1 0
#> 2 able 2 2 2
#> 3 about 3 3 2
#> 4 absolute 4 4 4
#> 5 accept 5 2 4
#> 6 account 6 3 4
#> # ℹ 974 more rows
Note that matches never overlap. For example, in "abababa" , how many times will the pattern "aba" match? Regular expressions say two, not
three:
str_count("abababa", "aba")
#> [1] 2
str_view_all("abababa", "aba")
#> Warning: `str_view_all()` was deprecated in stringr 1.5.0.
#> ℹ Please use `str_view()` instead.
#> This warning is displayed once every 8 hours.
#> Call `lifecycle::last_lifecycle_warnings()` to see where this warning was
#> generated.
#> [1] │ <aba>b<aba>
Note the use of str_view_all() . As you’ll shortly learn, many stringr functions come in pairs: one function works with a single match, and the
other works with all matches. The second function will have the suffix _all .
14.4.1.1 Exercises
1. For each of the following challenges, try solving it by using both a single regular expression, and a combination of multiple str_detect()
calls.
https://r4ds.had.co.nz/strings.html 11/19
8/4/68 16:19 14 Strings | R for Data Science
2. Find all words that start with a vowel and end with a consonant.
3. Are there any words that contain at least one of each different vowel?
2. What word has the highest number of vowels? What word has the highest proportion of vowels? (Hint: what is the denominator?)
length(sentences)
#> [1] 720
head(sentences)
#> [1] "The birch canoe slid on the smooth planks."
#> [2] "Glue the sheet to the dark blue background."
#> [3] "It's easy to tell the depth of a well."
#> [4] "These days a chicken leg is a rare dish."
#> [5] "Rice is often served in round bowls."
#> [6] "The juice of lemons makes fine punch."
Imagine we want to find all sentences that contain a colour. We first create a vector of colour names, and then turn it into a single regular
expression:
Now we can select the sentences that contain a colour, and then extract the colour to figure out which one it is:
Note that str_extract() only extracts the first match. We can see that most easily by first selecting all the sentences that have more than 1
match:
str_extract(more, colour_match)
#> [1] "blue" "green" "orange"
This is a common pattern for stringr functions, because working with a single match allows you to use much simpler data structures. To get all
matches, use str_extract_all() . It returns a list:
str_extract_all(more, colour_match)
#> [[1]]
#> [1] "blue" "red"
#>
#> [[2]]
#> [1] "green" "red"
#>
#> [[3]]
#> [1] "orange" "red"
If you use simplify = TRUE , str_extract_all() will return a matrix with short matches expanded to the same length as the longest:
https://r4ds.had.co.nz/strings.html 12/19
8/4/68 16:19 14 Strings | R for Data Science
14.4.2.1 Exercises
1. In the previous example, you might have noticed that the regular expression matched “flickered”, which is not a colour. Modify the regex to
fix the problem.
3. All plurals.
str_extract() gives us the complete match; str_match() gives each individual component. Instead of a character vector, it returns a matrix,
with one column for the complete match followed by one column for each group:
has_noun %>%
str_match(noun)
#> [,1] [,2] [,3]
#> [1,] "the smooth" "the" "smooth"
#> [2,] "the sheet" "the" "sheet"
#> [3,] "the depth" "the" "depth"
#> [4,] "a chicken" "a" "chicken"
#> [5,] "the parked" "the" "parked"
#> [6,] "the sun" "the" "sun"
#> [7,] "the huge" "the" "huge"
#> [8,] "the ball" "the" "ball"
#> [9,] "the woman" "the" "woman"
#> [10,] "a helps" "a" "helps"
(Unsurprisingly, our heuristic for detecting nouns is poor, and also picks up adjectives like smooth and parked.)
If your data is in a tibble, it’s often easier to use tidyr::extract() . It works like str_match() but requires you to name the matches, which are
then placed in new columns:
https://r4ds.had.co.nz/strings.html 13/19
8/4/68 16:19 14 Strings | R for Data Science
Like str_extract() , if you want all matches for each string, you’ll need str_match_all() .
14.4.3.1 Exercises
1. Find all words that come after a “number” like “one”, “two”, “three” etc. Pull out both the number and the word.
2. Find all contractions. Separate out the pieces before and after the apostrophe.
With str_replace_all() you can perform multiple replacements by supplying a named vector:
Instead of replacing with a fixed string you can use backreferences to insert components of the match. In the following code, I flip the order of
the second and third words.
sentences %>%
str_replace("([^ ]+) ([^ ]+) ([^ ]+)", "\\1 \\3 \\2") %>%
head(5)
#> [1] "The canoe birch slid on the smooth planks."
#> [2] "Glue sheet the to the dark blue background."
#> [3] "It's to easy tell the depth of a well."
#> [4] "These a days chicken leg is a rare dish."
#> [5] "Rice often is served in round bowls."
14.4.4.1 Exercises
1. Replace all forward slashes in a string with backslashes.
3. Switch the first and last letters in words . Which of those strings are still words?
14.4.5 Splitting
Use str_split() to split a string up into pieces. For example, we could split sentences into words:
https://r4ds.had.co.nz/strings.html 14/19
8/4/68 16:19 14 Strings | R for Data Science
sentences %>%
head(5) %>%
str_split(" ")
#> [[1]]
#> [1] "The" "birch" "canoe" "slid" "on" "the" "smooth"
#> [8] "planks."
#>
#> [[2]]
#> [1] "Glue" "the" "sheet" "to" "the"
#> [6] "dark" "blue" "background."
#>
#> [[3]]
#> [1] "It's" "easy" "to" "tell" "the" "depth" "of" "a" "well."
#>
#> [[4]]
#> [1] "These" "days" "a" "chicken" "leg" "is" "a"
#> [8] "rare" "dish."
#>
#> [[5]]
#> [1] "Rice" "is" "often" "served" "in" "round" "bowls."
Because each component might contain a different number of pieces, this returns a list. If you’re working with a length-1 vector, the easiest
thing is to just extract the first element of the list:
"a|b|c|d" %>%
str_split("\\|") %>%
.[[1]]
#> [1] "a" "b" "c" "d"
Otherwise, like the other stringr functions that return a list, you can use simplify = TRUE to return a matrix:
sentences %>%
head(5) %>%
str_split(" ", simplify = TRUE)
#> [,1] [,2] [,3] [,4] [,5] [,6] [,7] [,8]
#> [1,] "The" "birch" "canoe" "slid" "on" "the" "smooth" "planks."
#> [2,] "Glue" "the" "sheet" "to" "the" "dark" "blue" "background."
#> [3,] "It's" "easy" "to" "tell" "the" "depth" "of" "a"
#> [4,] "These" "days" "a" "chicken" "leg" "is" "a" "rare"
#> [5,] "Rice" "is" "often" "served" "in" "round" "bowls." ""
#> [,9]
#> [1,] ""
#> [2,] ""
#> [3,] "well."
#> [4,] "dish."
#> [5,] ""
Instead of splitting up strings by patterns, you can also split up by character, line, sentence and word boundary() s:
https://r4ds.had.co.nz/strings.html 15/19
8/4/68 16:19 14 Strings | R for Data Science
14.4.5.1 Exercises
1. Split up a string like "apples, pears, and bananas" into individual components.
3. What does splitting with an empty string ( "" ) do? Experiment, and then read the documentation.
You can use the other arguments of regex() to control details of the match:
ignore_case = TRUE allows characters to match either their uppercase or lowercase forms. This always uses the current locale.
multiline = TRUE allows ^ and $ to match the start and end of each line rather than the start and end of the complete string.
comments = TRUE allows you to use comments and white space to make complex regular expressions more understandable. Spaces are
ignored, as is everything after # . To match a literal space, you’ll need to escape it: "\\ " .
https://r4ds.had.co.nz/strings.html 16/19
8/4/68 16:19 14 Strings | R for Data Science
str_match("514-791-8141", phone)
#> [,1] [,2] [,3] [,4]
#> [1,] "514-791-814" "514" "791" "814"
fixed() : matches exactly the specified sequence of bytes. It ignores all special regular expressions and operates at a very low level. This
allows you to avoid complex escaping and can be much faster than regular expressions. The following microbenchmark shows that it’s about
3x faster for a simple example.
microbenchmark::microbenchmark(
fixed = str_detect(sentences, fixed("the")),
regex = str_detect(sentences, "the"),
times = 20
)
#> Unit: microseconds
#> expr min lq mean median uq max neval
#> fixed 67.556 78.5115 106.4977 95.5790 100.4475 354.591 20
#> regex 233.235 250.6025 284.2976 264.9745 307.7140 459.838 20
Beware using fixed() with non-English data. It is problematic because there are often multiple ways of representing the same character. For
example, there are two ways to define “á”: either as a single character or as an “a” plus an accent:
a1 <- "\u00e1"
a2 <- "a\u0301"
c(a1, a2)
#> [1] "á" "á"
a1 == a2
#> [1] FALSE
They render identically, but because they’re defined differently, fixed() doesn’t find a match. Instead, you can use coll() , defined next, to
respect human character comparison rules:
str_detect(a1, fixed(a2))
#> [1] FALSE
str_detect(a1, coll(a2))
#> [1] TRUE
coll() : compare strings using standard collation rules. This is useful for doing case insensitive matching. Note that coll() takes a locale
parameter that controls which rules are used for comparing characters. Unfortunately different parts of the world use different rules!
Both fixed() and regex() have ignore_case arguments, but they do not allow you to pick the locale: they always use the default locale.
You can see what that is with the following code; more on stringi later.
https://r4ds.had.co.nz/strings.html 17/19
8/4/68 16:19 14 Strings | R for Data Science
stringi::stri_locale_info()
#> $Language
#> [1] "en"
#>
#> $Country
#> [1] "US"
#>
#> $Variant
#> [1] "POSIX"
#>
#> $Name
#> [1] "en_US_POSIX"
The downside of coll() is speed; because the rules for recognising which characters are the same are complicated, coll() is relatively slow
compared to regex() and fixed() .
As you saw with str_split() you can use boundary() to match boundaries. You can also use it with the other functions:
14.5.1 Exercises
1. How would you find all strings containing \ with regex() vs. with fixed() ?
apropos() searches all objects available from the global environment. This is useful if you can’t quite remember the name of the function.
apropos("replace")
#> [1] "%+replace%" "replace" "replace_na" "setReplaceMethod"
#> [5] "str_replace" "str_replace_all" "str_replace_na" "theme_replace"
dir() lists all the files in a directory. The pattern argument takes a regular expression and only returns file names that match the pattern.
For example, you can find all the R Markdown files in the current directory with:
head(dir(pattern = "\\.Rmd$"))
#> [1] "communicate-plots.Rmd" "communicate.Rmd" "datetimes.Rmd"
#> [4] "EDA.Rmd" "explore.Rmd" "factors.Rmd"
(If you’re more comfortable with “globs” like *.Rmd , you can convert them to regular expressions with glob2rx() ):
14.7 stringi
stringr is built on top of the stringi package. stringr is useful when you’re learning because it exposes a minimal set of functions, which have
been carefully picked to handle the most common string manipulation functions. stringi, on the other hand, is designed to be comprehensive. It
contains almost every function you might ever need: stringi has 256 functions to stringr’s 59.
If you find yourself struggling to do something in stringr, it’s worth taking a look at stringi. The packages work very similarly, so you should be
able to translate your stringr knowledge in a natural way. The main difference is the prefix: str_ vs. stri_ .
14.7.1 Exercises
1. Find the stringi functions that:
https://r4ds.had.co.nz/strings.html 18/19
8/4/68 16:19 14 Strings | R for Data Science
2. How do you control the language that stri_sort() uses for sorting?
"R for Data Science" was written by Hadley Wickham and Garrett Grolemund.
https://r4ds.had.co.nz/strings.html 19/19