使用 Scala 反射从对象中获取原始字段的类型

Get type of primitive field from an object using Scala reflection

所以我试图获取 Scala 对象中每个字段的类型 class:

package myapp.model

object MyObject {
  val theInt: Option[Int]
}

使用 Brian 在 this post 中慷慨提供的 ReflectionHelper。我使用 getFieldType 但它 return 是 Option[Object] 而不是 Option[Int]。该答案中的示例代码适用于案例 class,例如:

package myapp.model

case class Person(
 name: String,
 age: Option[Int]
)

scala> ReflectionHelper.getFieldType("myapp.model.Person", "age")  // int
res12: Option[reflect.runtime.universe.Type] = Some(Option[Int])

但是,如果我在 Scala 对象字段上 运行 getFieldType,我们会得到:

scala> ReflectionHelper.getFieldType("myapp.model.MyObject$", "theInt")
res10: Option[reflect.runtime.universe.Type] = Some(Option[Object])

导致此行为的 Scala 对象有何不同,我如何才能将 getFieldType 变为 return Option[Int] 而不是 Option[Object] 就像案例 class?

为方便起见,这里是另一个问题的 ReflectionHelper:

import scala.reflect.runtime.{ universe => u }
import scala.reflect.runtime.universe._

object ReflectionHelper {

  val classLoader = Thread.currentThread().getContextClassLoader

  val mirror = u.runtimeMirror(classLoader)

  def getFieldType(className: String, fieldName: String): Option[Type] = {

    val classSymbol = mirror.staticClass(className)

    for {
      fieldSymbol <- classSymbol.selfType.members.collectFirst({
        case s: Symbol if s.isPublic && s.name.decodedName.toString() == fieldName => s
      })
    } yield {

      fieldSymbol.info.resultType
    }
  }

  def maybeUnwrapFieldType[A](fieldType: Type)(implicit tag: TypeTag[A]): Option[Type] = {
    if (fieldType.typeConstructor == tag.tpe.typeConstructor) {
      fieldType.typeArgs.headOption
    } else {
      Option(fieldType)
    }
  }

  def getFieldClass(className: String, fieldName: String): java.lang.Class[_] = {

    // case normal field return its class
    // case Option field return generic type of Option

    val result = for {
      fieldType <- getFieldType(className, fieldName)
      unwrappedFieldType <- maybeUnwrapFieldType[Option[_]](fieldType)
    } yield {
      mirror.runtimeClass(unwrappedFieldType)
    }

    // Consider changing return type to: Option[Class[_]]
    result.getOrElse(null)
  }
}

尝试

// import scala.reflect.runtime.universe._  

val loader = this.getClass.getClassLoader

runtimeMirror(loader)
  .staticClass("myapp.model.Person").typeSignature
  .member(TermName("age")).typeSignature // => Option[Int]    
  
runtimeMirror(loader)
  .staticModule("myapp.model.MyObject").typeSignature
  .member(TermName("theInt")).typeSignature // => Option[Int]