Spock& Spock Reports:如何在Label / Block中打印变量

时间:2015-11-22 15:39:23

标签: testing spock spock-reports

我正在使用:

  • Spock Core
  • Spock报告
  • Spock Spring
  • Spring MVC Testing

我有以下代码:

def "findAll() Expected"(){

    given: "The URL being used is: /personas/xml/personas"

        url = PersonaUrlHelper.FINDALL;

    when: "When the URL is being calling with a GET"

        resultActions = mockMvc.perform(get(url)).andDo(print())

    then: "something..."

        resultActions.andExpect(status().isOk())
                     .andExpect(content().contentType(RequestMappingProducesJsonUtf8.PRODUCES_JSON_UTF_8))

}

两个观察结果:

一个:观察given: "The URL being used is: /personas/xml/personas"手动添加了网址/ URI值。

两个url变量已定义为实例变量,因为它在许多测试方法中很常见。因此def String url

我的问题是:

如何在 Spock 标签/块中显示url变量?如何(给定,然后......)?它将通过 Spock Reports 打印并改进我的测试文档

我已阅读以下内容: Spocklight: Extra Data Variables for Unroll Description

解决 @Unroll 的问题。但我确实认识到where标签/块的所有工作。

我已经尝试过类似的东西:

given: "The URL being used is: $url"
given: "The URL being used is: ${url}"

并且不起作用

我想解决类似以下内容的语法

def "findAll() Expected"(){

    url = PersonaUrlHelper.FINDALL;

    given: "The URL being used is: $url"

        …. something

    when: "When the URL is being calling with a GET"

那么可能是正确的配置呢?

假设我为一些Spring PersonaUrlHelper.FINDALL和此测试方法中使用的@RequestMapping做了一个重构。我不想手动更新given标签/块

中的文字

那么正确的语法是什么?

1 个答案:

答案 0 :(得分:1)

快速回答:

我想where - 阻止方法将是正确的方法。使用像

这样的东西
where: "When the URL is being calling with a GET"
  url << PersonaUrlHelper.FINDALL

从测试中删除url的定义。您将能够使用url变量,因为它在where - 块中定义。您将能够从测试说明中将其引用为#url

@Unroll
def "findAll() Expected"(){
    given: "The URL being used is: #url"
        //removed url definition
    when: "When the URL is being calling with a GET"
        resultActions = mockMvc.perform(get(url)).andDo(print())
    then: "something..."
        resultActions.andExpect(status().isOk())
                 .andExpect(content().contentType(RequestMappingProducesJsonUtf8.PRODUCES_JSON_UTF_8))
    where: "When the URL is being calling with a GET"
        url << [PersonaUrlHelper.FINDALL]
}

另一种更为hacky的方式是仅通过url打印println url - 这个输出也是afaik捕获的,但它不会那么好。

更新:请查看以下spock控制台脚本:https://meetspock.appspot.com/script/5146767490285568

import spock.lang.*

class PersonalUrlHelper {
  final static String FINDALL = 'http://example.com'
}

class MyFirstSpec extends Specification {
  @Unroll
  def "findAll() Expected #url "(){
    given:"The URL being used is: #url"        
    when: "When URL (#url) is assigned to a"        
      def a = url    
    then: "a equals the URL (#url)"        
      a == url
    where: "the URL is fetched from another class or map in this case"        
      url << [PersonalUrlHelper.FINDALL]
  }
}

我试图模拟你的脚本 - 没有你的代码。

如您所见,URL的内容将打印在测试名称中。 AFAIK,当通过spock-reports打印出来时,它也会反映在不同测试块的文本中。

BTW:[]非常重要,因为它们将返回的字符串转换为包含一个元素的列表。否则,字符串将被解释为lsit,测试将遍历每个字符。

这有帮助吗?