aos_version.py 8.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199
  1. #!/usr/bin/python
  2. '''
  3. Ansible module for yum-based systems determining if multiple releases
  4. of an OpenShift package are available, and if the release requested
  5. (if any) is available down to the given precision.
  6. For Enterprise, multiple releases available suggest that multiple repos
  7. are enabled for the different releases, which may cause installation
  8. problems. With Origin, however, this is a normal state of affairs as
  9. all the releases are provided in a single repo with the expectation that
  10. only the latest can be installed.
  11. Code in the openshift_version role contains a lot of logic to pin down
  12. the exact package and image version to use and so does some validation
  13. of release availability already. Without duplicating all that, we would
  14. like the user to have a helpful error message if we detect things will
  15. not work out right. Note that if openshift_release is not specified in
  16. the inventory, the version comparison checks just pass.
  17. TODO: fail gracefully on non-yum systems (dnf in Fedora)
  18. '''
  19. from ansible.module_utils.basic import AnsibleModule
  20. IMPORT_EXCEPTION = None
  21. try:
  22. import yum # pylint: disable=import-error
  23. except ImportError as err:
  24. IMPORT_EXCEPTION = err # in tox test env, yum import fails
  25. class AosVersionException(Exception):
  26. '''Base exception class for package version problems'''
  27. def __init__(self, message, problem_pkgs=None):
  28. Exception.__init__(self, message)
  29. self.problem_pkgs = problem_pkgs
  30. def main():
  31. '''Entrypoint for this Ansible module'''
  32. module = AnsibleModule(
  33. argument_spec=dict(
  34. requested_openshift_release=dict(type="str", default=''),
  35. openshift_deployment_type=dict(required=True),
  36. rpm_prefix=dict(required=True), # atomic-openshift, origin, ...?
  37. ),
  38. supports_check_mode=True
  39. )
  40. if IMPORT_EXCEPTION:
  41. module.fail_json(msg="aos_version module could not import yum: %s" % IMPORT_EXCEPTION)
  42. # determine the packages we will look for
  43. rpm_prefix = module.params['rpm_prefix']
  44. if not rpm_prefix:
  45. module.fail_json(msg="rpm_prefix must not be empty")
  46. expected_pkgs = set([
  47. rpm_prefix,
  48. rpm_prefix + '-master',
  49. rpm_prefix + '-node',
  50. ])
  51. # determine what level of precision the user specified for the openshift version.
  52. # should look like a version string with possibly many segments e.g. "3.4.1":
  53. requested_openshift_release = module.params['requested_openshift_release']
  54. # get the list of packages available and complain if anything is wrong
  55. try:
  56. pkgs = _retrieve_available_packages(expected_pkgs)
  57. if requested_openshift_release:
  58. _check_precise_version_found(pkgs, expected_pkgs, requested_openshift_release)
  59. _check_higher_version_found(pkgs, expected_pkgs, requested_openshift_release)
  60. if module.params['openshift_deployment_type'] in ['openshift-enterprise']:
  61. _check_multi_minor_release(pkgs, expected_pkgs)
  62. except AosVersionException as excinfo:
  63. module.fail_json(msg=str(excinfo))
  64. module.exit_json(changed=False)
  65. def _retrieve_available_packages(expected_pkgs):
  66. # search for package versions available for openshift pkgs
  67. yb = yum.YumBase() # pylint: disable=invalid-name
  68. # The openshift excluder prevents unintended updates to openshift
  69. # packages by setting yum excludes on those packages. See:
  70. # https://wiki.centos.org/SpecialInterestGroup/PaaS/OpenShift-Origin-Control-Updates
  71. # Excludes are then disabled during an install or upgrade, but
  72. # this check will most likely be running outside either. When we
  73. # attempt to determine what packages are available via yum they may
  74. # be excluded. So, for our purposes here, disable excludes to see
  75. # what will really be available during an install or upgrade.
  76. yb.conf.disable_excludes = ['all']
  77. try:
  78. pkgs = yb.pkgSack.returnPackages(patterns=expected_pkgs)
  79. except yum.Errors.PackageSackError as excinfo:
  80. # you only hit this if *none* of the packages are available
  81. raise AosVersionException('\n'.join([
  82. 'Unable to find any OpenShift packages.',
  83. 'Check your subscription and repo settings.',
  84. str(excinfo),
  85. ]))
  86. return pkgs
  87. class PreciseVersionNotFound(AosVersionException):
  88. '''Exception for reporting packages not available at given release'''
  89. def __init__(self, requested_release, not_found):
  90. msg = ['Not all of the required packages are available at requested version %s:' % requested_release]
  91. msg += [' ' + name for name in not_found]
  92. msg += ['Please check your subscriptions and enabled repositories.']
  93. AosVersionException.__init__(self, '\n'.join(msg), not_found)
  94. def _check_precise_version_found(pkgs, expected_pkgs, requested_openshift_release):
  95. # see if any packages couldn't be found at requested release version
  96. # we would like to verify that the latest available pkgs have however specific a version is given.
  97. # so e.g. if there is a package version 3.4.1.5 the check passes; if only 3.4.0, it fails.
  98. pkgs_precise_version_found = {}
  99. for pkg in pkgs:
  100. if pkg.name not in expected_pkgs:
  101. continue
  102. # does the version match, to the precision requested?
  103. # and, is it strictly greater, at the precision requested?
  104. match_version = '.'.join(pkg.version.split('.')[:requested_openshift_release.count('.') + 1])
  105. if match_version == requested_openshift_release:
  106. pkgs_precise_version_found[pkg.name] = True
  107. not_found = []
  108. for name in expected_pkgs:
  109. if name not in pkgs_precise_version_found:
  110. not_found.append(name)
  111. if not_found:
  112. raise PreciseVersionNotFound(requested_openshift_release, not_found)
  113. class FoundHigherVersion(AosVersionException):
  114. '''Exception for reporting that a higher version than requested is available'''
  115. def __init__(self, requested_release, higher_found):
  116. msg = ['Some required package(s) are available at a version',
  117. 'that is higher than requested %s:' % requested_release]
  118. msg += [' ' + name for name in higher_found]
  119. msg += ['This will prevent installing the version you requested.']
  120. msg += ['Please check your enabled repositories or adjust openshift_release.']
  121. AosVersionException.__init__(self, '\n'.join(msg), higher_found)
  122. def _check_higher_version_found(pkgs, expected_pkgs, requested_openshift_release):
  123. req_release_arr = [int(segment) for segment in requested_openshift_release.split(".")]
  124. # see if any packages are available in a version higher than requested
  125. higher_version_for_pkg = {}
  126. for pkg in pkgs:
  127. if pkg.name not in expected_pkgs:
  128. continue
  129. version = [int(segment) for segment in pkg.version.split(".")]
  130. too_high = version[:len(req_release_arr)] > req_release_arr
  131. higher_than_seen = version > higher_version_for_pkg.get(pkg.name, [])
  132. if too_high and higher_than_seen:
  133. higher_version_for_pkg[pkg.name] = version
  134. if higher_version_for_pkg:
  135. higher_found = []
  136. for name, version in higher_version_for_pkg.items():
  137. higher_found.append(name + '-' + '.'.join(str(segment) for segment in version))
  138. raise FoundHigherVersion(requested_openshift_release, higher_found)
  139. class FoundMultiRelease(AosVersionException):
  140. '''Exception for reporting multiple minor releases found for same package'''
  141. def __init__(self, multi_found):
  142. msg = ['Multiple minor versions of these packages are available']
  143. msg += [' ' + name for name in multi_found]
  144. msg += ["There should only be one OpenShift release repository enabled at a time."]
  145. AosVersionException.__init__(self, '\n'.join(msg), multi_found)
  146. def _check_multi_minor_release(pkgs, expected_pkgs):
  147. # see if any packages are available in more than one minor version
  148. pkgs_by_name_version = {}
  149. for pkg in pkgs:
  150. # keep track of x.y (minor release) versions seen
  151. minor_release = '.'.join(pkg.version.split('.')[:2])
  152. if pkg.name not in pkgs_by_name_version:
  153. pkgs_by_name_version[pkg.name] = {}
  154. pkgs_by_name_version[pkg.name][minor_release] = True
  155. multi_found = []
  156. for name in expected_pkgs:
  157. if name in pkgs_by_name_version and len(pkgs_by_name_version[name]) > 1:
  158. multi_found.append(name)
  159. if multi_found:
  160. raise FoundMultiRelease(multi_found)
  161. if __name__ == '__main__':
  162. main()