3

我有一张像这样的地图:

val v = Map("01" -> List(34,12,14,23), "11" -> List(22,11,34))

我根本找不到对地图中的列表项进行排序的方法。

我试过像:

v.flatMap(v => v._2.sortBy(list => list._))

但似乎它不会对列表项进行排序。

有人知道我错在哪里吗?

更新:实际上我的列表是元组列表,List[(Object1, Object2, Object3, Object4)]为了int简单起见。(但我认为_.sorted不适用于我的对象案例)。所以我基本上想按此对象列之一进行排序。(例如Object1.int

4

2 回答 2

5

这似乎有效:

v.mapValues(_.sorted)
// Map(01 -> List(12, 14, 23, 34), 11 -> List(11, 22, 34))

如果您的值是元组,请尝试以下操作:

v.mapValues(_.sortBy(_._1))

这种方法也适用于类,只需说 eg _.sortBy(_.age)


或者,如果您想要一个合并列表:

v.values.flatten.toSeq.sorted
// List(11, 12, 14, 22, 23, 34, 34)

(对于元组列表):

v.values.flatten.toSeq.sortBy(_._1)
于 2013-02-01T21:38:45.523 回答
2

你的意思是这样吗?

val v = Map("01" -> List(34,12,14,23), "11" -> List(22,11,34))
//v: scala.collection.immutable.Map[String,List[Int]] = Map(01 -> List(34, 12, 14, 23), 11 -> List(22, 11, 34))

v map { case (k, v) => (k -> v.sorted) }
//res0: scala.collection.immutable.Map[String,List[Int]] = Map(01 -> List(12, 14, 23, 34), 11 -> List(11, 22, 34))

编辑或:

v mapValues (_ sorted)
//res1: scala.collection.immutable.Map[String,List[Int]] = Map(01 -> List(12, 14, 23, 34), 11 -> List(11, 22, 34))

另一个编辑:

如果Ordering您的元组中的所有类型都隐含在范围内,它应该以完全相同的方式工作:

val v = Map(
  "01" -> List((34, "thirty-four"), (12, "twelve"), (14, "fourteen"), (23, "twenty-three")), 
  "11" -> List((22, "twenty-two"), (11, "eleven"), (34, "thirty-four")))
//v: scala.collection.immutable.Map[String,List[(Int, String)]] =
//Map(
//  01 -> List((34,thirty-four), (12,twelve), (14,fourteen), (23,twenty-three)), 
//  11 -> List((22,twenty-two), (11,eleven), (34,thirty-four)))

v mapValues (_ sorted)
//res3: scala.collection.immutable.Map[String,List[(Int, String)]] =
//Map(
//  01 -> List((12,twelve), (14,fourteen), (23,twenty-three), (34,thirty-four)),
//  11 -> List((11,eleven), (22,twenty-two), (34,thirty-four)))

如果您只想按元组的一个成员排序(比如......在这种情况下是第二个):

v mapValues (_ sortBy (_ _2))
//res5: scala.collection.immutable.Map[String,List[(Int, String)]] =
//Map(
//  01 -> List((14,fourteen), (34,thirty-four), (12,twelve), (23,twenty-three)),
//  11 -> List((11,eleven), (34,thirty-four), (22,twenty-two)))
于 2013-02-01T21:37:15.437 回答