oo_option.py 2.5 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273
  1. #!/usr/bin/env python2
  2. # -*- coding: utf-8 -*-
  3. # vim: expandtab:tabstop=4:shiftwidth=4
  4. '''
  5. oo_option lookup plugin for openshift-ansible
  6. Usage:
  7. - debug:
  8. msg: "{{ lookup('oo_option', '<key>') | default('<default_value>', True) }}"
  9. This returns, by order of priority:
  10. * if it exists, the `cli_<key>` ansible variable. This variable is set by `bin/cluster --option <key>=<value> …`
  11. * if it exists, the envirnoment variable named `<key>`
  12. * if none of the above conditions are met, empty string is returned
  13. '''
  14. from ansible.utils import template
  15. import os
  16. # Reason: disable too-few-public-methods because the `run` method is the only
  17. # one required by the Ansible API
  18. # Status: permanently disabled
  19. # pylint: disable=too-few-public-methods
  20. class LookupModule(object):
  21. ''' oo_option lookup plugin main class '''
  22. # Reason: disable unused-argument because Ansible is calling us with many
  23. # parameters we are not interested in.
  24. # The lookup plugins of Ansible have this kwargs “catch-all” parameter
  25. # which is not used
  26. # Status: permanently disabled unless Ansible API evolves
  27. # pylint: disable=unused-argument
  28. def __init__(self, basedir=None, **kwargs):
  29. ''' Constructor '''
  30. self.basedir = basedir
  31. # Reason: disable unused-argument because Ansible is calling us with many
  32. # parameters we are not interested in.
  33. # The lookup plugins of Ansible have this kwargs “catch-all” parameter
  34. # which is not used
  35. # Status: permanently disabled unless Ansible API evolves
  36. # pylint: disable=unused-argument
  37. def run(self, terms, inject=None, **kwargs):
  38. ''' Main execution path '''
  39. try:
  40. terms = template.template(self.basedir, terms, inject)
  41. # Reason: disable broad-except to really ignore any potential exception
  42. # This is inspired by the upstream "env" lookup plugin:
  43. # https://github.com/ansible/ansible/blob/devel/v1/ansible/runner/lookup_plugins/env.py#L29
  44. # pylint: disable=broad-except
  45. except Exception:
  46. pass
  47. if isinstance(terms, basestring):
  48. terms = [terms]
  49. ret = []
  50. for term in terms:
  51. option_name = term.split()[0]
  52. cli_key = 'cli_' + option_name
  53. if inject and cli_key in inject:
  54. ret.append(inject[cli_key])
  55. elif option_name in os.environ:
  56. ret.append(os.environ[option_name])
  57. else:
  58. ret.append('')
  59. return ret