测试 Right[Seq[MyClass]] 和属性

Testing Right[Seq[MyClass]] and properties

我正在尝试使用 ScalaTest(WordSpecLikeMustMatchers)实施一项测试,以验证 Either[Seq[Error], Seq[Value]] 是否包含一个值以及该值是否具有某些特定属性。

理想情况下,我想要这样的东西:

val result:Either[Seq[Error], Seq[Value]] = ...
result.value must contain { _ have (
  'prop ("value")
)}

但这不能编译,我不知道如何实现这种匹配。

是否有关于深度测试或一些最佳实践的文档?

Inspectors enable assertions to be made about collections, and in combination with EitherValues, as suggested by @LuisMiguelMejíaSuárez, and checking arbitrary properties with have,下面的语法是可以的

atLeast(1, result.right.value) must have ('prop ("value"))

这是一个工作示例

class Value(val foo: String, val bar: Int) {
  def isTooLong: Boolean = foo.length > 2
}

class WhosebugSpec extends WordSpec with MustMatchers with EitherValues with Inspectors {
  "Result" when {
    "Right" should {
      "have property" in {
        val result: Either[Seq[Error], Seq[Value]] = Right(Seq(new Value("aa", 11), new Value("bbb", 42)))
        atLeast(1, result.right.value) must have ('tooLong (true), 'bar (42) )
      }
    }
  }
}

或者尝试对结果进行模式匹配并将 属性 谓词传递给 Seq.exists,就像这样

class Value(val foo: String, val bar: String) {
  def isTooLong: Boolean = foo.length > 2
}

class WhosebugSpec extends WordSpec with MustMatchers {
  "Result" when {
    "Right" should {
      "have property" in {
        val result: Either[Seq[Error], Seq[Value]] = Right(Seq(new Value("a", "b"), new Value("ccc", "ddd")))
        result match {
          case Left(seq) => fail
          case Right(seq) => seq.exists(_.isTooLong) must be(true)
        }
      }
    }
  }
}