Ecco un semplice one-liner:
scala> List.range(1, 10)
res11: List[Int] = List(1, 2, 3, 4, 5, 6, 7, 8, 9)
scala> res11.grouped(3).toList.transpose
res12: List[List[Int]] = List(List(1, 4, 7), List(2, 5, 8), List(3, 6, 9))
Purtroppo non funziona quando l'elenco non è transposeable .
scala> List.range(1, 8).grouped(3).toList.transpose
java.lang.IllegalArgumentException: transpose requires all collections have the
same size
È possibile utilizzare il seguente metodo per renderlo transposeable, e quindi applicare l'approccio di cui sopra.
scala> def extend[A](xs: List[A], c: Int): List[Option[A]] = {
| val n = Stream.iterate(c)(c +).find(_ >= xs.length).get
| xs.map(Some(_)).padTo(n, None)
| }
extend: [A](xs: List[A], c: Int)List[Option[A]]
scala> List.range(1, 8)
res13: List[Int] = List(1, 2, 3, 4, 5, 6, 7)
scala> extend(res13, 3).grouped(3).toList.transpose.map(_.flatten)
res14: List[List[Int]] = List(List(1, 4, 7), List(2, 5), List(3, 6))
mettere insieme:
scala> def round[A](xs: List[A], c: Int) = {
| val n = Stream.iterate(c)(c +).find(_ >= xs.length).get
| val ys = xs.map(Some(_)).padTo(n, None)
| ys.grouped(c).toList.transpose.map(_.flatten)
| }
round: [A](xs: List[A], c: Int)List[List[A]]
scala> round(List.range(1, 10), 3)
res16: List[List[Int]] = List(List(1, 4, 7), List(2, 5, 8), List(3, 6, 9))
scala> round(List.range(1, 8), 3)
res17: List[List[Int]] = List(List(1, 4, 7), List(2, 5), List(3, 6))
Una domanda simile, utilizzando Streams: http: // StackOverflow .com/questions/17115345/split-a-stream-in-many – AmigoNico