3

我有这个data.frame

  id  |  amount1  | amount2  |  day1  |  day2
 ---------------------------------------------
  A   |    10     |    32    |   0    |   34
  B   |    54     |    44    |   8    |   43
  C   |    45     |    66    |   16   |   99    

df <- data.frame(id=c('A','B','C'), amount1=c(10,54,45), amount2=c(32,44,66),  day1=c(0,8,16), day2=c(34,43,99))

我想要apply一个函数

df$res <-  apply(df, 1, myfunc)

在哪里

myfunc <- function(x,y) sum(x) * mean(y)

只有我想将列变量作为参数传递给函数,所以它基本上应该读取

 apply(df, 1, myfunc, c(amount1, amount2), c(day1, day2))

对于第一行,这是

myfunc(c(10,32),c(0,34))
# [1] 714

这可以做到吗?

4

3 回答 3

4

data.table解决方案。

require(data.table)
dt <- data.table(df) # don't depend on `id` column as it may not be unique
# instead use 1:nrow(dt) in `by` argument
dt[, res := myfunc(c(amount1,amount2), c(day1, day2)), by=1:nrow(dt)]
> dt
#    id amount1 amount2 day1 day2    res
# 1:  A      10      32    0   34  714.0
# 2:  B      54      44    8   43 2499.0
# 3:  C      45      66   16   99 6382.5

当您有很多days列要使用of 并与of andmean相乘时,我会以这种方式进行操作,而不使用. 但是如果你真的需要一个函数,它应该很容易实现。sumamount1amount2myfunc

# dummy example
set.seed(45)
df <- data.frame(matrix(sample(1:100, 200, replace=T), ncol=10))
names(df) <- c(paste0("amount", 1:2), paste0("day", 1:8))
df$idx <- 1:nrow(df) # idx column for uniqueness

# create a data.table
require(data.table)
calc_res <- function(df) {
    dt <- data.table(df)
    # first get the mean
    id1 <- setdiff(names(dt), grep("day", names(dt), value=TRUE))
    dt[, res := rowMeans(.SD), by=id1]
    # now product of sum(amounts) and current res
    id2 <- setdiff(names(dt), names(dt)[1:2])
    dt[, res := sum(.SD) * res, by=id2]
}
dt.fin <- calc_res(df)
于 2013-01-21T15:36:08.987 回答
3

像这样:

df$res <- apply(df, 1, function(x) myfunc(as.numeric(x[c("amount1", "amount2")]),
                                          as.numeric(x[c("day1", "day2")])))

但考虑plyr::adply作为替代方案:

library(plyr)
adply(df, 1, transform, res = myfunc(c(amount1, amount2), c(day1, day2)))
#   id amount1 amount2 day1 day2    res
# 1  A      10      32    0   34  714.0
# 2  B      54      44    8   43 2499.0
# 3  C      45      66   16   99 6382.5
于 2013-01-21T15:23:47.697 回答
1

这适用于您的示例。也许相同的技术可以用于真正的问题:

> apply(df[-1], 1, function(x) myfunc(x[1:2], x[3:4]))
## [1]  714.0 2499.0 6382.5

正如 florel 所指出的,最好使用其中一项子集操作的名称,以确保只有这些列用于应用。需要一个子集来防止传递的向量apply被转换为字符,并且明确指定列意味着数据框中的附加列不会导致此问题。

apply(df[c("amount1", "amount2", "day1", "day2")], 1, 
      function(x) myfunc(x[1:2], x[3:4])
     )

在实践中,我更有可能编写如下代码:

amount <- c("amount1", "amount2")
day    <- c("day1", "day2")

df$res <- apply(df[c(amount, day)], 1, function(x) myfunc(x[amount], x[day]))
于 2013-01-21T15:13:16.993 回答