将 vector 转换为类似矩阵的对象时遇到麻烦。乍一看,这肯定是一个非常简单的问题,但是我还没有解决。
问题的描述:
我有一些长 vector ,类似于下面提到的一个:
m <- c("100€", "25m²", "2 rooms", "12m²", "4 rooms", "500€", "3 rooms")
我希望将其传输到以下结构的data.frame(或矩阵)中:
price surface rooms
100€ 25m² 2 rooms
NA 12m² 4 rooms
500€ NA 3 rooms
最佳答案
您可以尝试执行以下操作,分别计算列索引和行索引,然后使用索引将 vector 分配给矩阵:
col <- ifelse(grepl("€", m), 1, ifelse(grepl("m²", m), 2, 3))
col
# [1] 1 2 3 2 3 1 3
row <- cumsum(c(T, diff(col) < 0)) # calculate the row index based on the column index,
# when you encounter a decrease of the column index,
# increase the row index by one
row
# [1] 1 1 1 2 2 3 3
mat <- matrix(nrow = max(row), ncol = max(col))
mat[cbind(row, col)] <- m
mat
# [,1] [,2] [,3]
#[1,] "100€" "25m²" "2 rooms"
#[2,] NA "12m²" "4 rooms"
#[3,] "500€" NA "3 rooms"
关于r - 将向量转换为类似矩阵的对象,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39859796/