我是Groovy和Spock的新手。
我正在尝试创建一种通用方法来模拟系统中的对象。
问题
我正在尝试创建一个函数,该函数将获取一个对象并动态模拟该对象中所需的函数。 该函数获取一个带有数据的函数映射,何时模拟每个函数以及返回什么。 函数返回错误。
我创建了一个课程
class MetaData {
Object[] argTypes
def returnValue
Object[] argsMatchers
MetaData(Object[] argTypes, returnValue, Object[] argsMatchers) {
this.argTypes = argTypes
this.returnValue = returnValue
this.argsMatchers = argsMatchers
}
}
模拟功能是:
def mockFunctionTestData(Map overrides = [:], def clazz){
def args = Mock(clazz)
overrides.each { String key, value ->
Object[] argTypes = value.argTypes
if(args.metaClass.respondsTo(args, key, argTypes).size() == 1){
def methodToGetRequest = key
def argsMatchers = value.argsMatchers
def returnValue = value.returnValue
args."$methodToGetRequest"(*argsMatchers) >> returnValue
} else {
println "Error: Trying to add property that doesn't exist"
}
}
return args
}
我正在创建对象:
def functionData = new MetaData([Date, Date, List, boolean] as Object[],
meas,
[_ as Date, _ as Date, new ArrayList<>(), true] as Object[]) //the line that fails
def dogDAO = [getDogData: functionData]
def testDog= mockFunctionTestData(dogDAO , Dog)
上面的代码返回以下异常:
org.codehaus.groovy.runtime.typehandling.GroovyCastException: Cannot cast object '_' with class 'org.spockframework.lang.Wildcard' to class 'java.util.Date' due to: groovy.lang.GroovyRuntimeException: Could not find matching constructor for: java.util.Date(org.spockframework.lang.SpreadWildcard)
失败的行
[_ as Date, _ as Date, new ArrayList<>(), true] as Object[])
答案 0 :(得分:2)
在Spock Framework中,您不能以这种动态方式创建模拟。 Spock拥有自己的编译器(准确地说是AST转换),可创建可执行的测试代码。仅在交互部分中,它才会将“ _”识别为通配符,并且将“ >>”运算符识别为返回固定值。这就是为什么您会得到该例外。因为“ _”通配符不在交互部分中。建议您编写类似于以下内容的测试:
class DogSpec extends Specification {
def "test the dog"() {
when:
def dog = Mock(Dog) {
1 * getDogData(_ as Date, _ as Date, new ArrayList<>(), true) >> "Bark"
}
then:
dog.getDogData(new Date(), new Date(), [], true) == "Bark"
}
}