我遇到了通过Jinja2和Ansible排序IP的问题。以下是我的变量和ansible模板的jinja2代码。
角色/ DNS /瓦尔/ main.yml:
.FormatConditions(1)
角色/ DNS /模板/ db.example.com.j2:
---
DC1:
srv1:
ip: 10.2.110.3
srv2:
ip: 10.2.110.11
srv3:
ip: 10.2.110.19
srv4:
ip: 10.2.110.24
DC2:
srv5:
ip: 172.26.158.3
srv6:
ip: 172.26.158.11
srv7:
ip: 172.26.158.19
srv8:
ip: 172.26.158.24
角色/ DNS /任务/ main.yml:
$TTL 86400
@ IN SOA example.com. root.example.com. (
2014051001 ; serial
3600 ; refresh
1800 ; retry
604800 ; expire
86400 ; minimum
)
; Name server
IN NS dns01.example.com.
; Name server A record
dns01.example.com. IN A 10.2.110.92
; 10.2.110.0/24 A records in this Domain
{% for hostname, dnsattr in DC1.iteritems() %}
{{hostname}}.example.com. IN A {{dnsattr.ip}}
; 172.26.158.0/24 A records in this Domain
{% for hostname, dnsattr in DC2.iteritems() %}
{{hostname}}.example.com. IN A {{dnsattr.ip}}
正确创建DNS区域文件,但IP未按数字排序。我试过使用以下但没有运气:
按字母顺序对主机名进行排序
- name: Update DNS zone file db.example.com
template:
src: db.example.com.j2
dest: "/tmp/db.example.com"
with_items: "{{DC1,DC2}}"
- name: Restart DNS Server
service:
name: named
state: restarted
找不到属性dnsattr
{% for hostname, dnsattr in center.iteritems() | sort %}
找不到属性ip
{% for hostname, dnsattr in center.iteritems() | sort(attribute='dnsattr.ip') %}
答案 0 :(得分:1)
我没有看到任何文档指出这一点,在实现了IP和int之间的来回转换之后,我只是使用逻辑来解决这个问题。
(注意:方法1在Ansible 2.9.1中对我有效,文档说方法2从ansible 2.4.x开始有效)
假设我们有2个文件:inventory.ini和playbook.yml
inventory.ini
[kube_nodes]
10.0.0.12
10.0.0.60
10.0.0.3
playbook.yml
---
- name: method 1
hosts: localhost
connection: local
gather_facts: False
tasks:
- name: Unsorted IP ordering
debug:
msg: "{{ groups.kube_nodes }}"
- name: Ascending IP ordering
debug:
msg: "{{ groups.kube_nodes | list | ipaddr('int') | sort | ipaddr }}"
- name: Decending IP ordering
debug:
msg: "{{ groups.kube_nodes | list | ipaddr('int') | sort(reverse=true) | ipaddr }}"
然后我们可以使用
Bash#ansible-playbook playbook.yml -iventure.ini
并参见
未排序的IP顺序= 10.0.0.12、10.0.0.60、10.0.0.3
IP升序= 10.0.0.3、10.0.0.12、10.0.0.60
Decendind IP顺序= 10.0.0.60、10.0.0.12、10.0.0.3
或者,您可以使用:在播放级别指定主机的顺序: https://docs.ansible.com/ansible/latest/user_guide/playbooks_intro.html#hosts-and-users
- name: method 2
hosts: all
order: sorted #reverse_sorted, inventory, reverse_inventory, shuffle
connection: local
gather_facts: False
tasks:
- debug: var=inventory_hostname
答案 1 :(得分:0)
要对IP进行数字排序,您可以实现并使用自己的过滤器插件(顺便说一句,我对任何其他解决方案感兴趣):
在ansible.cfg
添加filter_plugins = path/to/filter_plugins
。
在path/to/filter_plugins/ip_filters.py
:
#!/usr/bin/python
def ip_sort(ip1, ip2):
# Sort on the last number
return int(ip1.split('.')[-1]) - int(ip2.split('.')[-1])
class FilterModule(object):
def filters(self):
return {
'sort_ip_filter': self.sort_ip_filter,
}
def sort_ip_filter(self, ip_list):
return sorted(ip_list, cmp=ip_sort)
然后,在Ansible:
- name: "Sort ips"
debug:
msg: vars='{{ my_ips | sort_ip_filter }}'
我还会使用ipaddr
过滤器来确保格式正确:
- name: "Sort ips"
debug:
msg: vars='{{ my_ips | ipaddr | sort_ip_filter }}'