Mock class 在 Kotlin 方法中使用
Mock class used in a method Kotlin
我正在使用 mockk Kotlin 库。我有一个服务服务,它有一个调用 3d 方客户端的私有方法
class Service {
fun foo() {
bar()
}
private fun bar() {
client = Client()
client.doStuff()
}
}
现在在我的测试中我需要模拟客户端,例如
@Test
fun `my func does what I expect` {
}
我还需要模拟 doStuff returns。我如何在 Kotlin mockk 中实现这一点?
首先,您永远不应该在您的服务 中实例化 Client
之类的依赖项 class,因为您无法访问它来提供 Mock。让我们先处理一下...
class Client { // this is the real client
fun doStuff(): Int {
// access external system/file/etc
return 777
}
}
class Service(private val client: Client) {
fun foo() {
bar()
}
private fun bar() {
println(client.doStuff())
}
}
然后是如何使用 Mockk
class ServiceTest {
private val client: Client = mockk()
@Test
fun `my func does what I expect`() {
every { client.doStuff() } returns 666
val service = Service(client)
service.foo()
}
}
我正在使用 mockk Kotlin 库。我有一个服务服务,它有一个调用 3d 方客户端的私有方法
class Service {
fun foo() {
bar()
}
private fun bar() {
client = Client()
client.doStuff()
}
}
现在在我的测试中我需要模拟客户端,例如
@Test
fun `my func does what I expect` {
}
我还需要模拟 doStuff returns。我如何在 Kotlin mockk 中实现这一点?
首先,您永远不应该在您的服务 中实例化 Client
之类的依赖项 class,因为您无法访问它来提供 Mock。让我们先处理一下...
class Client { // this is the real client
fun doStuff(): Int {
// access external system/file/etc
return 777
}
}
class Service(private val client: Client) {
fun foo() {
bar()
}
private fun bar() {
println(client.doStuff())
}
}
然后是如何使用 Mockk
class ServiceTest {
private val client: Client = mockk()
@Test
fun `my func does what I expect`() {
every { client.doStuff() } returns 666
val service = Service(client)
service.foo()
}
}