我想为以下scala类编写单元测试。 在下面的实现中,QueryConfig是最终案例类。
class RampGenerator {
def createProfile(queryConfig: QueryConfig): String = {
new BaseQuery(queryConfig).pushToService().getId
}
}
我写的单元测试是这个
@RunWith(classOf[JUnitRunner])
class RampGeneratorTest extends FlatSpec with Matchers {
"createProfile" must "succeed" in {
val rampGenerator = new RampGenerator()
val queryConfig = QueryConfig("name", "account", “role")
val baseQuery = mock(classOf[BaseQuery])
val profile = mock(classOf[Profile])
when(new BaseQuery(queryConfig)).thenReturn(baseQuery)
when(baseQuery.pushToService()).thenReturn(profile)
when(profile.getId).thenReturn("1234")
val id = rampGenerator.createProfile(queryConfig)
assert(id.equals("1234"))
}
}
当前,它给出了以下异常,这是可以预期的,因为我没有在何时使用模拟类。如何模拟新的实例创建?
org.mockito.exceptions.misusing.MissingMethodInvocationException:
when() requires an argument which has to be 'a method call on a mock'.
For example:
when(mock.getArticles()).thenReturn(articles);
答案 0 :(得分:1)
有两种选择:
关于第二个选项的更多信息-这实际上是一种测试技术,可在多种情况下提供帮助(几个示例:您的示例,创建akka actor并声明层次结构)-因此,拥有它可能会很有用在“工具箱”中。
在您的情况下,它将看起来像这样:
class RampGenerator(queryFactory: QueryFactory) {
def createProfile(queryConfig: QueryConfig) = queryFactory.buildQuery(queryConfig).pushToService().getId()
}
class QueryFactory() {
def buildQuery(queryConfig: QueryConfig): BaseQuery = ...
}
@RunWith(classOf[JUnitRunner])
class RampGeneratorTest extends FlatSpec with Matchers {
"createProfile" must "succeed" in {
val rampGenerator = new RampGenerator()
val queryConfig = QueryConfig("name", "account", “role")
val queryFactory = mock(classOf[QueryFactory])
val profile = mock(classOf[Profile])
val baseQuery = mock(classOf[BaseQuery])
when(queryFactory.buildQuery(queryConfig)).thenReturn(baseQuery)
when(baseQuery.pushToService()).thenReturn(profile)
when(profile.getId).thenReturn("1234")
val id = rampGenerator.createProfile(queryConfig)
assert(id.equals("1234"))
}
}
请注意,查询工厂不必是单独的工厂类/类的层次结构(当然也可以 require 像抽象工厂模式一样笨重,尽管您可以使用它)。特别是,我的初始版本仅使用queryFactory: QueryConfig => BaseQuery
函数,但模仿者不能模仿函数...
如果您希望直接(通过函数)注入工厂方法,Scalamock支持模拟函数