如何从R data.frame获取行

Wil*_*ass 96 indexing r dataframe

我有一个带有列标题的data.frame.

如何从data.frame获取特定行作为列表(列标题作为列表的键)?

具体来说,我的data.frame是

      A    B    C
    1 5    4.25 4.5
    2 3.5  4    2.5
    3 3.25 4    4
    4 4.25 4.5  2.25
    5 1.5  4.5  3

我希望得到一个相当于的行

> c(a=5, b=4.25, c=4.5)
  a   b   c 
5.0 4.25 4.5 
Run Code Online (Sandbox Code Playgroud)

Mat*_*ker 120

x[r,]
Run Code Online (Sandbox Code Playgroud)

其中r是你感兴趣的行.试试这个,例如:

#Add your data
x <- structure(list(A = c(5,    3.5, 3.25, 4.25,  1.5 ), 
                    B = c(4.25, 4,   4,    4.5,   4.5 ),
                    C = c(4.5,  2.5, 4,    2.25,  3   )
               ),
               .Names    = c("A", "B", "C"),
               class     = "data.frame",
               row.names = c(NA, -5L)
     )

#The vector your result should match
y<-c(A=5, B=4.25, C=4.5)

#Test that the items in the row match the vector you wanted
x[1,]==y
Run Code Online (Sandbox Code Playgroud)

这个页面(来自这个有用的网站)有关于索引的良好信息.


42-*_*42- 12

逻辑索引非常R-ish.尝试:

 x[ x$A ==5 & x$B==4.25 & x$C==4.5 , ] 
Run Code Online (Sandbox Code Playgroud)

要么:

subset( x, A ==5 & B==4.25 & C==4.5 )
Run Code Online (Sandbox Code Playgroud)


ars*_*ars 5

尝试:

> d <- data.frame(a=1:3, b=4:6, c=7:9)

> d
  a b c
1 1 4 7
2 2 5 8
3 3 6 9

> d[1, ]
  a b c
1 1 4 7

> d[1, ]['a']
  a
1 1
Run Code Online (Sandbox Code Playgroud)


Thi*_*rry 5

如果您不知道行号,但确实知道某些值,那么您可以使用子集

x <- structure(list(A = c(5,    3.5, 3.25, 4.25,  1.5 ), 
                    B = c(4.25, 4,   4,    4.5,   4.5 ),
                    C = c(4.5,  2.5, 4,    2.25,  3   )
               ),
               .Names    = c("A", "B", "C"),
               class     = "data.frame",
               row.names = c(NA, -5L)
     )

subset(x, A ==5 & B==4.25 & C==4.5)
Run Code Online (Sandbox Code Playgroud)