oo_option.py 2.5 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374
  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. import os
  15. # pylint: disable=no-name-in-module,import-error,unused-argument,unused-variable,super-init-not-called,too-few-public-methods,missing-docstring
  16. try:
  17. # ansible-2.0
  18. from ansible.plugins.lookup import LookupBase
  19. except ImportError:
  20. # ansible-1.9.x
  21. class LookupBase(object):
  22. def __init__(self, basedir=None, runner=None, **kwargs):
  23. self.runner = runner
  24. self.basedir = self.runner.basedir
  25. def get_basedir(self, variables):
  26. return self.basedir
  27. # Reason: disable too-few-public-methods because the `run` method is the only
  28. # one required by the Ansible API
  29. # Status: permanently disabled
  30. # pylint: disable=too-few-public-methods
  31. class LookupModule(LookupBase):
  32. ''' oo_option lookup plugin main class '''
  33. # Reason: disable unused-argument because Ansible is calling us with many
  34. # parameters we are not interested in.
  35. # The lookup plugins of Ansible have this kwargs “catch-all” parameter
  36. # which is not used
  37. # Status: permanently disabled unless Ansible API evolves
  38. # pylint: disable=unused-argument
  39. def __init__(self, basedir=None, **kwargs):
  40. ''' Constructor '''
  41. self.basedir = basedir
  42. # Reason: disable unused-argument because Ansible is calling us with many
  43. # parameters we are not interested in.
  44. # The lookup plugins of Ansible have this kwargs “catch-all” parameter
  45. # which is not used
  46. # Status: permanently disabled unless Ansible API evolves
  47. # pylint: disable=unused-argument
  48. def run(self, terms, variables, **kwargs):
  49. ''' Main execution path '''
  50. ret = []
  51. for term in terms:
  52. option_name = term.split()[0]
  53. cli_key = 'cli_' + option_name
  54. if 'vars' in variables and cli_key in variables['vars']:
  55. ret.append(variables['vars'][cli_key])
  56. elif option_name in os.environ:
  57. ret.append(os.environ[option_name])
  58. else:
  59. ret.append('')
  60. return ret