56

How to initialize a vector with fixed length in R ??

For example, I want a vector of characters with length of 10??

ToBeGeek
  • 1,105
  • 4
  • 12
  • 20

4 Answers4

74

It's good that you ask because pre-allocating long vectors before for-loops that will be assigning results to long objects are made more efficient by not needing to successively lengthen vectors.

?vector

X <- vector(mode="character", length=10)

This will give you empty strings which get printed as two adjacent double quotes, but be aware that there are no double-quote characters in the values themselves. That's just a side-effect of how print.default displays the values. They can be indexed by location. The number of characters will not be restricted, so if you were expecting to get 10 character element you will be disappointed.

>  X[5] <- "character element in 5th position"

>  X
 [1] ""                                  ""                                 
 [3] ""                                  ""                                 
 [5] "character element in 5th position" ""                                 
 [7] ""                                  ""                                 
 [9] ""                                  "" 
>  nchar(X)
 [1]  0  0  0  0 33  0  0  0  0  0

> length(X)
[1] 10

Technically, lists are "vectors" in R, so this is a recommended (even necessary) practice for constructing lists with for-loops:

obj <- list( length(inp_vec) )
for ( i in seq_along(inp_vec) ){
       obj[[i]] <- some_func( inp_vec[i] )
       }

@Tom reminds us that the default for 'mode' is logical and that R has a fairly rich set of automatic coercion methods, although I find his suggestion vector(,10) to be less clear than would be logical(10) which is its equivalent.

IRTFM
  • 258,963
  • 21
  • 364
  • 487
38

If you want to initialize a vector with numeric values other than zero, use rep

n <- 10
v <- rep(0.05, n)
v

which will give you:

[1] 0.05 0.05 0.05 0.05 0.05 0.05 0.05 0.05 0.05 0.05
Alexander Borochkin
  • 4,249
  • 7
  • 38
  • 53
  • so long as you don't want an empty vector, this syntax is nice and easy for most data types – M.L. Aug 30 '23 at 19:34
12

The initialization method easiest to remember is

vec = vector(,10); #the same as "vec = vector(length = 10);"

The values of vec are: "[1] FALSE FALSE FALSE FALSE FALSE FALSE FALSE FALSE FALSE FALSE" (logical mode) by default.

But after setting a character value, like

vec[2] = 'abc'

vec becomes: "FALSE" "abc" "FALSE" "FALSE" "FALSE" "FALSE" "FALSE" "FALSE" "FALSE" "FALSE"", which is of the character mode.

Tom
  • 3,168
  • 5
  • 27
  • 36
6

Just for the sake of completeness you can just take the wanted data type and add brackets with the number of elements like so:

x <- character(10)

vonjd
  • 4,202
  • 3
  • 44
  • 68