get_current_openshift_version.py 5.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169
  1. #!/usr/bin/env python
  2. # pylint: disable=missing-docstring
  3. #
  4. # Copyright 2017 Red Hat, Inc. and/or its affiliates
  5. # and other contributors as indicated by the @author tags.
  6. #
  7. # Licensed under the Apache License, Version 2.0 (the "License");
  8. # you may not use this file except in compliance with the License.
  9. # You may obtain a copy of the License at
  10. #
  11. # http://www.apache.org/licenses/LICENSE-2.0
  12. #
  13. # Unless required by applicable law or agreed to in writing, software
  14. # distributed under the License is distributed on an "AS IS" BASIS,
  15. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  16. # See the License for the specific language governing permissions and
  17. # limitations under the License.
  18. import os
  19. from ansible.module_utils.basic import AnsibleModule
  20. DOCUMENTATION = '''
  21. ---
  22. module: get_current_openshift_version
  23. short_description: Discovers installed openshift version on masters and nodes
  24. version_added: "2.4"
  25. description:
  26. - This module checks various files and program outputs to get the
  27. currently installed openshfit version
  28. options:
  29. deployment_type:
  30. description:
  31. - openshift_deployment_type
  32. required: true
  33. author:
  34. - "Michael Gugino <mgugino@redhat.com>"
  35. '''
  36. EXAMPLES = '''
  37. - name: Set openshift_current_version
  38. get_current_openshift_version:
  39. deployment_type: openshift_deployment_type
  40. '''
  41. def chomp_commit_offset(version):
  42. """Chomp any "+git.foo" commit offset string from the given `version`
  43. and return the modified version string.
  44. Ex:
  45. - chomp_commit_offset(None) => None
  46. - chomp_commit_offset(1337) => "1337"
  47. - chomp_commit_offset("v3.4.0.15+git.derp") => "v3.4.0.15"
  48. - chomp_commit_offset("v3.4.0.15") => "v3.4.0.15"
  49. - chomp_commit_offset("v1.3.0+52492b4") => "v1.3.0"
  50. """
  51. if version is None:
  52. return version
  53. else:
  54. # Stringify, just in case it's a Number type. Split by '+' and
  55. # return the first split. No concerns about strings without a
  56. # '+', .split() returns an array of the original string.
  57. return str(version).split('+')[0]
  58. def get_container_openshift_version(deployment_type):
  59. """
  60. If containerized, see if we can determine the installed version via the
  61. systemd environment files.
  62. """
  63. service_type_dict = {'origin': 'origin',
  64. 'openshift-enterprise': 'atomic-openshift'}
  65. service_type = service_type_dict[deployment_type]
  66. for filename in ['/etc/sysconfig/%s-master-controllers', '/etc/sysconfig/%s-node']:
  67. env_path = filename % service_type
  68. if not os.path.exists(env_path):
  69. continue
  70. with open(env_path) as env_file:
  71. for line in env_file:
  72. if line.startswith("IMAGE_VERSION="):
  73. tag = line[len("IMAGE_VERSION="):].strip()
  74. # Remove leading "v" and any trailing release info, we just want
  75. # a version number here:
  76. no_v_version = tag[1:] if tag[0] == 'v' else tag
  77. version = no_v_version.split("-")[0]
  78. return version
  79. return None
  80. def parse_openshift_version(output):
  81. """ Apply provider facts to supplied facts dict
  82. Args:
  83. string: output of 'openshift version'
  84. Returns:
  85. string: the version number
  86. """
  87. versions = dict(e.split(' v') for e in output.splitlines() if ' v' in e)
  88. ver = versions.get('openshift', '')
  89. # Remove trailing build number and commit hash from older versions, we need to return a straight
  90. # w.x.y.z version here for use as openshift_version throughout the playbooks/roles. (i.e. 3.1.1.6-64-g80b61da)
  91. ver = ver.split('-')[0]
  92. return ver
  93. def get_openshift_version(module, deployment_type):
  94. """ Get current version of openshift on the host.
  95. Checks a variety of ways ranging from fastest to slowest.
  96. Args:
  97. facts (dict): existing facts
  98. Returns:
  99. version: the current openshift version
  100. """
  101. version = None
  102. if os.path.isfile('/usr/bin/openshift'):
  103. _, output, _ = module.run_command(['/usr/bin/openshift', 'version']) # noqa: F405
  104. version = parse_openshift_version(output)
  105. else:
  106. version = get_container_openshift_version(deployment_type)
  107. return chomp_commit_offset(version)
  108. def run_module():
  109. '''Run this module'''
  110. module_args = dict(
  111. deployment_type=dict(type='str', required=True)
  112. )
  113. module = AnsibleModule(
  114. argument_spec=module_args,
  115. supports_check_mode=False
  116. )
  117. # First, create our dest dir if necessary
  118. deployment_type = module.params['deployment_type']
  119. changed = False
  120. ansible_facts = {}
  121. current_version = get_openshift_version(module, deployment_type)
  122. if current_version is not None:
  123. ansible_facts = {'openshift_current_version': current_version}
  124. # Passing back ansible_facts will set_fact the values.
  125. result = {'changed': changed, 'ansible_facts': ansible_facts}
  126. module.exit_json(**result)
  127. def main():
  128. run_module()
  129. if __name__ == '__main__':
  130. main()