How to create a function that accepts as an argument an n- dimensional vector and will return the vector (x1,x2^2,..xn^n) in R

162 Views Asked by At

How can I create a function that accepts as an argument an n- dimensional vector that will return (x1, x2^2, ..., xn^n) in R.

1

There are 1 best solutions below

3
On

Do you mean something like this? An extension of @JohnColeman's comment. This will use cbind to make a 2-dimensional matrix that contains both the n-dimensional input vector and the resulting product.

examplefun <- function(x) {
  cbind(seq_along(x), x^seq_along(x))
}

# test function
examplefun(1:7)

#     [,1]   [,2]
# [1,]    1      1
# [2,]    2      4
# [3,]    3     27
# [4,]    4    256
# [5,]    5   3125
# [6,]    6  46656
# [7,]    7 823543

If you just want the product:

examplefun <- function(x) {
  x^seq_along(x)
}
example fun(1:7)
# [1]      1      4     27    256   3125  46656 823543