2

我曾经有一个简单的剧本(类似这样的东西),我在我的所有机器(基于 RH 和 Debian)上运行以更新它们,并为每台更新的机器运行一个脚本(通知处理程序)。

最近我尝试测试一个名为 的新模块,因此我将首先收集事实并根据那里将主机分组为密钥,然后我希望在密钥的所有主机上运行 yum update而group_by不是使用when条件运行是 PackageManager_yum ,参见剧本示例:yum updateansible_distribution == "CentOS"ansible_pkg_mgr

---
- hosts: all
  gather_facts: false
  remote_user: root
  tasks:

    - name: Gathering facts
      setup:

    - name: Create a group of all hosts by operating system
      group_by: key=PackageManager_{{ansible_pkg_mgr}}

- hosts: PackageManager_apt
  gather_facts: false
  tasks:
    - name: Update DEB Family
      apt: 
        upgrade=dist
        autoremove=yes
        install_recommends=no
        update_cache=yes
      when: ansible_os_family == "Debian"
      register: update_status
      notify: updateX
      tags: 
        - deb
        - apt_update
        - update

- hosts: PackageManager_yum
  gather_facts: false
  tasks:
    - name: Update RPM Family
      yum: name=* state=latest
      when: ansible_os_family == "RedHat"
      register: update_status
      notify: updateX
      tags: 
        - rpm
        - yum
        - yum_update

  handlers:
    - name: updateX
      command: /usr/local/bin/update

这是我得到的错误信息,

PLAY [all] ********************************************************************

TASK [Gathering facts] *********************************************************
Wednesday 21 December 2016  11:26:17 +0200 (0:00:00.031)       0:00:00.031 **** 
....

TASK [Create a group of all hosts by operating system] *************************
Wednesday 21 December 2016  11:26:26 +0200 (0:00:01.443)       0:00:09.242 **** 

TASK [Update DEB Family] *******************************************************
Wednesday 21 December 2016  11:26:26 +0200 (0:00:00.211)       0:00:09.454 **** 
ERROR! The requested handler 'updateX' was not found in either the main handlers list nor in the listening handlers list

提前致谢。

4

1 回答 1

2

您仅在其中一场比赛中定义了处理程序。如果你看一下缩进就很清楚了。

您执行的播放PackageManager_apt根本没有handlers(它无法访问updateX单独播放中定义的处理程序),因此 Ansible 抱怨。

如果您不想复制代码,可以将处理程序保存到单独的文件(让我们命名它handlers.yml)并包含在两个播放中:

  handlers:
    - name: Include common handlers
      include: handlers.yml

注意:在Handlers: Running Operations On Change部分中有一条关于包括处理程序的注释:

您不能通知在包含内定义的处理程序。从 Ansible 2.1 开始,这确实有效,但是包含必须是静态的。


最后,您应该考虑将您的剧本转换为角色。

实现您想要的一种常见方法是tasks/main.yml使用文件名包含任务(在 中),并在其名称中包含架构:

- include: "{{ architecture_specific_tasks_file }}"
  with_first_found:
    - "tasks-for-{{ ansible_distribution }}.yml"
    - "tasks-for-{{ ansible_os_family }}.yml"
  loop_control:
    loop_var: architecture_specific_tasks_file

处理程序然后定义在handlers/main.yml.

于 2016-12-21T11:38:53.973 回答