ocutil.py 2.1 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273
  1. #!/usr/bin/python
  2. """Interface to OpenShift oc command"""
  3. import os
  4. import shlex
  5. import shutil
  6. import subprocess
  7. from ansible.module_utils.basic import AnsibleModule
  8. ADDITIONAL_PATH_LOOKUPS = ['/usr/local/bin', os.path.expanduser('~/bin')]
  9. def locate_oc_binary():
  10. """Find and return oc binary file"""
  11. # https://github.com/openshift/openshift-ansible/issues/3410
  12. # oc can be in /usr/local/bin in some cases, but that may not
  13. # be in $PATH due to ansible/sudo
  14. paths = os.environ.get("PATH", os.defpath).split(os.pathsep) + ADDITIONAL_PATH_LOOKUPS
  15. oc_binary = 'oc'
  16. # Use shutil.which if it is available, otherwise fallback to a naive path search
  17. try:
  18. which_result = shutil.which(oc_binary, path=os.pathsep.join(paths))
  19. if which_result is not None:
  20. oc_binary = which_result
  21. except AttributeError:
  22. for path in paths:
  23. if os.path.exists(os.path.join(path, oc_binary)):
  24. oc_binary = os.path.join(path, oc_binary)
  25. break
  26. return oc_binary
  27. def main():
  28. """Module that executes commands on a remote OpenShift cluster"""
  29. module = AnsibleModule(
  30. argument_spec=dict(
  31. namespace=dict(type="str", required=False),
  32. config_file=dict(type="str", required=True),
  33. cmd=dict(type="str", required=True),
  34. extra_args=dict(type="list", default=[]),
  35. ),
  36. )
  37. cmd = [locate_oc_binary(), '--config', module.params["config_file"]]
  38. if module.params["namespace"]:
  39. cmd += ['-n', module.params["namespace"]]
  40. cmd += shlex.split(module.params["cmd"]) + module.params["extra_args"]
  41. failed = True
  42. try:
  43. cmd_result = subprocess.check_output(list(cmd), stderr=subprocess.STDOUT)
  44. failed = False
  45. except subprocess.CalledProcessError as exc:
  46. cmd_result = '[rc {}] {}\n{}'.format(exc.returncode, ' '.join(exc.cmd), exc.output)
  47. except OSError as exc:
  48. # we get this when 'oc' is not there
  49. cmd_result = str(exc)
  50. module.exit_json(
  51. changed=False,
  52. failed=failed,
  53. result=cmd_result,
  54. )
  55. if __name__ == '__main__':
  56. main()