mockito,在 kotlin 中如何验证静态方法

mockito, in koltin how to verify a static method

有一个 kotlin 单例静态方法

internal object TestSingleton {
    @JvmStatic
    fun staticMethod1 (str: String) {
        println("+++ === +++ TestSingleton.staticMethod(), $str")
        staticMethod2 (str)
    }

    @JvmStatic
    fun staticMethod2 (str: String) {
        println("+++ === +++ TestSingleton.staticMethod2(), $str")
    }
}

在java测试代码:

    @Test
    public void test_staticMethod() {

        try (MockedStatic<TestSingleton> theMock = Mockito.mockStatic(TestSingleton.class, CALLS_REAL_METHODS)) {

            TestSingleton.staticMethod1("test");
            theMock.verify(() -> TestSingleton.staticMethod2(eq("test")), times(1));
        }
    }

运行良好 但转换为 kotlin 它不编译:

    @Test
    open fun test_staticMethod() {
        Mockito.mockStatic(TestSingleton::class.java, Mockito.CALLS_REAL_METHODS).use { theMock ->
            staticMethod1("test")

            theMock.verify(() -> TestSingleton.staticMethod(any(Context.class), "test"), times(1))
            // or
            theMock.verify(times(1), () -> TestSingleton.staticMethod(any(Context.class)) )

        }
    }

有 mockito 版本 testImplementation "org.mockito:mockito-inline:3.12.4".

如何在 kotlin 中使用 mockito 测试静态方法? 还没有尝试过 mockk,因为有很多测试一直在使用 mockito。不确定在这种情况下使用 mockk 有多简单。

以下是如何在 mockk 中执行此操作(我强烈建议从 Mockito 切换,mockk 简单得多):

import TestSingleton.staticMethod1
import io.mockk.every
import io.mockk.just
import io.mockk.mockkStatic
import io.mockk.runs
import io.mockk.verify
import org.junit.jupiter.api.Test

internal object TestSingleton {
    @JvmStatic
    fun staticMethod1(str: String) {
        println("+++ === +++ TestSingleton.staticMethod(), $str")
        staticMethod2(str)
    }

    @JvmStatic
    fun staticMethod2(str: String) {
        println("+++ === +++ TestSingleton.staticMethod2(), $str")
    }
}

class StackSign {

    @Test
    fun test_staticMethod() {

        mockkStatic(TestSingleton::class)
        every { TestSingleton.staticMethod2("test") } just runs
        staticMethod1("test")
        verify(exactly = 1) { TestSingleton.staticMethod2("test") }
    }
}

顺便说一句,将此添加到您的 build.gradle.kts

testImplementation("io.mockk:mockk:1.12.3")