我经常发现自己需要根据特定条件对数据帧应用少量基于规则的转换,通常是具有特定值的固定数量的字段。转换可以修改任意数量的列,通常是一到三个。与数据帧中的总行数相比,这些转换中涉及的行数很小。目前我正在使用ddply
但性能不足,因为ddply
修改了所有行。
我正在寻找一种以优雅、通用的方式解决这个问题的方法,利用仅需要更改少量行的事实。下面是我正在处理的转换类型的简化示例。
df <- data.frame(Product=gl(4,10,labels=c("A","B", "C", "D")),
Year=sort(rep(2002:2011,4)),
Quarter=rep(c("Q1","Q2", "Q3", "Q4"), 10),
Sales=1:40)
> head(df)
Product Year Quarter Sales
1 A 2002 Q1 1
2 A 2002 Q2 2
3 A 2002 Q3 3
4 A 2002 Q4 4
5 A 2003 Q1 5
6 A 2003 Q2 6
>
transformations <- function(df) {
if (df$Year == 2002 && df$Product == 'A') {
df$Sales <- df$Sales + 3
} else if (df$Year == 2009 && df$Product == 'C') {
df$Sales <- df$Sales - 10
df$Product <- 'E'
}
df
}
library(plyr)
df <- ddply(df, .(Product, Year), transformations)
> head(df)
Product Year Quarter Sales
1 A 2002 Q1 4
2 A 2002 Q2 5
3 A 2002 Q3 6
4 A 2002 Q4 7
5 A 2003 Q1 5
6 A 2003 Q2 6
安装硬编码条件我正在使用条件和转换函数的配对列表,例如下面的代码,但这不是一个有意义的改进。
transformation_rules <- list(
list(
condition = function(df) df$Year == 2002 && df$Product == 'A',
transformation = function(df) {
df$Sales <- df$Sales + 3
df
}
)
)
有什么更好的方法来解决这个问题?