我想到的实现您期望的最简单方法是在基于某些条件(例如执行环境)运行测试方法之前准备数据,然后在测试中使用这些预定义数据。考虑以下示例:
import spock.lang.Shared
import spock.lang.Specification
import spock.lang.Unroll
class EnvBasedDataSpec extends Specification {
@Shared
static Map data = [:]
def setupSpec() {
/* If you want to pick variable from env variables, use:
* System.getenv().getOrDefault('execution.environment', 'test')
*
* If you want to provide variable like -Dexecution.environment=test, use:
* System.getProperty('execution.environment', 'test')
*/
def executionEnvironment = System.getProperty('execution.environment', 'test')
switch (executionEnvironment) {
case 'test':
data = [a: 1, b: 3, c: 3]
break
case 'prod':
data = [a: 2, b: 4, c: 4]
break
}
}
@Unroll
def "maximum of two numbers (#a, #b) == #c"() {
expect:
Math.max(a, b) == c
where:
a | b || c
data.a | data.b || data.c
}
}
在这个例子中,我们准备了共享data
,它包含我们将在测试中使用的值。这里我们期望执行环境信息将作为
-Dexecution.environment=value
属性(或者您可以使用环境变量传递相同的信息)。在此示例中,如果缺少给定属性,我们还将使用默认值 -test
在这种情况下(如果您忘记指定执行环境变量,它将防止测试失败)。
替代方案:@IgnoreIf
条件执行
Spock 支持条件执行。看看如果我们使用方法,同样的测试会是什么样@IgnoreIf
子:
import spock.lang.IgnoreIf
import spock.lang.Specification
class AlternativeEnvBasedDataSpec extends Specification {
@IgnoreIf({ System.getProperty('execution.environment') == 'prod' })
def "maximum of two numbers (test)"() {
expect:
Math.max(a, b) == c
where:
a | b || c
1 | 3 || 3
}
@IgnoreIf({ System.getProperty('execution.environment') == 'test' })
def "maximum of two numbers (prod)"() {
expect:
Math.max(a, b) == c
where:
a | b || c
2 | 4 || 4
}
}
不幸的是,这种方法需要大量重复:您必须重复测试方法并且不能重复使用相同的名称(编译器不允许这样做)。这很容易出错 - 您必须注意将相同的测试主体放在应该测试相同内容但使用不同数据的所有方法中。另一件事是,@IgnoreIf
如果您引入第 3 个环境,则必须修改传递给的条件 - 在这种情况下,您将指定如下内容:
@IgnoreIf({ !(System.getProperty('execution.environment') in ['staging', 'prod']) })
我想你看到它开始有多少问题了。