我想聚合数据表的行,但是aggragation函数取决于列的名称。
例如,如果列名是:
variable1
或variable2
,然后应用mean()
功能。variable3
,然后应用max()
函数。variable4
,然后应用sd()
函数。我的数据表总是有datetime
列:我想按时间汇总行。
但是,“数据”列的数量可能会有所不同。
我知道如何使用相同的聚合函数(例如mean()
)对所有列执行此操作:
dt <- dt[, lapply(.SD, mean),
by = .(datetime = floor_date(datetime, timeStep))]
或仅适用于列的子集:
cols <- c("variable1", "variable2")
dt <- dt[ ,(cols) := lapply(.SD, mean),
by = .(datetime = floor_date(datetime, timeStep)),
.SDcols = cols]
我想做的是:
colsToMean <- c("variable1", "variable2")
colsToMax <- c("variable3")
colsToSd <- c("variable4")
dt <- dt[ ,{(colsToMean) := lapply(.SD???, mean),
(colsToMax) := lapply(.SD???, max),
(colsToSd) := lapply(.SD???, sd)},
by = .(datetime = floor_date(datetime, timeStep)),
.SDcols = (colsToMean, colsToMax, colsToSd)]
我看了data.table in R - apply multiple functions to multiple columns,这让我想到了使用自定义功能:
myAggregate <- function(x, columnName) {
FUN = getAggregateFunction(columnName) # Return mean() or max() or sd()
return FUN(x)
}
dt <- dt[, lapply(.SD, myAggregate, ???columName???),
by = .(datetime = floor_date(datetime, timeStep))]
但我不知道如何将当前列名传递给myAggregate()
...
答案 0 :(得分:5)
以下是使用Map
或mapply
:
让我们先制作一些玩具数据:
dt <- data.table(
variable1 = rnorm(100),
variable2 = rnorm(100),
variable3 = rnorm(100),
variable4 = rnorm(100),
grp = sample(letters[1:5], 100, replace = T)
)
colsToMean <- c("variable1", "variable2")
colsToMax <- c("variable3")
colsToSd <- c("variable4")
然后,
scols <- list(colsToMean, colsToMax, colsToSd)
funs <- rep(c(mean, max, sd), lengths(scols))
# summary
dt[, Map(function(f, x) f(x), funs, .SD), by = grp, .SDcols = unlist(scols)]
# or replace the original values with summary statistics as in OP
dt[, unlist(scols) := Map(function(f, x) f(x), funs, .SD), by = grp, .SDcols = unlist(scols)]
GForce的另一个选择:
scols <- list(colsToMean, colsToMax, colsToSd)
funs <- rep(c('mean', 'max', 'sd'), lengths(scols))
jexp <- paste0('list(', paste0(funs, '(', unlist(scols), ')', collapse = ', '), ')')
dt[, eval(parse(text = jexp)), by = grp, verbose = TRUE]
# Detected that j uses these columns: variable1,variable2,variable3,variable4
# Finding groups using forderv ... 0.000sec
# Finding group sizes from the positions (can be avoided to save RAM) ... 0.000sec
# Getting back original order ... 0.000sec
# lapply optimization is on, j unchanged as 'list(mean(variable1), mean(variable2), max(variable3), sd(variable4))'
# GForce optimized j to 'list(gmean(variable1), gmean(variable2), gmax(variable3), gsd(variable4))'
# Making each group and running j (GForce TRUE) ... 0.000sec