让x
成为向量
[1] "hi" "hello" "Nyarlathotep"
是否有可能产生一个向量,让我们说y
,从x
st 它的组件是
[1] "hi" "hello" "Nyarl"
?
换句话说,我需要 R 中的一个命令,它将文本字符串切割成给定的长度(在上面,长度 = 5)。
非常感谢!
substring
比我更明显的是strtrim
:
> x <- c("hi", "hello", "Nyarlathotep")
> x
[1] "hi" "hello" "Nyarlathotep"
> strtrim(x, 5)
[1] "hi" "hello" "Nyarl"
substring
非常适合从给定位置的字符串中提取数据,但strtrim
完全符合您的要求。
第二个参数是widths
and ,它可以是宽度与输入向量长度相同的向量,在这种情况下,每个元素都可以修剪指定的量。
> strtrim(x, c(1, 2, 3))
[1] "h" "he" "Nya"
使用substring
详见?substring
> x <- c("hi", "hello", "Nyarlathotep")
> substring(x, first=1, last=5)
[1] "hi" "hello" "Nyarl"
最后更新
您也可以使用sub
正则表达式
> sub("(.{5}).*", "\\1", x)
[1] "hi" "hello" "Nyarl"
一个(可能)更快的替代方案是sprintf()
:
sprintf("%.*s", 5, x)
[1] "hi" "hello" "Nyarl"