6

我想将我的scalac插件分成多个文件。这听起来很容易,但由于线路相关的类型问题,我还没有成功import global._

这是 Lex Spoon 的示例插件:

package localhost

import scala.tools.nsc
import nsc.Global
import nsc.Phase
import nsc.plugins.Plugin
import nsc.plugins.PluginComponent

class DivByZero(val global: Global) extends Plugin {
  import global._

  val name = "divbyzero"
  val description = "checks for division by zero"
  val components = List[PluginComponent](Component)

  private object Component extends PluginComponent {
    val global: DivByZero.this.global.type = DivByZero.this.global
    val runsAfter = "refchecks"
    // Using the Scala Compiler 2.8.x the runsAfter should be written as below
    // val runsAfter = List[String]("refchecks");
    val phaseName = DivByZero.this.name
    def newPhase(_prev: Phase) = new DivByZeroPhase(_prev)    

    class DivByZeroPhase(prev: Phase) extends StdPhase(prev) {
      override def name = DivByZero.this.name
      def apply(unit: CompilationUnit) {
        for ( tree @ Apply(Select(rcvr, nme.DIV), List(Literal(Constant(0)))) <- unit.body;
             if rcvr.tpe <:< definitions.IntClass.tpe) 
          {
            unit.error(tree.pos, "definitely division by zero")
          }
      }
    }
  }
}

如何在没有in 范围的情况下将Componentand放入他们自己的文件中?DivByZeroPhaseimport global._

4

3 回答 3

4

这是一个非常古老的项目,我做了同样的事情:

https://github.com/jsuereth/osgi-scalac-plugin/blob/master/src/main/scala/scala/osgi/compiler/OsgiPlugin.scala

如果您不需要从全局传递路径相关类型,请不要担心尝试保持它的“this.global”部分相关。

于 2011-04-12T01:00:40.467 回答
3

在 Scala Refactoring 库中,我通过使用 trait CompilerAccess 解决了这个问题:

trait CompilerAccess { 
  val global: tools.nsc.Global
}

现在所有其他需要访问的特征global只需声明CompilerAccess为依赖项:

trait TreeTraverser {
  this: CompilerAccess =>
  import global._

  ...
}

然后有一个类混合了所有这些特征并提供了一个全局实例:

trait SomeRefactoring extends TreeTraverser with OtherTrait with MoreTraits {
  val global = //wherever you get your global from
}

这个方案对我来说效果很好。

于 2011-04-12T08:42:21.407 回答
2

您可以为您的组件创建一个单独的类并传入全局:

class TemplateComponent(val global: Global) extends PluginComponent {

  import global._

  val runsAfter = List[String]("refchecks")

  val phaseName = "plugintemplate"

  def newPhase(prev: Phase) = new StdPhase(prev) {

    override def name = phaseName

    def apply(unit:CompilationUnit) = {
    }    
  }
}
于 2011-04-12T01:09:52.003 回答