4

我正在尝试创建一个具有二元响应并一直在使用强制转换的因素列表。

DF2 <- cast(data.frame(DM), id ~ region)
names(DF2)[-1] <- paste("region", names(DF2)[-1], sep = "")

我遇到的问题是响应是答案出现的频率,而我正在寻找它是否匹配。

例如我有:

id region
 1   2
 1   3
 2   2
 3   1
 3   1

我想要的是:

id region1 region2 region3
1   0          1     1
2   0          1     0
3   1          0     0
4

4 回答 4

8

我更喜欢dcastreshape2 :

library(reshape2)
dat <- read.table(text = "id region
 1   2
 1   3
 2   2
 3   1
 3   1",header = TRUE,sep = "")

dcast(dat,id~region,fun.aggregate = function(x){as.integer(length(x) > 0)})

  id 1 2 3
1  1 0 1 1
2  2 0 1 0
3  3 1 0 0

可能有更顺畅的方法可以做到这一点,但老实说,我并不经常施放东西。

于 2012-07-25T21:59:53.020 回答
5

原始数据:

x <- data.frame(id=c(1,1,2,3,3), region=factor(c(2,3,2,1,1)))

> x
  id region
1  1      2
2  1      3
3  2      2
4  3      1
5  3      1

将数据分组:

aggregate(model.matrix(~ region - 1, data=x), x["id"], max)

结果:

  id region1 region2 region3
1  1       0       1       1
2  2       0       1       0
3  3       1       0       0
于 2012-07-25T22:29:34.873 回答
4

这是一种“棘手”的方法,可以在一行中使用table(括号很重要)。假设你data.frame的名字是df

(table(df) > 0)+0
#    region
# id  1 2 3
#   1 0 1 1
#   2 0 1 0
#   3 1 0 0

table(df) > 0给我们TRUEFALSE; 添加+0TRUEand转换FALSE为数字。

于 2012-07-26T03:23:24.117 回答
1

不需要专门的功能:

x <- data.frame(id=1:4, region=factor(c(3,2,1,2)))
x
   id region
1  1      3
2  2      2
3  3      1
4  4      2

x.bin <- data.frame(x$id, sapply(levels(x$region), `==`, x$region))
names(x.bin) <- c("id", paste("region", levels(x$region),sep=''))
x.bin

  id region1 region2 region3
1  1   FALSE   FALSE    TRUE
2  2   FALSE    TRUE   FALSE
3  3    TRUE   FALSE   FALSE
4  4   FALSE    TRUE   FALSE

或者对于整数结果:

x.bin2 <- data.frame(x$id,  
    apply(sapply(levels(x$region), `==`, x$region),2,as.integer)
) 
names(x.bin2) <- c("id", paste("region", levels(x$region),sep=''))
x.bin2


  id region1 region2 region3
1  1       0       0       1
2  2       0       1       0
3  3       1       0       0
4  4       0       1       0
于 2012-07-25T22:16:19.153 回答