Chef - 库函数



Chef 中的库函数提供了一个封装编译逻辑的地方,以便 Cookbook 菜谱保持整洁。

创建库函数

步骤 1 - 在 Cookbook 的库中创建一个辅助方法。

vipin@laptop:~/chef-repo $ subl cookbooks/my_cookbook/libraries/ipaddress.rb 
class Chef::Recipe 
def netmask(ipaddress) 
IPAddress(ipaddress).netmask 
end 
end

步骤 2 - 使用辅助方法。

vipin@laptop:~/chef-repo $ subl cookbooks/my_cookbook/recipes/default.rb 
ip = '10.10.0.0/24' 
mask = netmask(ip) # here we use the library method 
Chef::Log.info("Netmask of #{ip}: #{mask}") 

步骤 3 - 将修改后的 Cookbook 上传到 Chef 服务器。

vipin@laptop:~/chef-repo $ knife cookbook upload my_cookbook 
Uploading my_cookbook [0.1.0] 

测试库函数

user@server $ sudo chef-client 
...TRUNCATED OUTPUT... 
[2013-01-18T14:38:26+00:00] INFO: Netmask of 10.10.0.0/24: 
255.255.255.0 
...TRUNCATED OUTPUT... 

工作方法

Chef 库代码可以打开 chef::Recipe 类并添加新的方法,如步骤 1 中所做的那样。此步骤不是最干净的,但是最简单的方法。

class Chef::Recipe 
def netmask(ipaddress) 
... 
end 
end

最佳实践

一旦我们打开 chef::recipe 类,就会发生污染更改。最佳实践是,最好在库中引入一个新的子类并将方法定义为类方法。这避免了拉取 chef::recipe 命名空间。

vipin@laptop:~/chef-repo $ subl cookbooks/my_cookbook/libraries/ipaddress.rb 
class Chef::Recipe::IPAddress 
def self.netmask(ipaddress) 
IPAddress(ipaddress).netmask 
end 
end 

我们可以在菜谱中像这样使用该方法

IPAddress.netmask(ip) 
广告