r4ds/strings.Rmd

545 lines
20 KiB
Plaintext
Raw Normal View History

2015-12-17 07:22:03 +08:00
# Strings
2015-12-12 02:34:20 +08:00
2021-05-04 21:10:39 +08:00
```{r, results = "asis", echo = FALSE}
status("restructuring")
```
2016-07-19 21:01:50 +08:00
## Introduction
2021-12-06 22:41:49 +08:00
So far, you've used a bunch of strings without learning much about the details.
Now it's time to dive into them, learning what makes strings tick, and mastering some of the powerful string manipulation tool you have at your disposal.
We'll begin with the details of creating strings and character vectors.
You'll then learn a grab bag of handy string functions before we dive into creating strings from data.
Next, we'll discuss the basics of regular expressions, a powerful tool for describing patterns in strings, then use those tools to extract data from strings.
The chapter finishes up with a brief discussion where English language expectations might steer you wrong when working with text from other languages.
This chapter is paired with two other chapters.
Regular expression are a big topic, so we'll come back to them again in Chapter \@ref(regular-expressions).
2021-12-03 01:57:51 +08:00
We'll come back to strings again in Chapter \@ref(programming-with-strings) where we'll think about them about more from a programming perspective than a data analysis perspective.
2021-04-22 21:41:06 +08:00
2016-07-19 21:01:50 +08:00
### Prerequisites
2021-12-03 01:57:51 +08:00
In this chapter, we'll use functions from the stringr package.
The equivalent functionality is available in base R (through functions like `grepl()`, `gsub()`, and `regmatches()`) but we think you'll find stringr easier to use because it's been carefully designed to be as consistent as possible.
We'll also work with the babynames dataset since it provides some fun data to apply string manipulation to.
2016-07-19 21:01:50 +08:00
2016-10-04 01:30:24 +08:00
```{r setup, message = FALSE}
library(tidyverse)
2021-04-23 21:07:16 +08:00
library(babynames)
2015-10-21 22:31:15 +08:00
```
2021-12-03 01:57:51 +08:00
You can easily tell when you're using a stringr function because all stringr functions start with `str_`.
This is particularly useful if you use RStudio, because typing `str_` will trigger autocomplete, allowing you jog your memory of which functions are available.
```{r, echo = FALSE}
knitr::include_graphics("screenshots/stringr-autocomplete.png")
```
2021-04-22 01:30:25 +08:00
## Creating a string
2015-10-21 22:31:15 +08:00
2021-04-27 03:49:14 +08:00
We've created strings in passing earlier in the book, but didn't discuss the details.
First, there are two basic ways to create a string: using either single quotes (`'`) or double quotes (`"`).
2021-12-06 22:41:49 +08:00
Unlike other languages, there is no difference in behaviour, but the [tidyverse style guide](https://style.tidyverse.org/syntax.html#character-vectors) recommends using `"`, unless the string contains multiple `"`.
2015-10-26 22:52:24 +08:00
```{r}
2015-10-29 00:03:11 +08:00
string1 <- "This is a string"
string2 <- 'If I want to include a "quote" inside a string, I use single quotes'
2015-10-26 22:52:24 +08:00
```
2016-10-04 22:01:12 +08:00
If you forget to close a quote, you'll see `+`, the continuation character:
> "This is a string without a closing quote
+
+
+ HELP I'M STUCK
2016-10-04 22:01:12 +08:00
2021-12-06 22:41:49 +08:00
If this happen to you and you can't figure out which quote you need to close, press Escape to cancel, and try again.
2021-12-03 01:57:51 +08:00
2021-04-27 03:49:14 +08:00
### Escapes
2016-10-04 22:01:12 +08:00
2015-10-29 00:03:11 +08:00
To include a literal single or double quote in a string you can use `\` to "escape" it:
2015-10-26 22:52:24 +08:00
2015-10-29 00:03:11 +08:00
```{r}
double_quote <- "\"" # or '"'
single_quote <- '\'' # or "'"
```
2015-10-21 22:31:15 +08:00
2021-12-06 22:41:49 +08:00
So if you want to include a literal backslash in your string, you'll need to double it up: `"\\"`:
2015-10-21 22:31:15 +08:00
```{r}
2021-04-27 03:49:14 +08:00
backslash <- "\\"
2015-10-21 22:31:15 +08:00
```
2021-04-27 03:49:14 +08:00
Beware that the printed representation of a string is not the same as string itself, because the printed representation shows the escapes.
2021-12-06 22:41:49 +08:00
To see the raw contents of the string, use `str_view()` [^strings-1]:
2021-12-03 01:57:51 +08:00
2021-12-06 22:41:49 +08:00
[^strings-1]: You can also use the base R function `writeLines()`
2015-10-26 22:52:24 +08:00
2015-10-27 22:33:41 +08:00
```{r}
2021-04-27 03:49:14 +08:00
x <- c(single_quote, double_quote, backslash)
x
str_view(x)
2015-10-26 22:52:24 +08:00
```
2021-04-22 21:41:06 +08:00
### Raw strings
Creating a string with multiple quotes or backslashes gets confusing quickly.
2021-12-03 01:57:51 +08:00
To illustrate the problem, lets create a string that contains the contents of the chunk where I define the `double_quote` and `single_quote` variables:
2015-10-21 22:31:15 +08:00
```{r}
2021-04-22 21:41:06 +08:00
tricky <- "double_quote <- \"\\\"\" # or '\"'
single_quote <- '\\'' # or \"'\""
str_view(tricky)
2015-10-29 00:03:11 +08:00
```
2021-12-03 01:57:51 +08:00
That's a lot of backslashes!
2021-12-06 22:41:49 +08:00
(I like the evocative name for this problem: [leaning toothpick syndome](https://en.wikipedia.org/wiki/Leaning_toothpick_syndrome))
2021-12-03 01:57:51 +08:00
2021-12-06 22:41:49 +08:00
To eliminate the escaping you can instead use a **raw string**[^strings-2]:
2021-04-27 03:49:14 +08:00
2021-12-06 22:41:49 +08:00
[^strings-2]: Available in R 4.0.0 and above.
2015-10-29 00:03:11 +08:00
```{r}
2021-04-22 21:41:06 +08:00
tricky <- r"(double_quote <- "\"" # or '"'
2021-12-06 22:41:49 +08:00
single_quote <- '\'' # or "'")"
2021-04-22 21:41:06 +08:00
str_view(tricky)
2015-10-23 02:17:00 +08:00
```
2021-12-03 01:57:51 +08:00
A raw string usually starts with `r"(` and finishes with `)"`.
But if your string contains `)"` you can instead use `r"[]"` or `r"{}"`, and if that's still not enough, you can insert any number of dashes to make the opening and closing pairs unique, e.g. `` `r"--()--" ``, `` `r"---()---" ``, etc. Raw strings are flexible enough to handle any text.
2021-04-22 01:30:25 +08:00
2021-04-22 21:41:06 +08:00
### Other special characters
2015-11-09 20:32:56 +08:00
2021-12-03 01:57:51 +08:00
As well as `\"`, `\'`, and `\\` there are a handful of other special characters that may come in handy. The most common are `\n`, newline, and `\t`, tab, but you can see the complete list in `?'"'`.
2021-04-27 03:49:14 +08:00
You'll also sometimes see strings containing Unicode escapes that start with `\u` or `\U`.
This is a way of writing non-English characters that works on all systems:
2021-04-22 21:41:06 +08:00
```{r}
2021-04-27 03:49:14 +08:00
x <- c("\u00b5", "\U0001f604")
2021-04-22 21:41:06 +08:00
x
2021-04-27 03:49:14 +08:00
str_view(x)
2015-11-09 20:32:56 +08:00
```
2015-10-27 22:33:41 +08:00
### Vectors
You can combine multiple strings into a character vector by using `c()`:
```{r}
x <- c("first string", "second string", "third string")
x
```
2021-12-06 22:41:49 +08:00
Technically, a string is a length-1 character vector, but this doesn't have much bearing on your data analysis live.
If needed, you can create a length zero character vector with `character()`.
This is not generally very useful, but because it's the shortest possible vector, it can sometimes be useful for determining the general pattern of a function by feeding it an extreme.
Now that you've learned the basics of creating strings by "hand", we'll go into the details of creating strings from other strings, starting with a grab bag of small, but useful functions.
### Exercises
## Handy functions
### Length
2021-04-22 21:41:06 +08:00
2021-12-06 22:41:49 +08:00
It's often natural to think about the letters that make up an individual string.
`str_length()` tells you the length of a string:
2021-04-22 21:41:06 +08:00
```{r}
str_length(c("a", "R for data science", NA))
```
2015-10-23 02:17:00 +08:00
2021-12-06 22:41:49 +08:00
You could use this with `count()` to find the distribution of lengths of US babynames, and then with `filter()` to look at the longest names[^strings-3]:
2021-12-03 01:57:51 +08:00
2021-12-06 22:41:49 +08:00
[^strings-3]: Looking at these entries, I'd say the babynames data removes spaces or hyphens from names and truncates after 15 letters.
2021-04-23 21:07:16 +08:00
```{r}
babynames %>%
2021-04-27 03:49:14 +08:00
count(length = str_length(name), wt = n)
2021-04-27 21:41:47 +08:00
babynames %>%
filter(str_length(name) == 15) %>%
count(name, wt = n, sort = TRUE)
2021-04-23 21:07:16 +08:00
```
2021-12-06 22:41:49 +08:00
### Long strings
Sometimes the reason you care about the length of a string is because you're trying to fit it into a label on a plot or in a table.
stringr provides two useful tools for cases where your string is too long:
- `str_trunc(x, 20)` ensures that no string is longer than 20 characters, replacing any thing too long with `…`.
- `str_wrap(x, 20)` wraps a string introducing new lines so that each line is at most 20 characters (it doesn't hyphenate, however, so any word longer than 20 characters will make a longer time)
```{r}
x <- "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat."
str_trunc(x, 30)
str_view(str_wrap(x, 30))
```
### Subsetting
2021-04-27 21:41:47 +08:00
You can extract parts of a string using `str_sub(string, start, end)`.
The `start` and `end` arguments are inclusive, so the length of the returned string will be `end - start + 1`:
2015-10-23 02:17:00 +08:00
```{r}
x <- c("Apple", "Banana", "Pear")
2015-10-23 02:17:00 +08:00
str_sub(x, 1, 3)
2021-04-27 03:49:14 +08:00
```
You can use negative values to count back from the end of the string: -1 is the last character, -2 is the second to last character, etc.
```{r}
2015-10-23 02:17:00 +08:00
str_sub(x, -3, -1)
```
2021-04-27 03:49:14 +08:00
Note that `str_sub()` won't fail if the string is too short: it will just return as much as possible:
```{r}
str_sub("a", 1, 5)
```
We could use `str_sub()` with `mutate()` to find the first and last letter of each name:
2021-04-23 21:07:16 +08:00
```{r}
babynames %>%
mutate(
first = str_sub(name, 1, 1),
last = str_sub(name, -1, -1)
)
```
### Exercises
1. Use `str_length()` and `str_sub()` to extract the middle letter from each baby name. What will you do if the string has an even number of characters?
2021-12-06 22:41:49 +08:00
2. Are there any major trends in the length of babynames over time? What about the popularity of first and last letters?
2021-12-03 01:57:51 +08:00
2021-12-06 22:41:49 +08:00
## Creating strings from data
2021-12-03 01:57:51 +08:00
There are two ways in which you might want to combine strings.
You might have a few character vectors which you want to combine together creating a new vector.
Or you might have a single vector that you want to collapse down into a single string.
2021-12-06 22:41:49 +08:00
### `str_c()`
2021-12-03 01:57:51 +08:00
2021-12-06 22:41:49 +08:00
Use `str_c()`[^strings-4] to join together multiple character vectors into a single vector:
2021-12-03 01:57:51 +08:00
2021-12-06 22:41:49 +08:00
[^strings-4]: `str_c()` is very similar to the base `paste0()`.
There are two main reasons I recommend: it obeys the usual rules for handling `NA` and it uses the tidyverse recycling rules.
2021-12-03 01:57:51 +08:00
```{r}
str_c("x", "y")
str_c("x", "y", "z")
```
2021-12-06 22:41:49 +08:00
`str_c()` is designed to be used with `mutate()` so it obeys the usual tidyverse recycling and missing value rules:
2021-12-03 01:57:51 +08:00
```{r}
2021-12-06 22:41:49 +08:00
df <- tibble(name = c("Timothy", "Dewey", "Mable", NA))
df %>% mutate(greeting = str_c("Hi ", name, "!"))
2021-12-03 01:57:51 +08:00
```
2021-12-06 22:41:49 +08:00
If you want missing values to display in some other way, use `coalesce()` either inside or outside of `str_c()`:
```{r}
2021-12-06 22:41:49 +08:00
df %>% mutate(
greeting1 = str_c("Hi ", coalesce(name, "you"), "!"),
greeting2 = coalesce(str_c("Hi ", name, "!"), "Hi!")
)
```
2021-12-06 22:41:49 +08:00
### `str_glue()`
2021-12-03 01:57:51 +08:00
2021-12-06 22:41:49 +08:00
One of the downsides of `str_c()` is that you have to constantly open and close the string in order to include variables.
An alternative approach is provided by the glue package with `str_glue()`[^strings-5] .
Glue works a little differently to `str_c()`: you give it a single string that uses `{}` to indicate where variables should be evaluated:
2021-12-03 01:57:51 +08:00
2021-12-06 22:41:49 +08:00
[^strings-5]: If you're not using stringr, you can also access it directly with `glue::glue().`
2021-12-03 01:57:51 +08:00
```{r}
2021-12-06 22:41:49 +08:00
df %>% mutate(greeting = str_glue("Hi {name}!"))
2021-12-03 01:57:51 +08:00
```
You can use any valid R code inside of `{}`, but it's a good idea to pull complex calculations out into their own variables so you can more easily check your work.
2021-12-06 22:41:49 +08:00
Currently, `str_glue()` is slightly inconsistent `str_c()` but we'll hopefully fix that by the time the book is printed: <https://github.com/tidyverse/glue/issues/246>
2021-12-03 01:57:51 +08:00
### `str_flatten()`
2021-04-22 21:41:06 +08:00
2021-12-06 22:41:49 +08:00
`str_c()` and `glue()` are work well with `mutate()` because the output is the same length as the input.
What if you want a function that works well with `summarise()`, a function who's output is always length 1, regardless of the length of the input?
That's the job of `str_flatten()`:[^strings-6] it takes a character vector and always returns a single string:
2021-12-03 01:57:51 +08:00
2021-12-06 22:41:49 +08:00
[^strings-6]: The base R equivalent is `paste()` with the `collapse` argument set.
2021-04-22 21:41:06 +08:00
2021-04-27 03:49:14 +08:00
```{r}
str_flatten(c("x", "y", "z"))
2021-04-27 21:41:47 +08:00
str_flatten(c("x", "y", "z"), ", ")
2021-12-03 01:57:51 +08:00
str_flatten(c("x", "y", "z"), ", ", last = ", and ")
2021-04-27 03:49:14 +08:00
```
2021-04-22 21:41:06 +08:00
2021-12-06 22:41:49 +08:00
Which makes it work well with `summarise()`:
2021-04-27 03:49:14 +08:00
```{r}
df <- tribble(
~ name, ~ fruit,
"Carmen", "banana",
"Carmen", "apple",
"Marvin", "nectarine",
"Terence", "cantaloupe",
"Terence", "papaya",
"Terence", "madarine"
)
df %>%
group_by(name) %>%
summarise(fruits = str_flatten(fruit, ", "))
```
2015-10-23 02:17:00 +08:00
2021-12-03 01:57:51 +08:00
### Exercises
1. Compare and contrast the results of `paste0()` with `str_c()` for the following inputs:
2021-12-03 01:57:51 +08:00
```{r, eval = FALSE}
str_c("hi ", NA)
str_c("hi ", character())
str_c(letters[1:2], letters[1:3])
```
2. What does `str_flatten()` return if you give it a length 0 character vector?
## Working with patterns
2021-12-06 22:41:49 +08:00
Before we can discuss the opposite problem of extracting data out of strings, we need to take a quick digression to talk about **regular expressions**.
Regular expressions are a very concise language for describing patterns in strings.
### Detect matches
2015-10-21 22:31:15 +08:00
To determine if a character vector matches a pattern, use `str_detect()`.
It returns a logical vector the same length as the input:
2015-10-23 02:17:00 +08:00
```{r}
x <- c("apple", "banana", "pear")
str_detect(x, "e")
```
2021-04-27 21:41:47 +08:00
This makes it a logical pairing with `filter()`.
The following example returns all names that contain a lower-case "x":
2015-10-21 22:31:15 +08:00
2015-10-29 23:13:19 +08:00
```{r}
2021-04-27 03:49:14 +08:00
babynames %>% filter(str_detect(name, "x"))
2015-10-29 23:13:19 +08:00
```
2021-04-27 03:49:14 +08:00
Remember that when you use a logical vector in a numeric context, `FALSE` becomes 0 and `TRUE` becomes 1.
2021-04-27 21:41:47 +08:00
That means you can use `summarise()` with `sum()` or `mean()` and `str_detect()` if you want to answer questions about the prevalence of patterns.
For example, the following snippet, gives the proportion of names containing an "x" by year:
2016-08-13 00:28:16 +08:00
2021-04-27 21:41:47 +08:00
```{r, fig.alt = "A timeseries showing the proportion of baby names that contain the letter x. The proportion declines gradually from 8 per 1000 in 1880 to 4 per 1000 in 1980, then increases rapidly to 16 per 1000 in 2019."}
2021-04-23 21:07:16 +08:00
babynames %>%
2021-04-27 03:49:14 +08:00
group_by(year) %>%
2021-04-27 21:41:47 +08:00
summarise(prop_x = mean(str_detect(name, "x"))) %>%
ggplot(aes(year, prop_x)) +
geom_line()
2016-08-13 00:28:16 +08:00
```
2021-04-27 03:49:14 +08:00
(Note that this gives us the proportion of names that contain an x; if you wanted the proportion of babies given a name containing an x, you'd need to perform a weighted mean).
### Introduction to regular expressions
2021-04-27 03:49:14 +08:00
To understand what's going on, we need to discuss what the second argument to `str_detect()` really is.
It looks like a simple string, but it's pattern actually a much richer tool called a **regular expression**.
2021-04-27 21:41:47 +08:00
A regular expression uses special characters to match string patterns.
For example, `.` will match any character, so `"a."` will match any string that contains an a followed by another character:
2021-04-27 03:49:14 +08:00
```{r}
2021-04-27 21:41:47 +08:00
str_detect(c("a", "ab", "ae", "bd", "ea", "eab"), "a.")
2021-04-27 03:49:14 +08:00
```
2021-04-27 21:41:47 +08:00
`str_view()` shows you regular expressions to help understand what's happening:
2021-04-27 03:49:14 +08:00
```{r}
2021-04-27 21:41:47 +08:00
str_view(c("a", "ab", "ae", "bd", "ea", "eab"), "a.")
2021-04-27 03:49:14 +08:00
```
2021-04-27 21:41:47 +08:00
Regular expressions are a powerful and flexible language which we'll come back to in Chapter \@ref(regular-expressions).
Here we'll use only the most important components of the syntax as you learn the other stringr tools for working with patterns.
There are three useful **quantifiers** that can be applied to other pattern: `?` makes a pattern option (i.e. it matches 0 or 1 times), `+` lets a pattern repeat (ie. it matches at least once), and `*` lets a pattern be optional or repeat (i.e. it matches any number of times, including 0).
- `ab?` match an "a", optionally followed by a b
- `ab+` matches an "a", followed by at least one b
- `ab*` matches an "a", followed by any number of bs
There are various alternatives to `.` that match a restricted set of characters.
One useful operator is the **character class:** `[abcd]` match "a", "b", "c", or "d"; `[^abcd]` matches anything **except** "a", "b", "c", or "d".
You can opt-out of the regular expression rules by using `fixed`:
2021-04-27 03:49:14 +08:00
```{r}
2021-04-27 21:41:47 +08:00
str_view(c("", "a", "."), fixed("."))
2021-04-27 03:49:14 +08:00
```
2021-04-27 21:41:47 +08:00
Note that both fixed strings and regular expressions are case sensitive by default.
You can opt out by setting `ignore_case = TRUE`.
2021-04-27 03:49:14 +08:00
2021-04-27 21:41:47 +08:00
```{r}
str_view_all("x X xy", "X")
str_view_all("x X xy", fixed("X", ignore_case = TRUE))
str_view_all("x X xy", regex(".Y", ignore_case = TRUE))
```
2021-04-27 03:49:14 +08:00
2021-04-27 21:41:47 +08:00
We'll come back to case later, because it's not trivial for many languages.
2021-04-27 03:49:14 +08:00
2021-12-06 22:41:49 +08:00
### Count matches
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:
```{r}
str_count(x, "p")
```
It's natural to use `str_count()` with `mutate()`:
```{r}
babynames %>%
count(name) %>%
mutate(
vowels = str_count(name, "[aeiou]"),
consonants = str_count(name, "[^aeiou]")
)
```
```{r}
babynames %>%
count(name, wt = n) %>%
mutate(
vowels = str_count(name, regex("[aeiouy]", ignore_case = TRUE)),
consonants = str_count(name, regex("[^aeiouy]", ignore_case = TRUE)),
ratio = vowels / consonants
)
```
### Replace matches
2021-04-22 01:30:25 +08:00
`str_replace_all()` allow you to replace matches with new strings.
The simplest use is to replace a pattern with a fixed string:
```{r}
x <- c("apple", "pear", "banana")
str_replace_all(x, "[aeiou]", "-")
```
2021-04-22 21:41:06 +08:00
With `str_replace_all()` you can perform multiple replacements by supplying a named vector.
The name gives a regular expression to match, and the value gives the replacement.
2021-04-22 01:30:25 +08:00
```{r}
2021-04-22 21:41:06 +08:00
x <- c("1 house", "1 person has 2 cars", "3 people")
2021-04-22 01:30:25 +08:00
str_replace_all(x, c("1" = "one", "2" = "two", "3" = "three"))
```
2021-04-27 03:49:14 +08:00
`str_remove_all()` is a short cut for `str_replace_all(x, pattern, "")` --- it removes matching patterns from a string.
2021-04-22 21:41:06 +08:00
Use in `mutate()`
2021-04-27 21:41:47 +08:00
Using pipe inside mutate.
Recommendation to make a function, and think about testing it --- don't need formal tests, but useful to build up a set of positive and negative test cases as you.
### Exercises
1. What word has the highest number of vowels?
What word has the highest proportion of vowels?
(Hint: what is the denominator?)
2021-04-21 21:43:19 +08:00
2. For each of the following challenges, try solving it by using both a single regular expression, and a combination of multiple `str_detect()` calls.
2021-04-22 21:41:06 +08:00
a. Find all words that start or end with `x`.
b. Find all words that start with a vowel and end with a consonant.
c. Are there any words that contain at least one of each different vowel?
2021-04-23 21:07:16 +08:00
3. Replace all forward slashes in a string with backslashes.
2015-11-05 22:10:27 +08:00
4. Implement a simple version of `str_to_lower()` using `str_replace_all()`.
2015-11-05 22:10:27 +08:00
5. Switch the first and last letters in `words`.
Which of those strings are still `words`?
2021-12-06 22:41:49 +08:00
## Extract data from strings
Common for multiple variables worth of data to be stored in a single string.
In this section you'll learn how to use various functions tidyr to extract them.
Waiting on: <https://github.com/tidyverse/tidyups/pull/15>
## Locale dependent operations {#other-languages}
2015-11-05 22:10:27 +08:00
So far all of our examples have been using English.
The details of the many ways other languages are different to English are too diverse to detail here, but I wanted to give a quick outline of the functions who's behaviour differs based on your **locale**, the set of settings that vary from country to country.
2021-04-28 21:43:44 +08:00
- Words are broken up by spaces.
- Words are composed of individual spaces.
- All letters in a word are written down.
2015-10-23 02:17:00 +08:00
2021-12-06 22:41:49 +08:00
The locale is usually a ISO 639 language code, which is a two or three letter abbreviation like "en" for English, "fr" for French, and "es" for Spanish.
If you don't already know the code for your language, [Wikipedia](https://en.wikipedia.org/wiki/List_of_ISO_639-1_codes) has a good list, and you can see which are supported with `stringi::stri_locale_list()`.
2021-04-23 21:07:16 +08:00
Base R string functions automatically use your locale current locale, but stringr functions all default to the English locale.
2021-04-28 21:43:44 +08:00
This ensures that your code works the same way on every system, avoiding subtle bugs.
To choose a different locale you'll need to specify the `locale` argument; seeing that a function has a locale argument tells you that its behaviour will differ from locale to locale.
2021-04-28 21:43:44 +08:00
2021-12-06 22:41:49 +08:00
Here are a few places where locale matter:
2021-04-23 21:07:16 +08:00
2021-12-06 22:41:49 +08:00
- Upper and lower case: only relatively few languages have upper and lower case (Latin, Greek, and Cyrillic, plus a handful of lessor known languages).
The rules are not te same in every language that uses these alphabets.
For example, Turkish has two i's: with and without a dot, and it has a different rule for capitalising them:
2021-04-28 21:43:44 +08:00
```{r}
str_to_upper(c("i", "ı"))
str_to_upper(c("i", "ı"), locale = "tr")
```
- This also affects case insensitive matching with `coll(ignore_case = TRUE)` which you can control with `coll()`:
2015-10-23 02:17:00 +08:00
```{r}
i <- c("Iİiı")
str_view_all(i, coll("i", ignore_case = TRUE))
str_view_all(i, coll("i", ignore_case = TRUE, locale = "tr"))
```
- Many characters with diacritics can be recorded in multiple ways: these will print identically but won't match with `fixed()`.
2015-11-05 22:10:27 +08:00
```{r}
a1 <- "\u00e1"
a2 <- "a\u0301"
c(a1, a2)
a1 == a2
2015-11-02 10:59:18 +08:00
str_view(a1, fixed(a2))
str_view(a1, coll(a2))
```
2015-10-23 02:17:00 +08:00
2021-12-06 22:41:49 +08:00
- 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.
Here's an example: in Czech, "ch" is a digraph that appears after `h` in the alphabet.
```{r}
str_sort(c("a", "c", "ch", "h", "z"))
str_sort(c("a", "c", "ch", "h", "z"), locale = "cs")
```
Danish has a similar problem.
Normally, characters with diacritic sorts after the plain character.
But in Danish ø and å are letters that come at the end of the alphabet:
2015-11-05 22:10:27 +08:00
```{r}
2021-12-06 22:41:49 +08:00
str_sort(c("a", "å", "o", "ø", "z"))
str_sort(c("a", "å", "o", "ø", "z"), locale = "da")
```
2015-11-05 22:10:27 +08:00
TODO after dplyr 1.1.0: discuss `arrange()`