我想创建一些data.table
的摘要统计信息,按日期列的月份和年份进行汇总。这就是我的开始:
> head(monthly)
betnr persnr idnum frau gebjahr te_med month tentgelt status
1: 50536344 62181514 40442 1 1960 76.52142 1993-12-01 0.5777598 fire
2: 50536344 62744472 40442 0 1963 76.52142 1993-08-01 0.5777598 fire
3: 50536344 63071749 40442 0 1947 76.52142 1993-12-01 0.5777598 fire
4: 50536344 63385685 40442 1 1946 76.52142 1993-07-01 0.5777598 fire
5: 50536344 63918388 40442 0 1952 76.52142 1993-12-01 0.5777598 fire
6: 50536344 61961225 40442 0 1980 71.90094 1994-12-01 23.1001672 fire
要创建统计信息,我会运行
statistics2 <- monthly[, list(NOBS = .N, MWAGE=mean(tentgelt)), by=list(status, month=format(month, '%m-%Y'))]
这会创建正确的统计信息,但month
列现在包含一个字符串。我通过将日期固定为01
来尝试将类型更改为日期:
x <-apply(statistics2, 1, function(x) paste('01-',x['month'], sep=''))
statistics2[, month:= as.Date(x, '%d-%m-%Y')]
这给了我想要的输出:
> head(statistics2)
status month NOBS MWAGE
1: hire 1993-01-01 37914 0.5820961
2: normal 1993-01-01 790 0.5787695
3: hire 1994-01-01 6471 15.1267445
4: normal 1994-01-01 23931 22.8101928
5: hire 1993-02-01 435 0.5946736
6: normal 1993-02-01 38661 0.5820226
然而,我的整个方法感觉有点笨拙。有没有更简洁的方法来获得所需的输出?
答案 0 :(得分:2)
是的,你可以让它更简单,一气呵成。只需在聚合过程中将整个转换为Date
类
statistics2 <- monthly[, list(NOBS = .N,
MWAGE = mean(tentgelt)),
by = list(status, month = as.Date(format(month, '%Y-%m-01')))]
statistics2
# status month NOBS MWAGE
# 1: fire 1993-12-01 3 0.5777598
# 2: fire 1993-08-01 1 0.5777598
# 3: fire 1993-07-01 1 0.5777598
# 4: fire 1994-12-01 1 23.1001672
一些旁注:
apply
方法不是您应该使用data.table
完成此操作的方法。您只需执行以下操作即可完成最后一步:
statistics2[, month := as.Date(paste0("01-", month), "%d-%m-%Y")]