Ansible lineinfile 替换为系统变量

Ansible lineinfile 替换为系统变量

我在使用 Ansible 动态修改 Zabbix 代理配置文件时遇到问题。具体来说,我尝试使用 ansible lineinfile 模块和循环来更新文件中的多行。

该脚本有效地更改了文件中的值,但在尝试将变量合并到 Zabbix 代理配置中时,我遇到了语法错误。目标是将“Hostname=Zabbix Server”行替换为“Hostname=$HOSTNAME”,从而允许从目标计算机自动获取值。例如,如果计算机名称为“computer1”,则代理文件应反映“Hostname=computer1”。

下面是我当前的 lineinfile 代码的相关片段:

 - name: Update Zabbix Agent Configuration
   ansible.builtin.lineinfile:
    path: /etc/zabbix/zabbix_agentd.conf
    regexp: "{{ item.regexp }}"
    line: "{{ item.line }}"
  loop:
    - { regexp: '^Server=', line: 'Server=monlocal.xyz.com' }
    - { regexp: '^ServerActive=', line: 'ServerActive=monlocal.xyz.com' }
    - { regexp: '^Hostname=', line: 'Hostname={{ ansible_facts['hostname'] }}' }

这是我收到的错误。

The offending line appears to be:

        - { regexp: '^ServerActive=', line: 'ServerActive=monlocal.xyz.com' }
                                  ^ here

There appears to be both 'k=v' shorthand syntax and YAML in this task. Only one syntax may be used.
We could be wrong, but this one looks like it might be an issue with
missing quotes. Always quote template expression brackets when they
start a value. For instance:

    with_items:
      - {{ foo }}

Should be written as:

    with_items:
      - "{{ foo }}"

我知道错误出在第三行。当我删除第三行时,我得到了预期的结果。任何帮助都将不胜感激。

谢谢,优素福

答案1

默认 Zabbix 代理配置文件是一个 INI 文件,仅包含

LogFile=/tmp/zabbix_agentd.log
Server=127.0.0.1
ServerActive=127.0.0.1
Hostname=Zabbix server

最小示例剧本ini_file模块 – 调整 INI 文件中的设置

---
- hosts: localhost
  become: false
  gather_facts: false

  tasks:

  - ini_file:
      path: zabbix_agentd.conf
      option: "{{ item.option }}"
      value: "{{ item.value }}"
    loop:
      - { option: 'Server', value: 'zabbix.example.com' }
      - { option: 'ServerActive', value: 'zabbix.example.com' }
      - { option: 'Hostname', value: '{{ inventory_hostname }}' }

将导致输出

TASK [ini_file] ****************************************************************************
changed: [localhost] => (item={u'option': u'Server', u'value': u'zabbix.example.com'})
changed: [localhost] => (item={u'option': u'ServerActive', u'value': u'zabbix.example.com'})
changed: [localhost] => (item={u'option': u'Hostname', u'value': u'localhost'})

并修改了配置文件

LogFile=/tmp/zabbix_agentd.log
Server = zabbix.example.com
ServerActive = zabbix.example.com
Hostname = localhost

因此完全没有必要使用 lineinfile 和正则表达式“编辑”文件。

相关内容