1

我有一个案例类,例如:

case class Foo (@Annotation bar: String)

我希望能够访问该注释及其存储的任何信息

我可以使用 scala 反射(使用 2.11.8)来获取案例访问器

val caseAccessors = 
  universe.typeTag[T].
    tpe.
    decls.
    filter(_.isMethod).
    map(_.asMethod).
    filter(_.isCaseAccessor)

但是当我尝试访问.annotations它们时,什么都没有。我意识到注释在技术上是在构造函数参数上,但我该如何得到它呢?

4

1 回答 1

3

@Annotation将同时使用构造函数参数和伴随对象apply方法,您可以按名称找到它们。我认为不存在过滤构造函数/主构造函数/伴随对象工厂方法的特定方法。这两个都应该工作:

universe.typeTag[Foo]
  .tpe
  .declarations
  .find(_.name.toString == "<init>")
  .get
  .asMethod
  .paramss
  .flatten
  .flatMap(_.annotations)

universe.typeTag[Foo.type]
  .tpe
  .declarations
  .find(_.name.toString == "apply")
  .get
  .asMethod
  .paramss
  .flatten
  .flatMap(_.annotations)

(虽然我在 Scala 2.11.8 上没有decls但有declarations

如果要将注释放在字段或 getter 上,请使用scala.annotation.meta包:

import scala.annotation.meta
case class Foo (@(Annotation @meta.getter) bar: String)

在这种情况下,您的代码将起作用(如果您更改TFooin typeTag[T]

请参阅文档scala.annotation.meta

于 2016-12-17T10:40:11.057 回答