如何获得_的类:任何

时间:2010-06-29 10:39:31

标签: class scala types scala-2.8 type-systems

我已经包装了一条消息,并希望记录我已经包装的消息。

val any :Any = msg.wrappedMsg
var result :Class[_] = null

我能找到的唯一解决方案是匹配所有内容:

result = any match {
  case x:AnyRef => x.getClass
  case _:Double => classOf[Double]
  case _:Float  => classOf[Float]
  case _:Long   => classOf[Long]
  case _:Int    => classOf[Int]
  case _:Short  => classOf[Short]
  case _:Byte   => classOf[Byte]
  case _:Unit   => classOf[Unit]
  case _:Boolean=> classOf[Boolean]
  case _:Char   => classOf[Char]
}

我想知道是否有更好的解决方案? 以下两种方法不起作用:(

result = any.getClass //error
// type mismatch;  found   : Any  required: ?{val getClass: ?} 
// Note: Any is not implicitly converted to AnyRef.  
// You can safely pattern match x: AnyRef or cast x.asInstanceOf[AnyRef] to do so.
result = any match {
  case x:AnyRef => x.getClass
  case x:AnyVal => /*voodoo to get class*/ null // error
}
//type AnyVal cannot be used in a type pattern or isInstanceOf

3 个答案:

答案 0 :(得分:7)

您可以安全地在任何Scala值上调用.asInstanceOf[AnyRef],这将填充基元:

scala> val as = Seq("a", 1, 1.5, (), false)
as: Seq[Any] = List(, 1, 1.5, (), false)

scala> as map (_.asInstanceOf[AnyRef])
res4: Seq[AnyRef] = List(a, 1, 1.5, (), false)

从那里,您可以致电getClass

scala> as map (_.asInstanceOf[AnyRef].getClass)
res5: Seq[java.lang.Class[_]] = List(class java.lang.String, class java.lang.Int
eger, class java.lang.Double, class scala.runtime.BoxedUnit, class java.lang.Boo
lean)

使用2.8.0.RC6测试,我不知道这在2.7.7中有效。

2.8中绝对新的是从AnyVal派生的类的伴随对象。它们包含方便的boxunbox方法:

scala> Int.box(1)
res6: java.lang.Integer = 1

scala> Int.unbox(res6)
res7: Int = 1

答案 1 :(得分:3)

不会按照错误消息中的建议进行转换吗?


scala> val d:Double = 0.0
d: Double = 0.0

scala> d.asInstanceOf[AnyRef].getClass
res0: java.lang.Class[_] = class java.lang.Double

答案 2 :(得分:3)

从scala 2.10.0开始,getClass Any上可以使用AnyRef(而不只是any.getClass),所以您不再需要做任何扭曲,只能这样做getClass

请注意,您仍然必须准备好处理原始类型与其盒装版本之间的双重关系。 通过示例java.lang.Integer.TYPE对整数值将返回Int(原始classOf[java.lang.Integer]类型的类)或scala> 123.getClass res1: Class[Int] = int scala> val x : Int = 123 x: Int = 123 scala> x.getClass res2: Class[Int] = int scala> val x: AnyVal = 123 x: AnyVal = 123 scala> x.getClass res3: Class[_] = class java.lang.Integer scala> val x: Any = 123 x: Any = 123 scala> x.getClass res4: Class[_] = class java.lang.Integer ,具体取决于值的静态类型:

{{1}}