Answers:
通过使用partition
方法:
scala> List(1,2,3,4).partition(x => x % 2 == 0)
res0: (List[Int], List[Int]) = (List(2, 4),List(1, 3))
_ % 2 == 0
。
您可能需要看一下scalex.org-它使您可以在scala标准库中按功能签名搜索功能。例如,键入以下内容:
List[A] => (A => Boolean) => (List[A], List[A])
您将看到partition。
如果您需要一些额外的东西,也可以使用foldLeft。当分区没有剪切时,我只是写了一些这样的代码:
val list:List[Person] = /* get your list */
val (students,teachers) =
list.foldLeft(List.empty[Student],List.empty[Teacher]) {
case ((acc1, acc2), p) => p match {
case s:Student => (s :: acc1, acc2)
case t:Teacher => (acc1, t :: acc2)
}
}
我知道我参加聚会可能会迟到,还有更多具体答案,但是您可以充分利用 groupBy
val ret = List(1,2,3,4).groupBy(x => x % 2 == 0)
ret: scala.collection.immutable.Map[Boolean,List[Int]] = Map(false -> List(1, 3), true -> List(2, 4))
ret(true)
res3: List[Int] = List(2, 4)
ret(false)
res4: List[Int] = List(1, 3)
如果您需要将条件更改为非布尔值,这将使您的代码更具前瞻性。
如果要将列表分成两个以上的部分,并忽略边界,则可以使用类似的方法(如果需要搜索整数,则可以进行修改)
def split(list_in: List[String], search: String): List[List[String]] = {
def split_helper(accum: List[List[String]], list_in2: List[String], search: String): List[List[String]] = {
val (h1, h2) = list_in2.span({x: String => x!= search})
val new_accum = accum :+ h1
if (h2.contains(search)) {
return split_helper(new_accum, h2.drop(1), search)
}
else {
return accum
}
}
return split_helper(List(), list_in, search)
}
// TEST
// split(List("a", "b", "c", "d", "c", "a"), {x: String => x != "x"})
val (even, odd) = List(1,2,3,4).partition(x => x % 2 == 0)
是一种以partition
可读方式破坏结果元组的方法。