Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Expand Data Frame

Tags:

r

dplyr

I want to expand a data frame given some conditions. It is a bit similar to this question expand data frames inside data frame, but not quite the same.

I have a data frame:

df = data.frame(ID = c(3,3,3,3, 17,17,17, 74, 74, 210, 210, 210, 210), amount = c(101, 135, 101, 68,  196, 65 ,135, 76, 136, 15, 15, 15 ,15), week.number = c(4, 6, 8, 10, 2, 5, 7, 2, 6, 2, 3, 5, 6))

I want to expand the data frame for each ID, given a min and max week.number, and having 0 in the amount column for this expansion. Min week.number is 1 and max week.number is 10. The expected results would be:

df1 <- data.frame(ID = c(rep(3,10), rep(17, 10), rep(74, 10), rep(210, 10)),
              amount = c(0, 0, 0, 101, 0, 135, 0, 101, 0, 68, 0, 196,
                         0, 0, 65, 0, 135, 0, 0, 0, 0, 76, 0, 0, 0,
                         136, 0, 0, 0, 0, 0, 15, 15, 0, 15, 15, 0, 0,
                         0, 0))

(In reality, I have thousands of ID and week number goes from 1 to 160).

Is there a simple, fast way to do this?

Thank you!

like image 660
Andres Avatar asked Feb 29 '16 20:02

Andres


1 Answers

With data.table (tx to Frank for correcting the length of the result):

require(data.table)
dt<-as.data.table(df)
f<-function(x,y,len=max(y)) {res<-numeric(len);res[y]<-x;res}
dt[,list(amount=f(amount,weeek.number,10)),by=ID]
#     ID amount
# 1:   3      0
# 2:   3      0
# 3:   3      0
# 4:   3    101
# 5:   3      0
# 6:   3    135
# 7:   3      0
# 8:   3    101
# 9:   3      0
#10:   3     68
# ......

Edit

I just noticed that your amount and weeek.number actually define a sparseVector, i.e. a vector made mainly of zeroes where just the indices of the non-zero elements is kept. So, you can try with the Matrix package:

require(Matrix)
dt[,list(as.vector(sparseVector(amount,weeek.number,10))),by=ID]

to get the same result as above.

like image 160
nicola Avatar answered Oct 17 '22 18:10

nicola