这是一个在 2.10.0-M6 上使用宏的工作示例:
(更新:为了让这个例子在 2.10.0-M7 中工作,你需要将 c.TypeTag 替换为 c.AbsTypeTag;为了让这个例子在 2.10.0-RC1 中工作,c.AbsTypeTag 需要替换为 c.WeakTypeTag )
import scala.reflect.makro.Context
object SealednessMacros {
def exhaustive[P](ps: Seq[P]): Seq[P] = macro exhaustive_impl[P]
def exhaustive_impl[P: c.TypeTag](c: Context)(ps: c.Expr[Seq[P]]) = {
import c.universe._
val symbol = typeOf[P].typeSymbol
val seen = ps.tree match {
case Apply(_, xs) => xs.map {
case Select(_, name) => symbol.owner.typeSignature.member(name)
case _ => throw new Exception("Can't check this expression!")
}
case _ => throw new Exception("Can't check this expression!")
}
val internal = symbol.asInstanceOf[scala.reflect.internal.Symbols#Symbol]
if (!internal.isSealed) throw new Exception("This isn't a sealed type.")
val descendants = internal.sealedDescendants.map(_.asInstanceOf[Symbol])
val objs = (descendants - symbol).map(
s => s.owner.typeSignature.member(s.name.toTermName)
)
if (seen.toSet == objs) ps else throw new Exception("Not exhaustive!")
}
}
这显然不是很健壮(例如,它假设您在层次结构中只有对象,并且它将失败A :: B :: C :: Nil
),它仍然需要一些令人不快的转换,但它可以作为一个快速的概念验证。
首先我们在启用宏的情况下编译这个文件:
scalac -language:experimental.macros SealednessMacros.scala
现在,如果我们尝试编译这样的文件:
object MyADT {
sealed trait Parent
case object A extends Parent
case object B extends Parent
case object C extends Parent
}
object Test extends App {
import MyADT._
import SealednessMacros._
exhaustive[Parent](Seq(A, B, C))
exhaustive[Parent](Seq(C, A, B))
exhaustive[Parent](Seq(A, B))
}
我们会Seq
在缺少的情况下得到一个编译时错误C
:
Test.scala:14: error: exception during macro expansion:
java.lang.Exception: Not exhaustive!
at SealednessMacros$.exhaustive_impl(SealednessMacros.scala:29)
exhaustive[Parent](Seq(A, B))
^
one error found
请注意,我们需要使用指示父级的显式类型参数来帮助编译器。