将列表转换为字典 - Ansible YAML

Convert a list to dictionary - Ansible YAML

我有一个剧本,我在其中收到一条错误消息

fatal: [localhost]: FAILED! => {"ansible_facts": {"tasks": {}}, "ansible_included_var_files": [], "changed": false, "message": "/home/user/invoke_api/automation/tmp/task.yml must be stored as a dictionary/hash"}

task.yml

文件 task.yml 是动态创建的,并始终从另一个来源过滤以提供以下输出。

-   key: gTest101
    value:
        Comments: FWP - Testing this
        IP: 10.1.2.3
        Name: gTest101
-   key: gTest102
    value:
        Comments: FWP - Applying this
        IP: 10.1.2.4
        Name: gTest102

问题:如何将 task.yml 中的列表转换为字典?从列表转换为字典的代码是什么

playbook.yml

---
- name: Global Objects
  hosts: check_point
  connection: httpapi
  gather_facts: False
  vars_files:
    - 'credentials/my_var.yml'
    - 'credentials/login.yml'
  tasks:
  - name: read-new-tmp-file
    include_vars:
      file: tmp/task.yml
      name: tasks
    register: new_host

  - name: add-host-object-to-group
    check_point.mgmt.cp_mgmt_host:
      name: "{{ item.value.Name | quote }}"          
      ip_address: "{{ item.value.IP | quote }}"      
      comments: "{{ item.value.Comments }}"
      groups: gTest1A
      state: present
      auto_publish_session: yes
    loop: "{{ new_host.dict | dict2items }}"  
    delegate_to: Global
    ignore_errors: yes


Ansible 核心 2.9.13 python 版本 = 2.7.17

一个 vars 文件是一个 yaml dict 文件,所以你的列表必须是一个 vars 的字段:

my_vars:
  - Comments: FWP - Testing this
    IP: 10.1.2.3
    Name: gTest101
  - Comments: FWP - Applying this
    IP: 10.1.2.4
    Name: gTest102

而且您不需要注册 include_vars 任务。只需循环列表变量名称(此处 my_vars)。

---
- name: Global Objects
  hosts: check_point
  connection: httpapi
  gather_facts: False
  vars_files:
    - 'credentials/my_var.yml'
    - 'credentials/login.yml'
  tasks:
  - name: read-new-tmp-file
    include_vars:
      file: tmp/task.yml

  - name: add-host-object-to-group
    check_point.mgmt.cp_mgmt_host:
      name: "{{ item.Name }}"          
      ip_address: "{{ item.IP }}"      
      comments: "{{ item.Comments }}"
      groups: gTest1A
      state: present
      auto_publish_session: yes
    loop: "{{ my_vars }}"  
    delegate_to: Global
    ignore_errors: yes

问:"如何将 task.yml 中的列表转换为字典?"

答:使用items2dict。例如,读取文件并创建列表

    - set_fact:
        l1: "{{ lookup('file', 'task.yml')|from_yaml }}"

给予

    l1:
      - key: gTest101
        value:
          Comments: FWP - Testing this
          IP: 10.1.2.3
          Name: gTest101
      - key: gTest102
        value:
          Comments: FWP - Applying this
          IP: 10.1.2.4
          Name: gTest102

那么,下面的任务

    - set_fact:
        d1: "{{ l1|items2dict }}"

创建字典

  d1:
    gTest101:
      Comments: FWP - Testing this
      IP: 10.1.2.3
      Name: gTest101
    gTest102:
      Comments: FWP - Applying this
      IP: 10.1.2.4
      Name: gTest102