Es ist nicht klar, wonach Sie fragen - was Sie erwarten, dass die Semantik des multiplen Ertrags ist. Eine Sache ist jedoch, dass Sie wahrscheinlich nie Indizes verwenden möchten, um durch eine Liste zu navigieren - jeder Aufruf von t (i) ist O (i) zur Ausführung.
hier ist also eine Möglichkeit, dass Sie für
scala> val l = List(1,2,3); val t = List(-1,-2,-3)
l: List[Int] = List(1, 2, 3)
t: List[Int] = List(-1, -2, -3)
scala> val pairs = l zip t
pairs: List[(Int, Int)] = List((1,-1), (2,-2), (3,-3))
fragen könnte Und hier ist eine andere Möglichkeit, dass Sie
scala> val crossProduct = for (x <- l; y <- t) yield (x,y)
crossProduct: List[(Int, Int)] = List((1,-1), (1,-2), (1,-3), (2,-1), (2,-2), (2,-3), (3,-1), (3,-2), (3,-3))
Die später zu fragen, könnte nur syntaktischer Zucker ist für
scala> val crossProduct2 = l flatMap {x => t map {y => (x,y)}}
crossProduct2: List[(Int, Int)] = List((1,-1), (1,-2), (1,-3), (2,-1), (2,-2), (2,-3), (3,-1), (3,-2), (3,-3))
Eine dritte Möglichkeit ist es, sie zu verschachteln
scala> val interleaved = for ((x,y) <- l zip t; r <- List(x,y)) yield r
interleaved: List[Int] = List(1, -1, 2, -2, 3, -3, 4, -4, 5, -5, 6, -6, 7, -7, 8, -8, 9, -9, 10, -10)
Das für Syntax Zucker ist
scala> val interleaved2 = l zip t flatMap {case (x,y) => List(x,y)}
interleaved2: List[Int] = List(1, -1, 2, -2, 3, -3, 4, -4, 5, -5, 6, -6, 7, -7, 8, -8, 9, -9, 10, -10)
Frage ist unklar. –