Reputation: 25
I am using gsub regex to select last part of expression
Example:
I created this code that works with first 3 cases but now I have a new request to also work with 5 cases.
gsub(x = match$id,
pattern = "(.*?-)(.*)",
replacement = "\\2")
Can you help me?
Upvotes: 0
Views: 88
Reputation: 269596
Try this regular expression:
sub(".*-(.*-.*)$", "\\1", x)
## [1] "text-01" "xpto-08" "text-04" "morexpto-07" "ready-05"
Other approaches would be:
# 2. use basename/dirname
xx <- gsub("-", "/", x)
paste(basename(dirname(xx)), basename(xx), sep = "-")
## [1] "text-01" "xpto-08" "text-04" "morexpto-07" "ready-05"
# 3. use scan
f <- function(x) {
scan(text = x, what = "", sep = "-", quiet = TRUE) |>
tail(2) |>
paste(collapse = "-")
}
sapply(x, f)
## Bla-text-01 Name-xpto-08 text-text-04
## "text-01" "xpto-08" "text-04"
## new-blaxpto-morexpto-07 new-new-new-bla-ready-05
## "morexpto-07" "ready-05"
Input in reproducible form:
x <- c("Bla-text-01", "Name-xpto-08", "text-text-04", "new-blaxpto-morexpto-07",
"new-new-new-bla-ready-05")
Upvotes: 1
Reputation: 11306
x <- c("Bla-text-01",
"Name-xpto-08",
"text-text-04",
"new-blaxpto-morexpto-07",
"new-new-new-bla-ready-05")
sub("^.*-([^-]*-[^-]*)$", "\\1", x)
## [1] "text-01" "xpto-08" "text-04" "morexpto-07" "ready-05"
Upvotes: 2