我有一个人偶模块A。 在该模块中,我需要重启服务以更改文件。
class A::test1 {
include ::corednsclient
service { 'sshd':
ensure => running,
enable => true,
}
}
现在,我有一个不同的人偶模块B。 在该模块中,我还必须重新启动相同的服务才能更改另一个文件。
现在,问题在于我得到以下信息:
Duplicate declaration error
当我在执行 / opt / puppetlabs / bin / puppet时--modulepath = / abc xyz / site.pp
如果我像 puppet那样独立运行每个模块,请-e'include moduleA' 和 puppet apply -e'include moduleB',两者都可以正常工作。 但是人偶在全球范围内应用似乎失败了。
任何帮助将不胜感激!
Error: Evaluation Error: Error while evaluating a Resource Statement,
Duplicate declaration: Service[sshd] is already declared in file
/export/content/ucm/puppet/modules/coresshd/manifests/configure.pp:28; cannot
redeclare at
/export/content/ucm/puppet/modules/corednsclient/manifests/daemon_reload.pp:10 at
/export/content/ucm/puppet/modules/corednsclient/manifests/daemon_reload.pp:10:3 on
node lor1-0002276.int.xxx.com .
答案 0 :(得分:2)
是的,这很正常。木偶只允许声明一次资源。通常,如果您有类似以下代码:
class aaa {
notify { 'xxx': message => 'yyy' }
}
class bbb {
notify { 'xxx': message => 'yyy' }
}
include aaa
include bbb
将其应用于人偶,您将看到如下错误:
Error: Evaluation Error: Error while evaluating a Resource Statement,
Duplicate declaration: Notify[xxx] is already declared at (file: ...test.pp,
line: 2); cannot redeclare (file: ...test.pp, line: 6) (file: ...test.pp, line: 6,
column: 3) on node ...
通常,解决此问题的最佳方法是重构代码,以使第三个类包含重复的资源,而其他类 include 使用include
函数,像这样:
class ccc {
notify { 'xxx': message => 'yyy' }
}
class aaa {
include ccc
}
class bbb {
include ccc
}
include aaa
include bbb
那很好。
请注意,这仅是因为include
函数可以调用任意次,这与资源声明不同-与资源类声明不同。
您可以阅读有关“类似包含v类似于资源的类声明” here的更多信息。
您也可以使用virtual resources。像这样重构:
class ccc {
@notify { 'xxx': message => 'yyy' }
}
class aaa {
include ccc
realize Notify['xxx']
}
class bbb {
include ccc
realize Notify['xxx']
}
include aaa
include bbb
此资源的另一个优势是,您可以使用资源收集器并从一组虚拟资源中仅选择特定资源,如下所示:
class ccc {
@notify { 'ppp': message => 'xxx' }
@notify { 'qqq': message => 'yyy' }
@notify { 'rrr': message => 'zzz' }
}
class aaa {
include ccc
Notify <| message == 'xxx' |>
}
class bbb {
include ccc
Notify <| message == 'xxx' or message == 'yyy' |>
}
include aaa
include bbb
如果您在这里不需要此功能(如实际情况),则可能应该使用第一个建议。
另一个选项是stdlib中的ensure_resources
函数:
class aaa {
ensure_resources('notify', {'xxx' => {'message' => 'yyy'}})
}
class bbb {
ensure_resources('notify', {'xxx' => {'message' => 'yyy'}})
}
include aaa
include bbb
从历史上看,强烈建议不要这样做,尽管文档中没有提及任何不使用它的理由。可以像这样使用defined
:
class aaa {
if ! defined(Notify['xxx']) {
notify { 'xxx': message => 'yyy' }
}
}
class bbb {
if ! defined(Notify['xxx']) {
notify { 'xxx': message => 'yyy' }
}
}
include aaa
include bbb
这样,仅当资源不在目录中时,该资源才会添加到目录中。