Skip to main content
Version: 5.9 🚧

Soft Assertions

Normally, assertions like shouldBe throw an exception when they fail. But sometimes you want to perform multiple assertions in a test, and would like to see all of the assertions that failed. Kotest provides the assertSoftly function for this purpose.

assertSoftly {
foo shouldBe bar
foo should contain(baz)
}

If any assertions inside the block failed, the test will continue to run. All failures will be reported in a single exception at the end of the block.

Another version of assertSoftly takes a test target and lambda with test target as its receiver.

assertSoftly(foo) {
shouldNotEndWith("b")
length shouldBe 3
}

We can configure assert softly to be implicitly added to every test via project config.

Note: only Kotest's own assertions can be asserted softly. To be compatible with assertSoftly, assertions from other libraries must be wrapped in shouldNotThrowAny, which is described later in this section. If any other checks fail and throw an AssertionError, it will not respect assertSoftly and bubble up, erasing the results of previous assertions. This includes Kotest's own fail() function, so when the following code runs, we won't know if the first assertion foo shouldBe bar succeeded or failed:

assertSoftly {
foo shouldBe bar
fail("Something happened")
}

Likewise, if mockks verify(...)` fails in the following example, the second assertion will not execute:

assertSoftly {
verify(exactly = 1) { myClass.myMethod(any()) }
foo shouldBe bar
}

So if we want to invoke non-kotest assertions inside assertSoftly blocks, they need to be invoked via shouldPass. In the following example both verify and the second assertion can fail, and we shall get both errors accumulated:

assertSoftly {
shouldNotThrowAny {
verify(exactly = 1) { myClass.myMethod(any()) }
}
foo shouldBe bar
}

Likewise, in the following example the failure of verify will not be ignored, it will be added along with the failure of the first assertion:

assertSoftly {
(2+2) shouldBe 5
shouldNotThrowAny {
verify(exactly = 1) { myClass.myMethod(any()) }
}
}

Note: by design, some of Kotest's own assertions are not compatible with assertSoftly, including:

  • shouldNotThrowExactly
  • shouldNotThrowExactlyUnit
  • shouldNotThrowMessage
  • shouldThrow
  • shouldThrowExactly
  • shouldThrowExactlyUnit
  • shouldThrowMessage
  • shouldThrowUnit
  • shouldThrowUnitWithMessage
  • shouldThrowWithMessage

But shouldThrowSoftly is compatible with assertSoftly.