5

我有两个班,叫他们FooFizzFoo使用一个被调用的注解宏expand来为它的一些方法创建别名(实际的实现比创建别名多一点,但简单的版本仍然会出现以下问题)。为简单起见,假设expand宏简单地获取带注释的类中的所有方法,并制作它们的副本,将“Copy”附加到方法名称的末尾,然后将调用转发给原始方法。

我的问题是,如果我使用expand宏 on ,它会创建一个名为Foo的方法的副本,当在另一个类中调用时,一切都会编译但 scaladoc 生成失败,如下所示:Foo#barbarCopybarCopyFizz

[error] ../src/main/scala/Foo.scala:11: value barCopy is not a member of Foo
[error]     def str = foo.barCopy("hey")
[error]                   ^
[info] No documentation generated with unsuccessful compiler run

如果我删除标记正在复制的方法的 scaladoc ( Foo#bar),该sbt doc命令将再次起作用。就好像 scaladoc 生成器在不使用已启用的宏天堂插件的情况下调用编译器的早期阶段,但如果从有问题的方法中删除文档,它会以某种方式工作。

这是expand宏:

import scala.annotation.{ StaticAnnotation, compileTimeOnly }
import scala.language.experimental.macros
import scala.reflect.macros.whitebox.Context

@compileTimeOnly("You must enable the macro paradise plugin.")
class expand extends StaticAnnotation {
    def macroTransform(annottees: Any*): Any = macro Impl.impl
}

object Impl {

  def impl(c: Context)(annottees: c.Expr[Any]*): c.Expr[Any] = {
    import c.universe._

    val result = annottees map (_.tree) match {
      case (classDef @
        q"""
          $mods class $tpname[..$tparams] $ctorMods(...$paramss) extends { ..$earlydefns } with ..$parents {
            $self => ..$stats
          }
        """) :: _ =>

        val copies = for {
            q"def $tname[..$tparams](...$paramss): $tpt = $expr" <- stats
            ident = TermName(tname.toString + "Copy")
        } yield {
            val paramSymbols = paramss.map(_.map(_.name))
            q"def $ident[..$tparams](...$paramss): $tpt = $tname(...$paramSymbols)"
        }
        q"""
            $mods class $tpname[..$tparams] $ctorMods(...$paramss) extends { ..$earlydefns } with ..$parents { $self =>
                ..$stats
                ..$copies
            }
        """
        case _ => c.abort(c.enclosingPosition, "Invalid annotation target: not a class")
    }

    c.Expr[Any](result)
  }

}

以及存在于单独项目中的类:

/** This is a class that will have some methods copied. */
@expand class Foo {
    /** Remove this scaladoc comment, and `sbt doc` will run just fine! */
    def bar(value: String) = value
}

/** Another class. */
class Fizz(foo: Foo) {
    /** More scaladoc, nothing wrong here. */
    def str = foo.barCopy("hey")
}

这似乎是一个错误,或者可能是缺少的功能,但是有没有办法为上述类生成 scaladoc 而无需从复制的方法中删除文档?我在 Scala 2.11.8 和 2.12.1 上都试过了。是一个简单的 sbt 项目,演示了我遇到的问题。

4

1 回答 1

2

这是Scala 中的一个错误,在 2.13 中仍然存在。这个问题的要点是,在为 Scaladoc 编译时(如sbt doc),编译器引入了额外的DocDefAST 节点来保存注释。这些与 quasiquote 模式匹配。更糟糕的是,它们甚至从scala-reflectAPI 中都看不到。

以下是@driuzz 评论的摘录,解释了类似问题的情况simulacrum

[...] 在正常编译过程中,DefDef即使它们具有被忽略的 scaladoc 注释,它们也可以作为类型使用。但是在sbt doc编译期间生成的 AST 有点不同。每个具有 scaladoc 注释的方法都被描述为DocDef(comment, DefDef(...))导致宏根本无法识别它们 [...]

@driuzz 实现的修复在这里。这个想法是尝试将scala-reflect树转换为它们的 Scala 编译器表示。对于问题中的代码,这意味着定义一些unwrapDocDef来帮助从方法中删除文档字符串。

    val result = annottees map (_.tree) match {
      case (classDef @
        q"""
          $mods class $tpname[..$tparams] $ctorMods(...$paramss) extends { ..$earlydefns } with ..$parents {
            $self => ..$stats
          }
        """) :: _ =>

        // If the outer layer of the Tree is a `DocDef`, peel it back
        val unwrapDocDef = (t: Tree) => {
          import scala.tools.nsc.ast.Trees

          if (t.isInstanceOf[Trees#DocDef]) {
            t.asInstanceOf[Trees#DocDef].definition.asInstanceOf[Tree]
          } else {
            t
          }
        }

        val copies = for {
            q"def $tname[..$tparams](...$paramss): $tpt = $expr" <- stats.map(unwrapDocDef)
            ident = TermName(tname.toString + "Copy")
        } yield {
            val paramSymbols = paramss.map(_.map(_.name))
            q"def $ident[..$tparams](...$paramss): $tpt = $tname(...$paramSymbols)"
        }
        q"""
            $mods class $tpname[..$tparams] $ctorMods(...$paramss) extends { ..$earlydefns } with ..$parents { $self =>
                ..$stats
                ..$copies
            }
        """
        case _ => c.abort(c.enclosingPosition, "Invalid annotation target: not a class")
    }

当然,由于这会从 Scala 编译器中导入某些内容,因此macro项目的 SBT 定义必须更改:

lazy val macros = (project in file("macros")).settings(
    name := "macros",
    libraryDependencies ++= Seq(
        "org.scala-lang" % "scala-reflect" % scalaV,
        "org.scala-lang" % "scala-compiler" % scalaV  // new
    )
).settings(commonSettings: _*)
于 2020-06-07T00:37:09.607 回答