pre-upgrade-check 5.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188
  1. #!/usr/bin/env python
  2. """
  3. Pre-upgrade checks that must be run on a master before proceeding with upgrade.
  4. """
  5. # This is a script not a python module:
  6. # pylint: disable=invalid-name
  7. # NOTE: This script should not require any python libs other than what is
  8. # in the standard library.
  9. __license__ = "ASL 2.0"
  10. import json
  11. import os
  12. import subprocess
  13. import re
  14. # The maximum length of container.ports.name
  15. ALLOWED_LENGTH = 15
  16. # The valid structure of container.ports.name
  17. ALLOWED_CHARS = re.compile('^[a-z0-9][a-z0-9\\-]*[a-z0-9]$')
  18. AT_LEAST_ONE_LETTER = re.compile('[a-z]')
  19. # look at OS_PATH for the full path. Default ot 'oc'
  20. OC_PATH = os.getenv('OC_PATH', 'oc')
  21. def validate(value):
  22. """
  23. validate verifies that value matches required conventions
  24. Rules of container.ports.name validation:
  25. * must be less that 16 chars
  26. * at least one letter
  27. * only a-z0-9-
  28. * hyphens can not be leading or trailing or next to each other
  29. :Parameters:
  30. - `value`: Value to validate
  31. """
  32. if len(value) > ALLOWED_LENGTH:
  33. return False
  34. if '--' in value:
  35. return False
  36. # We search since it can be anywhere
  37. if not AT_LEAST_ONE_LETTER.search(value):
  38. return False
  39. # We match because it must start at the beginning
  40. if not ALLOWED_CHARS.match(value):
  41. return False
  42. return True
  43. def list_items(kind):
  44. """
  45. list_items returns a list of items from the api
  46. :Parameters:
  47. - `kind`: Kind of item to access
  48. """
  49. response = subprocess.check_output([OC_PATH, 'get', '--all-namespaces', '-o', 'json', kind])
  50. items = json.loads(response)
  51. return items.get("items", [])
  52. def get(obj, *paths):
  53. """
  54. Gets an object
  55. :Parameters:
  56. - `obj`: A dictionary structure
  57. - `path`: All other non-keyword arguments
  58. """
  59. ret_obj = obj
  60. for path in paths:
  61. if ret_obj.get(path, None) is None:
  62. return []
  63. ret_obj = ret_obj[path]
  64. return ret_obj
  65. # pylint: disable=too-many-arguments
  66. def pretty_print_errors(namespace, kind, item_name, container_name, port_name, valid):
  67. """
  68. Prints out results in human friendly way.
  69. :Parameters:
  70. - `namespace`: Namespace of the resource
  71. - `kind`: Kind of the resource
  72. - `item_name`: Name of the resource
  73. - `container_name`: Name of the container. May be "" when kind=Service.
  74. - `port_name`: Name of the port
  75. - `valid`: True if the port is valid
  76. """
  77. if not valid:
  78. if len(container_name) > 0:
  79. print('%s/%s -n %s (Container="%s" Port="%s")' % (
  80. kind, item_name, namespace, container_name, port_name))
  81. else:
  82. print('%s/%s -n %s (Port="%s")' % (
  83. kind, item_name, namespace, port_name))
  84. def print_validation_header():
  85. """
  86. Prints the error header. Should run on the first error to avoid
  87. overwhelming the user.
  88. """
  89. print """\
  90. At least one port name does not validate. Valid port names:
  91. * must be less that 16 chars
  92. * have at least one letter
  93. * only a-z0-9-
  94. * do not start or end with -
  95. * Dashes may not be next to eachother ('--')
  96. """
  97. def main():
  98. """
  99. main is the main entry point to this script
  100. """
  101. try:
  102. # the comma at the end suppresses the newline
  103. print "Checking for oc ...",
  104. subprocess.check_output([OC_PATH, 'whoami'])
  105. print "found"
  106. except:
  107. print(
  108. 'Unable to run "%s whoami"\n'
  109. 'Please ensure OpenShift is running, and "oc" is on your system '
  110. 'path.\n'
  111. 'You can override the path with the OC_PATH environment variable.'
  112. % OC_PATH)
  113. raise SystemExit(1)
  114. # Where the magic happens
  115. first_error = True
  116. for kind, path in [
  117. ('replicationcontrollers', ("spec", "template", "spec", "containers")),
  118. ('pods', ("spec", "containers")),
  119. ('deploymentconfigs', ("spec", "template", "spec", "containers"))]:
  120. for item in list_items(kind):
  121. namespace = item["metadata"]["namespace"]
  122. item_name = item["metadata"]["name"]
  123. for container in get(item, *path):
  124. container_name = container["name"]
  125. for port in get(container, "ports"):
  126. port_name = port.get("name", None)
  127. if not port_name:
  128. # Unnamed ports are OK
  129. continue
  130. valid = validate(port_name)
  131. if not valid and first_error:
  132. first_error = False
  133. print_validation_header()
  134. pretty_print_errors(
  135. namespace, kind, item_name,
  136. container_name, port_name, valid)
  137. # Services follow a different flow
  138. for item in list_items('services'):
  139. namespace = item["metadata"]["namespace"]
  140. item_name = item["metadata"]["name"]
  141. for port in get(item, "spec", "ports"):
  142. port_name = port.get("targetPort", None)
  143. if isinstance(port_name, int) or port_name is None:
  144. # Integer only or unnamed ports are OK
  145. continue
  146. valid = validate(port_name)
  147. if not valid and first_error:
  148. first_error = False
  149. print_validation_header()
  150. pretty_print_errors(
  151. namespace, "services", item_name, "", port_name, valid)
  152. # If we had at least 1 error then exit with 1
  153. if not first_error:
  154. raise SystemExit(1)
  155. if __name__ == '__main__':
  156. main()