6

我正在尝试使用 RSpec 为我在 RoR 中的测试创建一个自定义匹配器。

  define :be_accessible do |attributes|
    attributes = attributes.is_a?(Array) ? attributes : [attributes]
    attributes.each do |attribute|
      match do |response|
        response.class.accessible_attributes.include?(attribute)
      end
      description { "#{attribute} should be accessible" }
      failure_message_for_should { "#{attribute} should be accessible" }
      failure_message_for_should_not { "#{attribute} should not be accessible" }
    end
  end

我希望能够在我的测试中编写如下内容:

...
should be_accessible(:name, :surname, :description)
...

但是使用上面定义的匹配器,我必须传递一个符号数组而不是用逗号分隔的符号,否则测试只检查第一个符号。

有任何想法吗?

4

1 回答 1

4

我让它这样工作:

RSpec::Matchers.define :be_accessible do |*attributes|
  match do |response|

    description { "#{attributes.inspect} be accessible" }

    attributes.each do |attribute|
      failure_message_for_should { "#{attribute} should be accessible" }
      failure_message_for_should_not { "#{attribute} should not be accessible" }

      break false unless response.class.accessible_attributes.include?(attribute)
    end
  end
end

我倒转了matcheach循环。我认为这是 Rspec 期望的方式,因为给match方法的块是由 Rspec 抽象匹配器执行的块(我猜)。

通过用 定义块|*attributes|,它获取参数列表并将其转换为Array.

所以调用should be_accessible(:name, :surname, :description)会起作用。

顺便说一句,如果你只是想检查属性是否存在,一个简单的

should respond_to(:name, :surname, :description)

也可以。但它看起来不像质量分配方面。

于 2013-04-22T10:14:02.077 回答