Scala展平列表

时间:2012-10-24 23:49:16

标签: scala functional-programming

我想编写一个平面列表的函数。

object Flat {
  def flatten[T](list: List[T]): List[T] = list match {
    case Nil => Nil
    case head :: Nil => List(head)
    case head :: tail => (head match {
      case l: List[T] => flatten(l)
      case i => List(i)
    }) ::: flatten(tail)
  }
}

object Main {
  def main(args: Array[String]) = {
    println(Flat.flatten(List(List(1, 1), 2, List(3, List(5, 8)))))
  }
}

我不知道为什么它不起作用,它返回List(1, 1, 2, List(3, List(5, 8)))但它应该是List(1, 1, 2, 3, 5, 8)

你能给我一个提示吗?

5 个答案:

答案 0 :(得分:30)

您不需要嵌套匹配语句。而是像这样进行匹配:

  def flatten(xs: List[Any]): List[Any] = xs match {
    case Nil => Nil
    case (head: List[_]) :: tail => flatten(head) ++ flatten(tail)
    case head :: tail => head :: flatten(tail)
  }

答案 1 :(得分:16)

我的,相当于SDJMcHattie的解决方案。

  def flatten(xs: List[Any]): List[Any] = xs match {
    case List() => List()
    case (y :: ys) :: yss => flatten(y :: ys) ::: flatten(yss)
    case y :: ys => y :: flatten(ys)
  } 

答案 2 :(得分:10)

删除第4行

case head :: Nil => List(head)

你会得到正确答案。

考虑测试用例

List(List(List(1)))

第4行中的最后一个元素将不会被处理

答案 3 :(得分:2)

  def flatten(ls: List[Any]): List[Any] = ls flatMap {
    case ms: List[_] => flatten(ms)
    case e => List(e)
  }

答案 4 :(得分:0)

如果某人不理解接受的解决方案的这一行,或者不知道您可以使用以下类型注释模式:

case (head: List[_]) :: tail => flatten(head) ++ flatten(tail)

然后看看没有类型注释的等效项:

case (y :: ys) :: tail => flatten3(y :: ys) ::: flatten3(tail)
case Nil :: tail => flatten3(tail)

所以,为了更好地理解一些替代方法:

def flatten2(xs: List[Any]): List[Any] = xs match {
  case x :: xs => x match {
    case y :: ys => flatten2(y :: ys) ::: flatten2(xs)
    case Nil => flatten2(xs)
    case _ => x :: flatten2(xs)
  }
  case x => x
}

def flatten3(xs: List[Any]): List[Any] = xs match {
  case Nil => Nil
  case (y :: ys) :: zs => flatten3(y :: ys) ::: flatten3(zs)
  case Nil :: ys => flatten3(ys)
  case y :: ys => y :: flatten3(ys)
}
val yss = List(List(1,2,3), List(), List(List(1,2,3), List(List(4,5,6))))
flatten2(yss) // res2: List[Any] = List(1, 2, 3, 1, 2, 3, 4, 5, 6) 
flatten3(yss) // res2: List[Any] = List(1, 2, 3, 1, 2, 3, 4, 5, 6) 

顺便说一句,第二个发布的答案将执行以下操作,您可能不希望这样做。

val yss = List(List(1,2,3), List(), List(List(1,2,3), List(List(4,5,6))))
flatten(yss) // res1: List[Any] = List(1, 2, 3, List(), 1, 2, 3, 4, 5, 6)