kotlin:如何继承 Spek class 以拥有共同的夹具

kotlin: how to inherit from Spek class to have common fixture

我想为我的测试使用一个通用夹具:

@RunWith(JUnitPlatform::class)
abstract class BaseSpek: Spek({

    beforeGroup {println("before")}

    afterGroup {println("after")}
})

现在我想使用那个规格:

class MySpek: BaseSpek({
    it("should xxx") {}
})

但是由于无参数 BaseSpek 构造函数,我得到了编译错误。实现我需要的正确方法是什么?

您可以在 Spec 上定义一个扩展来设置所需的夹具,然后将其应用到您的 Spek 中,如下所示:

fun Spec.setUpFixture() {
    beforeEachTest { println("before") }
    afterEachTest { println("after") }
}

@RunWith(JUnitPlatform::class)
class MySpek : Spek({
    setUpFixture()
    it("should xxx") { println("xxx") }
})

虽然这不是您所要求的,但它仍然允许灵活的代码重用。


UPD:这是一个具有 Speks 继承的工作选项:

open class BaseSpek(spec: Spec.() -> Unit) : Spek({
    beforeEachTest { println("before") }
    afterEachTest { println("after") }
    spec()
})

@RunWith(JUnitPlatform::class)
class MySpek : BaseSpek({
    it("should xxx") { println("xxx") }
})

基本上,做这个,你颠倒了继承方向,这样子 MySpekSpec.() -> Unit 的形式将其设置传递给父 BaseSpek,父 BaseSpek 添加了设置它传递给 Spek.

的内容