10

我是 Scala 的新手,并试图将我的头脑围绕在我试图重现yield returnC# 语句的延续上。

这篇文章之后,我编写了以下代码:

package com.company.scalatest

import scala.util.continuations._;

object GenTest {

  val gen = new Generator[Int] {
    def produce = {
      yieldValue(1)
      yieldValue(2)
      yieldValue(3)
      yieldValue(42)
    }
  }
  // Does not compile :(

  //  val gen2 = new Generator[Int] {
  //    def produce = {
  //      var ints = List(1, 2, 3, 42);
  //
  //      ints.foreach((theInt) => yieldValue(theInt));
  //    }
  //  }

  // But this works?
  val gen3 = new Generator[Int] {
    def produce = {
      var ints = List(1, 2, 3, 42);
      var i = 0;
      while (i < ints.length) {
        yieldValue(ints(i));
        i = i + 1;
      }
    }
  }

  def main(args: Array[String]): Unit = {
    gen.foreach(println);
    //    gen2.foreach(println);
    gen3.foreach(println);
  }
}

abstract class Generator[E] {

  var loopFn: (E => Unit) = null

  def produce(): Unit @cps[Unit]

  def foreach(f: => (E => Unit)): Unit = {
    loopFn = f
    reset[Unit, Unit](produce)
  }

  def yieldValue(value: E) =
    shift { genK: (Unit => Unit) =>
      loopFn(value)
      genK(())
      ()
    }
}

如您所见,由于gen2无法编译而被注释掉。由于我可以使用 while 循环轻松迭代列表的内容(请参阅gen3参考资料),因此我希望 foreach 循环也能正常工作。

编译错误如下:

no type parameters for method foreach: (f: Int => B)Unit exist so that 
it can be applied to arguments (Int => Unit @scala.util.continuations.cpsParam[Unit,Unit])  
 --- because --- 
argument expression's type is not compatible with formal parameter type;  
found   : Int => Unit @scala.util.continuations.cpsParam[Unit,Unit]  
required: Int => ?B 

为什么我会收到这个错误,有没有办法用比 while 循环更干净的东西来解决这个问题?

谢谢

4

1 回答 1

4

首先让我们看看gen2编译需要什么。

object CpsConversions {

  import scala.collection.IterableLike
  import scala.util.continuations._

  implicit def cpsIterable[A, Repr](xs: IterableLike[A, Repr]) = new {
    def cps = new {
      def foreach[B](f: A => Any@cpsParam[Unit, Unit]): Unit@cpsParam[Unit, Unit] = {
        val it = xs.iterator
        while(it.hasNext) f(it.next)
      }
    }
  }
}

object GenTest {

  import CpsConversions.cpsIterable
  val gen2 = new Generator[Int] {
    def produce = {
      var ints = List(1, 2, 3, 42)
      ints.cps.foreach((theInt) => yieldValue(theInt))
    }
  }

现在让我们来看看发生了什么。原件gen2无法在以下行编译:

ints.foreach((theInt) => yieldValue(theInt))

由于 的类型yieldValue包括@cpsParam注释,延续插件将传递给foreach方法的函数转换为以下类型之一:

Int => Unit @cpsParam[Unit,Unit]

在 的层次结构中List[Int],您将看到foreach定义为:

foreach [U] (f: (Int) ⇒ U): Unit

这是一个问题,因为类型不匹配并且 Scala 不知道如何从Int => Uto获取Int => Unit @cpsParam[Unit,Unit]。为了解决这个问题,我在隐式转换中添加了 CPS 版本foreach,您可以通过调用cpsany来访问它IterableLike

如果这种隐式转换可以在没有显式cps调用的情况下完成,那将是非常好的,但我还没有找到一种方法让 Scala 编译器识别这种隐式转换的适用性,从而将新的转换添加foreach到您的列表中。这可能与编译器使用延续插件的顺序有关,但我对这个过程知之甚少,无法确定。

所以这一切都很好foreach。您的问题提到了理解,这将需要定义 , 或 中的任何一个filtermap取决于flatMap您的理解中发生的事情)。我已经在我上面评论的链接中实现了这些,它扩展了CpsConversions上面的对象以允许一般理解。

于 2012-01-23T00:23:17.657 回答