Roland Kuhn已经在post中回答了这个问题,尽管有几条评论要求详细说明,但他并不愿意分享完整的答案。
这就是我想要做的事情:我有一个包装类case class Event[T](t: T)
,我将实例发送给Akka演员。在该actor的receive
方法中,我想区分Event[Int]
和Event[String]
,由于类型擦除,这显然不是那么简单。
Roland Kuhn在上述帖子中分享的是"只有一种方法可以做到这一点",即体现消息中的类型信息。所以我这样做了:
case class Event[T](t: T)(implicit val ct: ClassTag[T])
即使不同的人要求提供它,Roland Kuhn也没有说明在receive
方法中实际做了什么。这是我尝试过的。
def receive = {
case e: Event =>
if (e.ct.runtimeClass == classOf[Int])
println("Got an Event[Int]!")
else if (e.ct.runtimeClass == classOf[String])
println("Got an Event[String]!")
else
println("Got some other Event!")
case _ =>
println("Got no Event at all!")
}
这是我能想到的最好的因为很难将人的头围绕在Scala的反射丛林中。但是,它没有编译:
value ct is not a member of Any
else if (e.ct.runtimeClass == classOf[String])
^
因此,我特别询问receive
方法应该是什么样的。
答案 0 :(得分:1)
修正错误Event takes type parameters
后:
def receive = {
case e: Event[_] =>
if (e.ct.runtimeClass == classOf[Int])
println("Got an Event[Int]!")
else if (e.ct.runtimeClass == classOf[String])
println("Got an Event[String]!")
else
println("Got some other Event!")
case _ =>
println("Got no Event at all!")
}
代码编译。通过不查看ClassTag
内部可以略微简化(当然,ClassTag#equals
的实现将比较类):
import scala.reflect.{ClassTag, classTag}
def receive = {
case e: Event[_] =>
if (e.ct == ClassTag.Int) // or classTag[Int]
println("Got an Event[Int]!")
else if (e.ct == classTag[String])
println("Got an Event[String]!")
else
println("Got some other Event!")
case _ =>
println("Got no Event at all!")
}
答案 1 :(得分:0)
你也可以对嵌套类中的内部变量进行模式匹配,在这种情况下它更简洁,你可以利用各种模式匹配技巧,你甚至不需要ClassTag:例如
case class Event[T](t: T)
def receive = {
case Event(t: Int) =>
println("Int")
case Event((_: Float | _: Double)) =>
println("Floating Point")
case Event(_) =>
println("Other")
}