我如何模拟或覆盖Kernel.system?

时间:2013-05-20 17:58:57

标签: ruby mocking testunit

如何以正确的方式模拟或覆盖Kernel.system方法,以便在调用时使用:

system("some command")

而不是执行命令,它执行一些预定义的代码?

我尝试将以下内容添加到我的Test类中:

module Kernel
    def system
        puts "SYSTEM CALL!!"
    end
end

但它没有按预期工作,而是在执行测试时运行系统调用。

4 个答案:

答案 0 :(得分:7)

在某些情况下,执行expect(Kernel).to receive(:system)是不够的。

考虑这个例子:

foo_component.rb

class FooComponent
  def run
    system('....')
  end
end

foo_component_spec.rb

require 'spec_helper'

describe FooComponent do
  let(:foo_component) { described_class.new }

  describe '#run' do
    it 'does some awesome things' do
      expect(Kernel).to receive(:system).with('....')
      foo_component.run
    end
  end
end

它无效。这是因为Kernel是一个模块,Object(父类)混合在Kernel模块中,使得所有Kernel方法在“全局”范围内可用。

这就是为什么正确的测试应该是这样的:

require 'spec_helper'

describe FooComponent do
  let(:foo_component) { described_class.new }

  describe '#run' do
    it 'does some awesome things' do
      expect(foo_component).to receive(:system).with('....')
      foo_component.run
    end
  end
end

答案 1 :(得分:5)

如果您正在谈论单元测试并使用Rspec,您应该可以这样做:

Kernel.should_receive(:system)

或者更松散:

Kernel.stub(:system)

更多信息:https://www.relishapp.com/rspec/rspec-mocks/v/2-13/docs/message-expectations/expect-a-message

答案 2 :(得分:4)

自从提出这个问题以来,RSpec 3已经推出了一种新的语法,你可以写下这个:

expect(Kernel).to receive(:system)

如果您的代码检查系统调用是否成功,您可以指定如下结果:

expect(Kernel).to receive(:system).and_return(true)

松散的版本:

allow(Kernel).to receive(:system).and_return(true)

答案 3 :(得分:0)

如果它在一个类中,则将内核混入其中。因此,您只需模拟它就好像它是对象的一部分一样。

例如

expect(subject).to receive(:system).and_return(foo)