A Regular expressions

Some people, when confronted with a problem, think: “I know, I’ll use regular expressions.” Now they have two problems.

This section will give a brief overview on how to write and use a regular expression), often abbreviated regex. Regular expressions are a way to specify or search for patterns of strings using a sequence of characters. By combining a selection of simple patterns, we can capture quite complicated strings.

Many functions in R take advantage of regular expressions. Some examples from base R include grep, grepl, regexpr, gregexpr, sub, gsub, and strsplit, as well as ls and list.files. The stringr package (Wickham 2019) uses regular expressions extensively; the regular expressions are passed as the pattern = argument. Regular expressions can be used to detect, locate, or extract parts of a string.

A.1 Literal characters

The most basic regular expression consists of only a single character. Here let’s detect if each of the following strings in the character vector animals contains the letter “j.”

library(stringr)

animals <- c("jaguar", "jay", "bat")
str_detect(animals, "j")
#> [1]  TRUE  TRUE FALSE

We are also able to extract the match with str_extract. This may not seem too useful right now, but it becomes very helpful once we use more advanced regular expressions.

str_extract(animals, "j")
#> [1] "j" "j" NA

Lastly we are able to locate the position of a match using str_locate.

str_locate(animals, "j")
#>      start end
#> [1,]     1   1
#> [2,]     1   1
#> [3,]    NA  NA

The functions str_detect, str_extract, and str_locate are some of the most simple and powerful main functions in stringr, but the stringr package includes many more functions. To see the remaining functions, run help(package = “stringr”) to open the documentation.

We can also match multiple characters in a row.

animals <- c("jaguar", "jay", "bat")
str_detect(animals, "jag")
#> [1]  TRUE FALSE FALSE

Notice how these characters are case sensitive.

wows <- c("wow", "WoW", "WOW")
str_detect(wows, "wow")
#> [1]  TRUE FALSE FALSE

A.1.1 Meta characters

There are 14 meta characters that carry special meaning inside regular expressions. We need to “escape” them with a backslash if we want to match the literal character (and backslashes need to be doubled in R). Think of “escaping” as stripping the character of its special meaning.

The plus symbol + is one of the special meta characters for regular expressions.

math <- c("1 + 2", "14 + 5", "3 - 5")
str_detect(math, "\\+")
#> [1]  TRUE  TRUE FALSE

If we tried to use the plus sign without escaping it, like "+", we would get an error and this line of code would not run.

The complete list of meta characters is displayed in Table A.1 (Levithan 2012).

TABLE A.1: All meta characters
Description Character
opening square bracket [
closing square bracket ]
backslash \
caret ^
dollar sign $
period/dot .
vertical bar |
question mark ?
asterisk *
plus sign +
opening curly brackets {
closing curly brackets }
opening parentheses (
closing parentheses )

A.2 Full stop, the wildcard

Let’s start with the full stop/period/dot, which acts as a “wildcard.” This means that this character will match anything in place other then a newline character.

strings <- c("cat", "cut", "cue")
str_extract(strings, "c.")
#> [1] "ca" "cu" "cu"
str_extract(strings, "c.t")
#> [1] "cat" "cut" NA

A.3 Character classes

So far we have only been able to match either exact characters or wildcards. Character classes (also called character sets) let us do more than that. A character class allows us to match a character specified inside the class. A character class is constructed with square brackets. The character class [ac] will match either an “a” or a “c.”

strings <- c("a", "b", "c")
str_detect(strings, "[ac]")
#> [1]  TRUE FALSE  TRUE

Spaces inside character classes are meaningful as they are interpreted as literal characters. Thus the character class “[ac]” will match the letter “a” and “c,” while the character class “[a c]” will match the letters “a” and “c” but also a space.

We can use a hyphen character to define a range of characters. Thus [1-5] is the same as [12345].

numbers <- c("1", "2", "3", "4", "5", "6", "7", "8", "9")
str_detect(numbers, "[2-7]")
#> [1] FALSE  TRUE  TRUE  TRUE  TRUE  TRUE  TRUE FALSE FALSE
sentence <- "This is a long sentence with 2 numbers with 1 digits."
str_locate_all(sentence, "[1-2a-b]")
#> [[1]]
#>      start end
#> [1,]     9   9
#> [2,]    30  30
#> [3,]    35  35
#> [4,]    45  45

We can also negate characters in a class with a caret ^. Placing a caret immediately inside the opening square bracket will make the regular expression match anything not inside the class. Thus the regular expression [^ac] will match anything that isn’t the letter “a” or “c.”

strings <- c("a", "b", "c")
str_detect(strings, "[^ac]")
#> [1] FALSE  TRUE FALSE

A.3.1 Shorthand character classes

Certain character classes are so commonly used that they have been predefined with names. A couple of these character classes have even shorter shorthands. The class [:digit:] denotes all the digits 0, 1, 2, 3, 4, 5, 6, 7, 8, and 9 but it can also be described by \\d. Table A.2 presents these useful predefined character classes.

TABLE A.2: All character classes
Description Class
Digits; [0-9] [:digit:] or \\d
Alphabetic characters, uppercase and lowercase [A-z] [:alpha:]
Alphanumeric characters, letters, and digits [A-z0-9] [:alnum:]
Graphical characters [[:alnum:][:punct:]] [:graph:]
Printable characters [[:alnum:][:punct:][:space:]] [:print:]
Lowercase letters [a-z] [:lower:]
Uppercase letters [A-Z] [:upper:]
Control characters such as newline, carriage return, etc. [:cntrl:]
Punctuation characters: !“#$%&’()*+,-./:;<=>?@[]^_`{|}~ [:punct:]
Space and tab [:blank:]
Space, tab, vertical tab, newline, form feed, carriage return [:space:] or \\s
Hexadecimal digits [0-9A-Fa-f] [:xdigit:]
Not space [^[:space:]] \\S
Word characters: letters, digits, and underscores [A-z0-9_] \\w
Non-word characters [^A-z0-9_] \\W
Non-digits [^0-9] \\D

Notice that these shorthands are locale specific. This means that the Danish character ø will be picked up in class [:lower:] but not in the class [a-z] as the character isn’t located between a and z.

A.4 Quantifiers

We can specify how many times we expect something to occur using quantifiers. If we want to find a digit with four numerals, we don’t have to write [:digit:][:digit:][:digit:][:digit:]. Table A.3 shows how to specify repetitions. Notice that ? is shorthand for {0,1}, * is shorthand for {0,}, and + is shorthand for {1,} (Levithan 2012).

TABLE A.3: Regular expression quantifiers
Regex Matches
? zero or one times
* zero or more times
+ one or more times
{n} exactly n times
{n,} at least n times
{n,m} between n and m times

We can detect both color and colour by placing a quantifier after the “u” that detects 0 or 1 times used.

col <- c("colour", "color", "farver")
str_detect(col, "colou?r")
#> [1]  TRUE  TRUE FALSE

And we can extract four-digit numbers using {4}.

sentences <- c("The year was 1776.", "Alexander Hamilton died at 47.")
str_extract(sentences, "\\d{4}")
#> [1] "1776" NA

Sometimes we want the repetition to happen over multiple characters. This can be achieved by wrapping what we want repeated in parentheses. In the following example, we want to match all the instances of “NA” in the string. We put "NA " inside a set of parentheses and + after to make sure we match at least once.

batman <- "NA NA NA NA NA NA NA NA NA NA NA NA NA NA BATMAN!!!"
str_extract(batman, "(NA )+")
#> [1] "NA NA NA NA NA NA NA NA NA NA NA NA NA NA "

However, notice that this also matches the last space, which we don’t want. We can fix this by matching zero or more “NA” followed by exactly 1 “NA.”

batman <- "NA NA NA NA NA NA NA NA NA NA NA NA NA NA BATMAN!!!"
str_extract(batman, "(NA )*(NA){1}")
#> [1] "NA NA NA NA NA NA NA NA NA NA NA NA NA NA"

By default these matches are “greedy,” meaning that they will try to match the longest string possible. We can instead make them “lazy” by placing a ? after, as shown in Table A.4. This will make the regular expressions try to match the shortest string possible instead of the longest.

TABLE A.4: Lazy quantifiers
regex matches
?? zero or one times, prefers 0
*? zero or more times, match as few times as possible
+? one or more times, match as few times as possible
{n}? exactly n times, match as few times as possible
{n,}? at least n times, match as few times as possible
{n,m}? between n and m times, match as few times as possible but at least n

Comparing greedy and lazy matches gives us 3 and 7 “NA”’s, respectively.

batman <- "NA NA NA NA NA NA NA NA NA NA NA NA NA NA BATMAN!!!"
str_extract(batman, "(NA ){3,7}")
#> [1] "NA NA NA NA NA NA NA "
str_extract(batman, "(NA ){3,7}?")
#> [1] "NA NA NA "

A.5 Anchors

The meta characters ^ and $ have special meaning in regular expressions. They force the engine to check the beginning and end of the string, respectively, hence the name anchor. A mnemonic device to remember this is “First you get the power(^) and then you get the money(\$).”

seasons <- c("The summer is hot this year",
             "The spring is a lovely time",
             "Winter is my favorite time of the year",
             "Fall is a time of peace")
str_detect(seasons, "^The")
#> [1]  TRUE  TRUE FALSE FALSE
str_detect(seasons, "year$")
#> [1]  TRUE FALSE  TRUE FALSE

We can also combine the two to match a string completely.

folder_names <- c("analysis", "data-raw", "data", "R")
str_detect(folder_names, "^data$")
#> [1] FALSE FALSE  TRUE FALSE

A.6 Additional resources

This appendix covered some of the basics of getting started with (or refreshed about) regular expressions. If you want to learn more:

References

Levithan, J. G. S. 2012. Regular Expressions Cookbook. Sebastopol: O’Reilly Media, Inc.
Wickham, H. 2019. stringr: Simple, Consistent Wrappers for Common String Operations. R package version 1.4.0. https://CRAN.R-project.org/package=stringr.
Wickham, H., and Grolemund, G. 2017. R for Data Science: Import, Tidy, Transform, Visualize, and Model Data. Sebastopol: O’Reilly Media, Inc.