如何在厨师的另一本食谱中使用库方法?

How to use Library Methods from another cookbook in chef?

我有一个案例,我必须使用另一本食谱中的库函数,但我总是得到 had an error: NoMethodError: undefined method 'func'.

我尝试了什么:

cookbook_1/libraries/lib1.rb:

module namespace_1
  module namespace_2
    def func(var)
       something
    end
  end
end


Chef::Recipe.include(namespace_1::namespace_2)

cookbook_2/metadata.rb:

.
.
depends 'cookbook_1'

cookbook_2/resource/some_resource.rb:

# Try 1
action :setup do
  a = func('abc')
end

#Try 2
extend namespace_1::namespace_2
action :setup do
  a = func('abc')
end


#Try 3
::Chef::Recipe.send(:include, namespace_1::namespace_2)
action :setup do
  a = func('abc')
end


#Try 4
action :setup do
  a = namespace_1::namespace_2::func('abc')
end


#Try 5
Chef::Recipe.include(namespace_1::namespace_2)
action :setup do
  a = namespace_1::namespace_2::func('abc')
end

我遇到了同样的错误,即 NoMethodError: undefined method 'func' 我该如何解决?

为了在库或自定义资源中编写的 Ruby 方法在自定义资源操作中可用,我们应该使用 action_class 块。

引自documentation

Use the action_class block to make methods available to the actions in the custom resource.

因此,在您的 cookbook1 中,除了拥有图书馆外,您还应该拥有 action_class 的自定义资源。我正在根据你的例子给出我自己的例子。

食谱 1: libraries/lib1.rb:

# a custom function to just return the received argument 

module Namespace1
  module Namespace2  
    def custom_func(arg1)
      arg1
    end
  end
end

食谱 1: resources/some_resource.rb:

property :msg, String, name_property: true

# this is required to make sure functions are available to custom actions
action_class do
  include Namespace1::Namespace2
end

action :setup do
  a = custom_func(new_resource.msg)
  
  log a do
    level :info
  end
end

请注意,我在与库相同的说明书中创建了自定义资源。现在可以在 cookbook2:

中使用此自定义资源

食谱2: metadata.rb

depends 'cookbook1'

食谱2:recipes/default.rb:

cookbook1_some_resource 'Test custom function'