4

我有以下厨师食谱:

# recipes/default.rb

include_recipe 'my-cookbook::another_recipe'

execute 'Do some stuff' do
  command "echo some stuff"
  action :run
end

template "my_dir/my_file.txt" do
  source "my_file.txt.erb"
  owner 'myuser'
  group 'mygroup'
  notifies :restart, resources(:service => 'my-service'), :delayed
end

和另一个食谱

# recipes/another_recipe.rb

service 'my-service' do
  start_command "my-service start"
  stop_command "my-service stop"
  supports :start => true, :stop => true
  action :nothing
end

现在我想单独为default食谱编写一个 Chefspec 单元测试。所以我写了这个:

# spec/unit/recipes/default_spec.rb

require 'rspec/core'
require 'chefspec'

describe 'my-cookbook::default' do
  let(:chef_run) { ChefSpec::SoloRunner.converge(described_recipe) }

  before do
    allow_any_instance_of(Chef::Recipe).to receive(:include_recipe).with('my-cookbook::another_recipe')
  end

  it "Does the stuff" do
    expect(chef_run).to run_execute("echo some stuff")
  end

end

我如何创建一个虚拟的服务another_recipe来防止这种情况发生:

 11:    group 'mygroup'
 12>>   notifies :restart, resources(:service => 'my-service'), :delayed
 13:  end
...
Failure/Error: let(:chef_run) { ChefSpec::SoloRunner.converge(described_recipe) }
Chef::Exceptions::ResourceNotFound:
Cannot find a resource matching service[my-service] (did you define it first?)

我知道这可能是一个糟糕的设计和一个相当简单的新手问题,但我真的被困在这里,我的情况是这样的:

  • 我有几个月的 Chef 经验,但除此之外没有 Ruby 经验
  • 这是一个生产代码,最初是在没有任何单元测试的情况下编写的
  • 真正的代码包含更多的东西,这里的这些代码片段只是特定问题的模型
  • 我的任务是修改default配方,所以我想添加一些单元测试来验证我的修改是否有效并且不会破坏现有功能
  • 在这一点上,我想尽可能避免修改任何其他文件(即another_recipe
  • 如果我也让测试运行,another_recipe那么我需要模拟并设置它需要的太多其他东西

谢谢 :) k6ps

4

3 回答 3

3

我的观点:

您应该允许 another_recipe 运行并执行必要的操作以使其收敛。如果不是,您就不能真正信任您的测试,因为它们没有针对运行中会发生的事情进行。

无论如何回答您的情况的解决方法:

好吧,您可以在您的食谱中添加一个“mockers recipe”,它将定义您在没有太多存根/模拟调用的情况下测试您的食谱所需的无操作资源。

假设它被称为“spec-receipe.rb”,它看起来像:

service 'my-service' do
  action :nothing
end

然后你运行你的测试,包括这个'spec-recipe',如下所示:

let(:chef_run) { ChefSpec::SoloRunner.converge('my_cookbook::spec-recipe',described_recipe) }

另一种方法可能是include_recipe 'my_cookbook::spec-recipe' if defined?(ChefSpec)这样这个食谱将只包含在 chefspec 运行中而不是正常运行中,并且您不必在运行器声明中指定它。

于 2015-03-13T14:20:19.240 回答
1
describe 'mycookbook::default' do
  context 'something' do
    let(:solo) do
      ChefSpec::SoloRunner.new
    end 

    let(:chef_run) do
      solo.converge(described_recipe) do
        solo.resource_collection.insert(
                Chef::Resource::Service.new('apache2', solo.run_context))
      end 
    end 

    it 'runs without errors' do
      allow_any_instance_of(Chef::Recipe).to receive(:include_recipe)
      chef_run
    end 
  end 
end
于 2016-02-08T16:46:50.620 回答
0

另一种方法是在您的配方中包含开始/救援,以便在必要时将服务添加到资源集合中。默认操作是 :nothing,因此您只需将其列在救援块中即可。

begin
  svc = resources('service[my-service]')
rescue
  svc = service 'my-service'
end

template "my_dir/my_file.txt" do
  source "my_file.txt.erb"
  owner 'myuser'
  group 'mygroup'
  notifies :restart, svc, :delayed
end
于 2015-08-12T20:48:07.010 回答