Vorrei trovare la posizione di un carattere in una stringa.
Dire: string = "the2quickbrownfoxeswere2tired"
Vorrei che la funzione restituisse 4
e 24
- la posizione del carattere della 2
s in string
.
Vorrei trovare la posizione di un carattere in una stringa.
Dire: string = "the2quickbrownfoxeswere2tired"
Vorrei che la funzione restituisse 4
e 24
- la posizione del carattere della 2
s in string
.
Risposte:
Puoi usare gregexpr
gregexpr(pattern ='2',"the2quickbrownfoxeswere2tired")
[[1]]
[1] 4 24
attr(,"match.length")
[1] 1 1
attr(,"useBytes")
[1] TRUE
o forse str_locate_all
dal pacchetto stringr
che è un wrapper per (a partire dalla versione 1.0)gregexpr
stringi::stri_locate_all
stringr
library(stringr)
str_locate_all(pattern ='2', "the2quickbrownfoxeswere2tired")
[[1]]
start end
[1,] 4 4
[2,] 24 24
nota che potresti semplicemente usare stringi
library(stringi)
stri_locate_all(pattern = '2', "the2quickbrownfoxeswere2tired", fixed = TRUE)
Un'altra opzione in base R
sarebbe qualcosa di simile
lapply(strsplit(x, ''), function(x) which(x == '2'))
dovrebbe funzionare (dato un vettore di carattere x
)
regexpr
invece di gregexpr
per ottenere facilmente i numeri interi. Oppure utilizzare unlist
sull'output come indicato in un'altra risposta di seguito.
Ecco un'altra semplice alternativa.
> which(strsplit(string, "")[[1]]=="2")
[1] 4 24
[[1]]
fa?
Puoi rendere l'output solo 4 e 24 usando unlist:
unlist(gregexpr(pattern ='2',"the2quickbrownfoxeswere2tired"))
[1] 4 24
trova la posizione dell'ennesima occorrenza di str2 in str1 (stesso ordine dei parametri di Oracle SQL INSTR), restituisce 0 se non trovato
instr <- function(str1,str2,startpos=1,n=1){
aa=unlist(strsplit(substring(str1,startpos),str2))
if(length(aa) < n+1 ) return(0);
return(sum(nchar(aa[1:n])) + startpos+(n-1)*nchar(str2) )
}
instr('xxabcdefabdddfabx','ab')
[1] 3
instr('xxabcdefabdddfabx','ab',1,3)
[1] 15
instr('xxabcdefabdddfabx','xx',2,1)
[1] 0
Per trovare solo le prime posizioni, utilizza lapply()
con min()
:
my_string <- c("test1", "test1test1", "test1test1test1")
unlist(lapply(gregexpr(pattern = '1', my_string), min))
#> [1] 5 5 5
# or the readable tidyverse form
my_string %>%
gregexpr(pattern = '1') %>%
lapply(min) %>%
unlist()
#> [1] 5 5 5
Per trovare solo le ultime posizioni, utilizza lapply()
con max()
:
unlist(lapply(gregexpr(pattern = '1', my_string), max))
#> [1] 5 10 15
# or the readable tidyverse form
my_string %>%
gregexpr(pattern = '1') %>%
lapply(max) %>%
unlist()
#> [1] 5 10 15
.indexOf()
o qualcosa del genere?