Reputation: 839
What is a good way to perform the following task?
I have a data frame, for example:
v2 <- c(4.5, 2.5, 3.5, 5.5, 7.5, 6.5, 2.5, 1.5, 3.5)
v1 <- c(2.2, 3.2, 1.2, 4.2, 2.2, 3.2, 2.2, 1.2, 5.2)
lvl <- c("a","a","a","b","b","b","c","c","c")
d <- data.frame(v1,v2,lvl)
> d
v1 v2 l
1 2.2 4.5 a
2 3.2 2.5 a
3 1.2 3.5 a
4 4.2 5.5 b
5 2.2 7.5 b
6 3.2 6.5 b
7 2.2 2.5 c
8 1.2 1.5 c
9 5.2 3.5 c
Within each level of d$lvl
, I want to sort the data frame by value of d$v1
. So I want to get
v1 v2 l
3 1.2 3.5 a
1 2.2 4.5 a
2 3.2 2.5 a
5 2.2 7.5 b
6 3.2 6.5 b
4 4.2 5.5 b
8 1.2 1.5 c
7 2.2 2.5 c
9 5.2 3.5 c
Upvotes: 8
Views: 17528
Reputation: 6768
Using dplyr
, you can add .by_group = TRUE
to arrange()
to sort the column within each group. Try:
library(dplyr)
d %>%
group_by(lvl) %>%
arrange(v1, .by_group = TRUE)
# output
# A tibble: 9 x 3
# Groups: lvl [3]
v1 v2 lvl
<dbl> <dbl> <fctr>
1 1.2 3.5 a
2 2.2 4.5 a
3 3.2 2.5 a
4 2.2 7.5 b
5 3.2 6.5 b
6 4.2 5.5 b
7 1.2 1.5 c
8 2.2 2.5 c
9 5.2 3.5 c
Upvotes: 3
Reputation: 7984
I believe this is also a legitimate solution using dplyr
:
require(data.table)
require(dplyr)
require(dtplyr)
DT <- as.data.table(d)
DT %>% group_by(lvl) %>% arrange(v1)
Upvotes: 1
Reputation: 66819
I think the most straightforward way is
d[order(d$lvl,d$v1),]
which gives
v1 v2 lvl
3 1.2 3.5 a
1 2.2 4.5 a
2 3.2 2.5 a
5 2.2 7.5 b
6 3.2 6.5 b
4 4.2 5.5 b
8 1.2 1.5 c
7 2.2 2.5 c
9 5.2 3.5 c
Upvotes: 12