> startsWith('abc', 'a')
[1] TRUE
> startsWith('abc', 'c')
[1] FALSE
> endsWith('abc', 'a')
[1] FALSE
> endsWith('abc', 'c')
[1] TRUE

- 1,951
- 3
- 20
- 39
-
9You could use a regular expression, like `iris[grepl("^Petal",names(iris))]` – thelatemail Jul 17 '15 at 03:00
6 Answers
As added to base
in 3.3.0, startsWith
(and endsWith
) are exactly this.
> startsWith("what", "wha")
[1] TRUE
> startsWith("what", "ha")
[1] FALSE
https://stat.ethz.ch/R-manual/R-devel/library/base/html/startsWith.html

- 6,505
- 4
- 26
- 26
-
2Thanks, ijoseph, please see alexis_laz's comment under the accepted answer. – user2165 Jul 01 '16 at 18:29
-
@Chen - I think it still belongs as an answer, since it's what you were originally looking for. Comments are not set in stone. – Rich Scriven Jul 01 '16 at 18:34
-
1
-
2It was added in 3.3.0: "New string utilities `startsWith(x, prefix)` and `endsWith(x, suffix)`." from the R changelog https://cran.r-project.org/doc/manuals/r-devel/NEWS.html – Frank Jul 30 '18 at 18:18
-
-
1_Related_: the tidyverse package makes this available - str_starts('abc', 'ab' ) # TRUE – Michael Mar 07 '23 at 20:54
Not inbuilt like that.
Options include grepl
and substr
.
x <- 'ABCDE'
grepl('^AB', x) # starts with AB?
grepl('DE$', x) # ends with DE?
substr(x, 1, 2) == 'AB'
substr('ABCDE', nchar(x)-1, nchar(x)) == 'DE'

- 55,977
- 11
- 154
- 194
-
19(just a note) From R 3.3.0, functions `startsWith` and `endsWith` exist. – alexis_laz May 25 '16 at 17:01
The dplyr package's select
statement supports starts_with
and ends_with
. For example, this selects the columns of the iris data frame that start with Petal
library(dplyr)
select(iris, starts_with("Petal"))
select
supports other subcommands too. Try ?select
.

- 254,981
- 17
- 203
- 341
The simplest way I can think of is to use the %like%
operator:
library(data.table)
"foo" %like% "^f"
evaluates as TRUE
- Starting with f
"foo" %like% "o$"
evaluates as TRUE
- Ending with o
"bar" %like% "a"
evaluates as TRUE
- Containing a

- 97,041
- 11
- 181
- 245

- 166
- 1
- 5
This is relatively simple by using the substring function:
> strings = c("abc", "bcd", "def", "ghi", "xyzzd", "a")
> str_to_find = "de"
> substring(strings, 1, nchar(str_to_find)) == str_to_find
[1] FALSE FALSE TRUE FALSE FALSE FALSE
You cut each string to the desired length with substring. The length being the number of characters you are looking for at the beginning of each string.

- 303
- 2
- 5
Borrowing some code from the dplyr
package [see this] you could do something like this:
starts_with <- function(vars, match, ignore.case = TRUE) {
if (ignore.case) match <- tolower(match)
n <- nchar(match)
if (ignore.case) vars <- tolower(vars)
substr(vars, 1, n) == match
}
ends_with <- function(vars, match, ignore.case = TRUE) {
if (ignore.case) match <- tolower(match)
n <- nchar(match)
if (ignore.case) vars <- tolower(vars)
length <- nchar(vars)
substr(vars, pmax(1, length - n + 1), length) == match
}

- 20,243
- 8
- 57
- 116