在下面的MWE中,我试图验证调用baz()是否也调用了另一个对象上的方法。但是,我似乎无法模拟/监视该对象。

MWE:

package com.example

import io.mockk.every
import io.mockk.mockkStatic
import io.mockk.spyk
import io.mockk.verify
import org.junit.jupiter.api.Test

class FooBarTest {
    @Test
    fun `top level fun baz() calls theVal_bar()`() {
        mockkStatic("com.example.FooBarTestKt")
        val spy = spyk(theVal, name = "Hello, Spy!")

        every { theVal } returns spy

        // Should call bar() on the spy, but note that the spy's name is not printed
        baz()

        verify { spy.bar() }
    }
}

class Foo

fun Foo.bar() = println("Foo.bar! name = $this")

val theVal = Foo()

fun baz() = theVal.bar()

这将失败,因为对theVal.bar()的调用将获得val初始化程序值,而不是模拟值spy

如何在不更改顶级属性定义的情况下强制使用正在使用的 spy ?换句话说:我需要一个顶级的“常量”,但我也想对其进行 mock 。我可以使用val theVal get() = Foo()来解决问题,但是它会显着更改代码,因为每次都会替换Foo实例。

使用的版本:
-Kotlin 1.3.10
-MockK 1.8.13.kotlin13
-JUnit 5.3.1

错误:
java.lang.AssertionError: Verification failed: call 1 of 1: class com.example.FooBarTestKt.bar(eq(Foo(Hello, Spy!#1)))). Only one matching call to FooBarTestKt(static FooBarTestKt)/bar(Foo) happened, but arguments are not matching:
[0]: argument: com.example.Foo@476b0ae6, matcher: eq(Foo(Hello, Spy!#1)), result: -

最佳答案

哦,当涉及到静态和对象模拟以及扩展功能时,这真是疯狂。为了生存,只需将扩展函数视为带有参数的静态函数即可。

检查,这是有效的,因为fooInstance只是作为第一个参数传递的对象:

    mockkStatic("kot.TestFileKt")

    baz()

    val fooInstance = theVal

    verify { fooInstance.bar() }

合并不起作用:
    verify { theVal.bar() }

因为已经过验证。

这也将起作用(就像我说的Foo只是静态方法的第一个参数):
    mockkStatic("kot.TestFileKt")

    baz()

    verify { any<Foo>().bar() }

关于unit-testing - MockK-在顶级val上调用模拟/ spy 顶级扩展方法,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/53502043/

10-11 03:46