13

我为了好玩而在 Scala 2.8 上乱搞,并试图定义一个皮条客,它为类型构造函数添加一个“as”方法,允许从一个函子转换为另一个函子(请忽略我不一定在这里处理函子的事实) . 因此,例如,您可以像这样使用它:

val array:Array[T]
val list:List[T] = array.as[List]

所以这就是我试图做的:

object Test {
    abstract class NatTrans[F[_], G[_]] {
        def convert[T](f:F[T]):G[T]
    }

    implicit def array2List:NatTrans[Array, List] = new NatTrans[Array, List] { 
        def convert[T](a:Array[T]) = a.toList
    }

    // this next part gets flagged with an error
    implicit def naturalTransformations[T, F[_]](f:F[T]) = new {
        def as[G[_]](implicit n:NatTrans[F, G]) = n convert f
    }
}

但是, 的定义naturalTransformations被标记为错误"can't existentially abstract over parameterized type G[T]"。为了解决这个问题,我可以像这样重写naturalTransformations一个额外的类Transformable

class Transformable[T, F[_]](f:F[T]) {
    def as[G[_]](implicit n:NatTrans[F, G]) = n convert f
}

implicit def naturalTransformations[T, F[_]](f:F[T]) = new Transformable[T, F](f)

它似乎有效。但似乎我的第一次尝试应该是等效的,所以我很好奇它为什么失败以及错误消息的含义。

4

2 回答 2

11

我的预感是,这是因为规范中的以下语句 § 6.11 块:

本地定义的类型定义类型 t = T 受存在子句类型 t >: T <: T 的约束。如果 t 带有类型参数,则会出错。

并且结构实例创建表达式被评估为一个块,所以


new {def greet{println("hello")}}

是的简写


{ class anon$X extends AnyRef{ def greet = println("hello") }; new anon$X }

所以它评估为一个块表达式(根据规范的第 6.10 节),具有上述限制。但是,我不知道为什么会有这种限制。可以在此位置的 Typers 类中找到引发的错误,这似乎证实了此限制是您看到的错误的原因。正如您所提到的,在类中对函数进行编码消除了块表达式的限制:


scala> class N[M[_]]
defined class N

scala> class Q { def as[M[_]](n:N[M]) = null}
defined class Q

scala> new { def as[M[_]](n:N[M]) = null}       
:7: error: can't existentially abstract over parameterized type M
       new { def as[M[_]](n:N[M]) = null}

于 2010-06-26T04:33:04.870 回答
0

对我来说,这听起来像是一个针对一般情况的简单案例:每次创建一个块时都会生成一个新的类型变量,捕获一些用存在类型实例化的类型构造函数,但这会使错误诊断更加难以理解。

另请注意,拥有一个类会将调用转换为快速 INVOKEVIRTUAL,而不是通过反射调用as()方法。

于 2010-06-26T11:06:24.737 回答