我有一个类似这样的配置访存器。
def getForCountry[A](path: String, fallbackToDefault: Boolean)
(implicit loader: ConfigLoader[A], ac: AppContext): A = {
configuration.getOptional[A](s"${ac.country}.$path") match {
case Some(value) =>
value
case None if fallbackToDefault =>
configuration.get[A](path)
case None if !fallbackToDefault =>
throw new RuntimeException(s"${ac.country}.$path key not found in configuration")
}
相同方法的调用如下-
val countrySpecificConfig =
configurationHelper.getForCountry[Map[String, String]]("googleCloudPlatform.jobConfig.demandBasedPricing", fallbackToDefault = false)
现在我想在单元测试中模拟getForCountry方法-
when(configurationHelper
.getForCountry[Map[String, String]]("googleCloudPlatform.jobConfig.demandBasedPricing", fallbackToDefault = false))
.thenReturn(countryPricingWeekConfiguation)
令人惊讶的是,这种期望似乎设置不正确。在执行测试时,模拟返回null。
有关如何进行此操作的任何线索?如果您需要更多详细信息,请随时告诉我。
答案 0 :(得分:1)
我非常怀疑隐式ConfigLoader
和AppContext
的不同实例在您的实际方法调用中被传递并被模拟了。
如果使用的是intellij,请通过启用它们来验证传递了哪些隐式对象。要启用它们,请按ctr+alt+shift++
以下是完整的测试,可以模拟您的情况,效果很好:
test("mock example") {
trait ConfigLoader[T] {}
trait AppContext { def country: String }
trait ConfigurationHelper {
def getForCountry[A](x: String, fallbackToDefault: Boolean = true)(implicit loader: ConfigLoader[A], ac: AppContext): A
}
implicit val loader: ConfigLoader[Map[String, String]] = mock[ConfigLoader[Map[String, String]]]
implicit val ctx: AppContext = mock[AppContext]
val configurationHelper = mock[ConfigurationHelper]
val mockedResult = Map("x" → "1")
when(
configurationHelper
.getForCountry[Map[String, String]]("googleCloudPlatform.jobConfig.demandBasedPricing", fallbackToDefault = false)
).thenReturn(mockedResult)
val countrySpecificConfig =
configurationHelper
.getForCountry[Map[String, String]]("googleCloudPlatform.jobConfig.demandBasedPricing", fallbackToDefault = false)
countrySpecificConfig.foreach(println)
}
// =========================== Output ====================
// (x,1)
答案 1 :(得分:0)
感谢一吨Pritam。以下代码似乎有效。
when(configurationHelper
.getForCountry[Map[String, String]]
(ArgumentMatchers.eq("googleCloudPlatform.jobConfig.demandBasedPricing"), ArgumentMatchers.eq(false))
(ArgumentMatchers.any[ConfigLoader[Map[String, String]]](), ArgumentMatchers.any[AppContext]()))
.thenReturn(countryPricingWeekConfiguation)
答案 2 :(得分:0)
您尝试过mockito-scala吗?如果您使用新语法,则隐式将自动处理(假设您使用惯用语法,并且在测试和产品代码中解析了相同的实例)
即使使用传统语法,您的存根也将减少为
when(configurationHelper
.getForCountry[Map[String, String]]
(eqTo("googleCloudPlatform.jobConfig.demandBasedPricing"), eqTo(false))(*, *)
.thenReturn(countryPricingWeekConfiguation)
或使用惯用语法
configurationHelper.getForCountry[Map[String, String]]
("googleCloudPlatform.jobConfig.demandBasedPricing",false)
shouldReturn countryPricingWeekConfiguation
或者如果在测试和产品中隐式内容不相同(请注意,我也可以混合使用*等arg匹配器和类似'false'的原始参数)
configurationHelper.getForCountry[Map[String, String]]
("googleCloudPlatform.jobConfig.demandBasedPricing",false)(*,*)
shouldReturn countryPricingWeekConfiguation