我有3个名为IPOctet,ServerIPRange和epcrange的变量。 如果我在终端中执行以下操作,它可以正常工作
IPOctet=$(echo "$ServerIPRange/$epcrange+$IPOctet" | bc)
如何在任务中的ansible中执行类似的操作,例如
---
- hosts: localhost
gather_facts: False
vars_prompt:
- name: epcrange
prompt: Enter the number of EPCs that you want to configure
private: False
default: "1"
- name: serverrange
prompt: Enter the number of Clients that you want to configure
private: False
default: "1"
- name: ServerIPRange
prompt: Enter the ServerIP range
private: False
default: '128'
- name: LastIPOctet
prompt: Enter The last Octet of the IP you just entered
private: False
default: '10'
pre_tasks:
- name: Set some facts
set_fact:
ServerIP1: "{{ServerIP}}"
ServerIPRange1: "{{ServerIPRange}}"
IPOctet: "{{LastIPOctet}}"
- name: local action math
local_action: shell {{IPOctet}}=$(echo "${{ServerIPRange}}/${{epcrange}}+${{IPOctet}}" | bc) # Proper Syntax?
with_sequence: start=1 end=4
register: result
ignore_errors: yes
此命令的正确语法是什么?也许使用shell echo" ......." 。我只需要将此命令的内容保存到IPOctet变量中,IPOctet将随着每次循环迭代而改变,结果应该存储在我的结果寄存器中
P.S:如何分别访问阵列中的各个项目?
编辑:这样的事情是否可行,目前它只进行一次计算并将其存储在寄存器中4次......
- name: bashless math
set_fact:
IPOctet: "{{ (ServerIPRange|int/epcrange|int)+IPOctet|int }}"
register: IPOctet
with_sequence: "start=1 end={{stop}} "
register: my_ip_octet
答案 0 :(得分:3)
您的终端表达式重新分配IPOctet shell变量,因此每次执行时都会给出不同的结果。这很好,但很难在Ansible中重现:
$ IPOctet=10 ServerIPRange=128 epcrange=1
$ IPOctet=$(echo "$ServerIPRange/$epcrange+$IPOctet" | bc); echo $IPOctet
138
$ IPOctet=$(echo "$ServerIPRange/$epcrange+$IPOctet" | bc); echo $IPOctet
266
语法:"shell {{IPOctet}}=$(echo ..."
未分配给Ansible变量。
shell尝试执行找不到的"10=138"
命令。
在循环中使用register时,在循环完成之前不会设置目标变量 - 因此表达式始终会看到{{IPOctet}}
的原始值。
解决方案是将整个循环作为单个shell命令运行:
- name: local action math2
local_action: shell IPOctet={{IPOctet}}; for i in 1 2 3 4; do IPOctet=$(expr {{ServerIPRange}} / {{epcrange}} + $IPOctet); echo $IPOctet; done
register: result
注意:我使用的是expr
命令,而不是bc
,但结果是一样的。
您可以使用result.stdout_lines:
迭代这些结果- name: iterate results
local_action: debug msg={{item}}
with_items: result.stdout_lines
答案 1 :(得分:2)
首先,您的Jinja模板不正确,每个变量都需要用一对括号包围。您不能在单对括号中使用多个变量。例如,
{{ ServerIPRange }}
其次,set_fact仅用于设置事实值。您无法使用set_fact运行shell命令。你应该使用shell模块。
- name: local action math
local_action: shell {{ IPOctet }}=$(echo {{ ServerIPRange|int }}/{{ epcrange|int }}+{{ IPOctet|int }}" | bc)
with_sequence: start=1 end=4
register: result
ignore_errors: yes
Ansible将进行4次计算,并将其作为4个不同的元素存储在列表中。您可以检查列表中的所有内容,甚至可以通过循环访问它。
- debug: msg={{ result }}
希望这会有所帮助:)