如何改变这个输入(顺序:时间,输入,输出,文件):
Time In Out Files
1 2 3 4
2 3 4 5
到这个输出(序列:时间,输出,输入,文件)?
Time Out In Files
1 3 2 4
2 4 3 5
这是虚拟R数据:
table <- data.frame(Time=c(1,2), In=c(2,3), Out=c(3,4), Files=c(4,5))
table
## Time In Out Files
##1 1 2 3 4
##2 2 3 4 5
得分最高的三个答案都有一个弱点。
如果数据帧是这样的
df <- data.frame(Time=c(1,2), In=c(2,3), Out=c(3,4), Files=c(4,5))
> df
Time In Out Files
1 1 2 3 4
2 2 3 4 5
那么这是一个糟糕的解决方案
> df2[,c(1,3,2,4)]
它完成了这项工作,但是您刚刚引入了对输入中列的顺序的依赖。
这种脆弱的编程风格是要避免的。
显式的列命名是一个更好的解决方案
data[,c("Time", "Out", "In", "Files")]
另外,如果您打算在更通用的设置中重用代码,您可以简单地
out.column.name <- "Out"
in.column.name <- "In"
data[,c("Time", out.column.name, in.column.name, "Files")]
这也很好,因为它完全隔离了字面量。相比之下,如果使用dplyr的select
data <- data %>% select(Time, out, In, Files)
然后你就会让那些以后会阅读你的代码的人,包括你自己,受到一点欺骗。列名被用作字面量,而不会出现在代码中。
你也可以使用子集函数:
data <- subset(data, select=c(3,2,1))
您最好像在其他答案中那样使用[]操作符,但是知道您可以在单个命令中执行子集和列重新排序操作可能会很有用。
更新:
你也可以使用dplyr包中的select函数:
data = data %>% select(Time, out, In, Files)
我不确定效率如何,但由于dplyr的语法,这个解决方案应该更灵活,特别是如果您有很多列。例如,下面将以相反的顺序重新排列mtcars数据集的列:
mtcars %>% select(carb:mpg)
下面只会对一些列进行重新排序,而丢弃其他列:
mtcars %>% select(mpg:disp, hp, wt, gear:qsec, starts_with('carb'))
阅读更多关于dplyr的选择语法。
一个dplyr解决方案(tidyverse包集的一部分)是使用select:
select(table, "Time", "Out", "In", "Files")
# or
select(table, Time, Out, In, Files)
Dplyr 1.0.0版本包含了relocate()函数来轻松地重新排序列:
dat <- data.frame(Time=c(1,2), In=c(2,3), Out=c(3,4), Files=c(4,5))
library(dplyr) # from version 1.0.0 only
dat %>%
relocate(Out, .before = In)
or
dat %>%
relocate(Out, .after = Time)