这是什么样的Scala语法语法?

时间:2016-09-17 17:37:17

标签: scala scalatest

我知道Scala的基本语法,但在以下代码中,我并不了解describeit构造正在做什么。它们是某种匿名函数还是什么?

class SentimentAnalyzerSpec extends FunSpec with Matchers {

  describe("sentiment analyzer") {

    it("should return POSITIVE when input has positive emotion") {
      val input = "Scala is a great general purpose language."
      val sentiment = SentimentAnalyzer.mainSentiment(input)
      sentiment should be(Sentiment.POSITIVE)
    }
  }
}

2 个答案:

答案 0 :(得分:3)

这是ScalaTest通过FunSuite提供的基本DSL(域专用语言)。

describe是一个方法,接受String和按名称值,通过多个参数列表返回Unit

protected def describe(description: String)(fun: => Unit) {
    registerNestedBranch(description, None, fun, "describeCannotAppearInsideAnIt", sourceFileName, "describe", 4, -2, None)
}

它只是使用中缀符号,这就是为什么它看起来半“神奇”。

it是一个包含名为ItWord的类的值。它有一个apply方法,只需将您提供的方法注册为测试:

/**
* Supports test (and shared test) registration in <code>FunSpec</code>s.
* This field supports syntax such as the following:
* it("should be empty")
* it should behave like nonFullStack(stackWithOneItem)
*/
protected val it = new ItWord

protected class ItWord {
  def apply(specText: String, testTags: Tag*)(testFun: => Unit) {
    engine.registerTest(specText, Transformer(testFun _), "itCannotAppearInsideAnotherItOrThey", sourceFileName, "apply", 3, -2, None, None, None, testTags: _*)
  }
}

答案 1 :(得分:3)

这些只是从mixin特征继承的方法和变量。你可以自己做类似的事情:

trait MyDsl {
  def bar(n: Int) = 123
  def foo(s: String)(d: String) = 234
}

所以如果你把它混合在另一个类中,你可以写

class MyClass1 extends MyDsl {
  bar(foo("hello")("hi"))
}

(注意foo是一个多参数列表函数,在Java中不存在)

由于Scala允许您通过中缀表示法省略括号,(可能会被省略并替换为{以对参数表达式进行分组。所以它变成了:

class MyClass1 extends MyDsl {
  bar {
    foo("hello") {
      "hi"
    }
  }
}

现在,所有这些定义实际上都发生在MyClass1

的主要构造函数中