oo_option.py 2.5 KB

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