conditional_set_fact.py 1.6 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768
  1. #!/usr/bin/python
  2. """ Ansible module to help with setting facts conditionally based on other facts """
  3. from ansible.module_utils.basic import AnsibleModule
  4. DOCUMENTATION = '''
  5. ---
  6. module: conditional_set_fact
  7. short_description: This will set a fact if the value is defined
  8. description:
  9. - "To avoid constant set_fact & when conditions for each var we can use this"
  10. author:
  11. - Eric Wolinetz ewolinet@redhat.com
  12. '''
  13. EXAMPLES = '''
  14. - name: Conditionally set fact
  15. conditional_set_fact:
  16. fact1: not_defined_variable
  17. - name: Conditionally set fact
  18. conditional_set_fact:
  19. fact1: not_defined_variable
  20. fact2: defined_variable
  21. '''
  22. def run_module():
  23. """ The body of the module, we check if the variable name specified as the value
  24. for the key is defined. If it is then we use that value as for the original key """
  25. module = AnsibleModule(
  26. argument_spec=dict(
  27. facts=dict(type='dict', required=True),
  28. vars=dict(required=False, type='dict', default=[])
  29. ),
  30. supports_check_mode=True
  31. )
  32. local_facts = dict()
  33. is_changed = False
  34. for param in module.params['vars']:
  35. other_var = module.params['vars'][param]
  36. if other_var in module.params['facts']:
  37. local_facts[param] = module.params['facts'][other_var]
  38. if not is_changed:
  39. is_changed = True
  40. return module.exit_json(changed=is_changed, # noqa: F405
  41. ansible_facts=local_facts)
  42. def main():
  43. """ main """
  44. run_module()
  45. if __name__ == '__main__':
  46. main()