web-dev-qa-db-ja.com

変数が未定義のときにタスクを実行する方法

Ansible変数が登録されていない/未定義の場合にタスクを実行する方法を探しています。

-- name: some task
   command:  sed -n '5p' "{{app.dirs.includes}}/BUILD.info" | awk '{print  $2}'
   when: (! deployed_revision) AND ( !deployed_revision.stdout )
   register: deployed_revision
91
sakhunzai

ansible docs より:必要な変数が設定されていない場合は、Jinja 2の定義済みテストを使用してスキップまたは失敗することができます。例えば:

tasks:

- Shell: echo "I've got '{{ foo }}' and am not afraid to use it!"
  when: foo is defined

- fail: msg="Bailing out. this play requires 'bar'"
  when: bar is not defined

だからあなたの場合、when: deployed_revision is not definedはうまくいくはずです

174
Kyle

最新のAnsibleバージョン2.5に従って、変数が定義されているかどうかを確認し、それに応じてタスクを実行したい場合はundefinedキーワードを使用します。

tasks:
    - Shell: echo "I've got '{{ foo }}' and am not afraid to use it!"
      when: foo is defined

    - fail: msg="Bailing out. this play requires 'bar'"
      when: bar is undefined

Ansible Documentation

10
Abhijeet Kamble

厳密には、次のすべてを確認する必要があると定義しました。

「通常の」変数の場合、定義され設定されているかいないかによって違いが生じます。以下の例のfoobarを参照してください。両方とも定義されていますが、fooのみが設定されています。

一方、登録された変数は実行中のコマンドの結果に設定され、モジュールごとに異なります。それらは主にJSON構造です。あなたはおそらくあなたが興味があるサブ要素をチェックしなければなりません。以下の例のxyzxyz.msgを見てください:

cat > test.yml <<EOF
- hosts: 127.0.0.1

  vars:
    foo: ""          # foo is defined and foo == '' and foo != None
    bar:             # bar is defined and bar != '' and bar == None

  tasks:

  - debug:
      msg : ""
    register: xyz    # xyz is defined and xyz != '' and xyz != None
                     # xyz.msg is defined and xyz.msg == '' and xyz.msg != None

  - debug:
      msg: "foo is defined and foo == '' and foo != None"
    when: foo is defined and foo == '' and foo != None

  - debug:
      msg: "bar is defined and bar != '' and bar == None"
    when: bar is defined and bar != '' and bar == None

  - debug:
      msg: "xyz is defined and xyz != '' and xyz != None"
    when: xyz is defined and xyz != '' and xyz != None
  - debug:
      msg: "{{ xyz }}"

  - debug:
      msg: "xyz.msg is defined and xyz.msg == '' and xyz.msg != None"
    when: xyz.msg is defined and xyz.msg == '' and xyz.msg != None
  - debug:
      msg: "{{ xyz.msg }}"
EOF
ansible-playbook -v test.yml
4
wolfrevo