使用exit完成对错误条件的Rspec测试

时间:2016-12-30 07:04:09

标签: ruby rspec error-handling exit

我正在为Ruby gem编写命令行界面,我有这个方法exit_error,它作为退出错误指向处理时执行的所有验证。

def self.exit_error(code,possibilities=[])
  puts @errormsgs[code].colorize(:light_red)
  if not possibilities.empty? then
    puts "It should be:"
    possibilities.each{ |p| puts "  #{p}".colorize(:light_green) }
  end
  exit code
end

其中@errormsgs是一个哈希,其键是错误代码,其值是相应的错误消息。

这样我可以为用户提供自定义错误消息,编写如下的验证:

exit_error(101,@commands) if not valid_command? command

其中:

@errormsgs[101] => "Invalid command." 
@commands = [ :create, :remove, :list ] 

并且输入错误命令的用户将收到如下错误消息:

Invalid command.
It should be:
  create
  remove
  list

同时,这样我可能会有bash脚本检测到导致退出条件的错误代码,这对我的宝石来说非常重要。

这个方法和整个策略一切正常。但我必须承认,我在没有先编写测试的情况下编写了所有这些内容。我知道,我知道......对我感到羞耻!

既然我已经完成了宝石,我想提高我的代码覆盖率。其他所有内容都是由本书完成的,首先编写测试并在测试后编写代码。因此,对这些错误条件进行测试也会很棒。

当我使用exit来中断处理时,我真的不知道如何为这种特殊情况编写Rspec测试。有什么建议吗?

更新 =>这个宝石是编程环境的一部分"充满了bash脚本。其中一些脚本需要确切地知道错误条件,这会中断执行命令以便相应地执行操作。

1 个答案:

答案 0 :(得分:2)

例如:

class MyClass
  def self.exit_error(code,possibilities=[])
    puts @errormsgs[code].colorize(:light_red)
    if not possibilities.empty? then
      puts "It should be:"
      possibilities.each{ |p| puts "  #{p}".colorize(:light_green) }
    end
    exit code
  end
end

你可以把它的rspec写成这样的东西:

describe 'exit_error' do
  let(:errormsgs) { {101: "Invalid command."} }
  let(:commands) { [ :create, :remove, :list ] }
  context 'exit with success'
    before(:each) do
      MyClass.errormsgs = errormsgs # example/assuming that you can @errormsgs of the object/class
      allow(MyClass).to receive(:exit).with(:some_code).and_return(true)
    end

    it 'should print commands of failures'
      expect(MyClass).to receive(:puts).with(errormsgs[101])
      expect(MyClass).to receive(:puts).with("It should be:")
      expect(MyClass).to receive(:puts).with(" create")
      expect(MyClass).to receive(:puts).with(" remove")
      expect(MyClass).to receive(:puts).with(" list")
      MyClass.exit_error(101, commands)
    end
  end

  context 'exit with failure'
    before(:each) do
      MyClass.errormsgs = {} # example/assuming that you can @errormsgs of the object/class
      allow(MyClass).to receive(:exit).with(:some_code).and_return(false)
    end

    # follow the same approach as above for a failure
  end
end

当然,这是您的规范的初始前提,如果复制并粘贴代码,可能不会起作用。你必须做一些阅读和重构才能从rspec获得绿色信号。