Please check the two pieces of script as above.
genComb4(lst)
works since I put z <- genComb4(xs)
before i <- 0 to x._2
in the for-comprehension; genComb(lst)
does not work since I change the order of these two lines in for-comprehension.
It took me almost half day to find this bug, but I cannot explain it by myself. Could you tell me why this happened?
Thank you very much in advance.
// generate combinations
val nums = Vector(1, 2, 3)
val strs = Vector('a', 'b', 'c')
val lst: List[(Char, Int)] = strs.zip(nums).toList
def genComb4(lst: List[(Char, Int)]): List[List[(Char, Int)]] = lst match {
case Nil => List(List())
case x :: xs =>
for {
z <- genComb4(xs) // correct
i <- 0 to x._2 // correct
} yield ( (x._1, i) :: z)
}
genComb4(lst)
def genComb(lst: List[(Char, Int)]): List[List[(Char, Int)]] = lst match {
case Nil => List(List())
case x :: xs =>
for {
i <- (0 to x._2) // wrong
z <- genComb(xs) // wrong
} yield ( (x._1, i) :: z)
}
genComb(lst)
It's because of different types of container in
for comprehension
. When you startfor-comprehension
from line:i <- (0 to x._2)
it's set type of result container asIndexedSeq
but in case where first line isz <- genComb4(xs)
the type of result container isList
, take a look:so for make your second case is working, you should cast
(0 to x._2).toList
:result code should be:
You should remember about type of starting line in for-comprehension and inheritance of scala collections. If next types in
for-comprehension
can't be converted by inheritance rules to the first expression line type you should take care about it by yourself.Good practise is unwrap
for-expression
intoflatMap
,map
andwithFilter
functions, then you will find miss-typing or something else faster.useful links: