sanity_checks.py 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266
  1. """
  2. Ansible action plugin to ensure inventory variables are set
  3. appropriately and no conflicting options have been provided.
  4. """
  5. import re
  6. from ansible.plugins.action import ActionBase
  7. from ansible import errors
  8. # Valid values for openshift_deployment_type
  9. VALID_DEPLOYMENT_TYPES = ('origin', 'openshift-enterprise')
  10. # Tuple of variable names and default values if undefined.
  11. NET_PLUGIN_LIST = (('openshift_use_openshift_sdn', True),
  12. ('openshift_use_flannel', False),
  13. ('openshift_use_nuage', False),
  14. ('openshift_use_contiv', False),
  15. ('openshift_use_calico', False),
  16. ('openshift_use_kuryr', False))
  17. ENTERPRISE_TAG_REGEX_ERROR = """openshift_image_tag must be in the format
  18. v#.#[.#[.#]]. Examples: v1.2, v3.4.1, v3.5.1.3,
  19. v3.5.1.3.4, v1.2-1, v1.2.3-4, v1.2.3-4.5, v1.2.3-4.5.6
  20. You specified openshift_image_tag={}"""
  21. ORIGIN_TAG_REGEX_ERROR = """openshift_image_tag must be in the format
  22. v#.#[.#-optional.#]. Examples: v1.2.3, v3.5.1-alpha.1
  23. You specified openshift_image_tag={}"""
  24. ORIGIN_TAG_REGEX = {'re': '(^v?\\d+\\.\\d+.*)',
  25. 'error_msg': ORIGIN_TAG_REGEX_ERROR}
  26. ENTERPRISE_TAG_REGEX = {'re': '(^v\\d+\\.\\d+(\\.\\d+)*(-\\d+(\\.\\d+)*)?$)',
  27. 'error_msg': ENTERPRISE_TAG_REGEX_ERROR}
  28. IMAGE_TAG_REGEX = {'origin': ORIGIN_TAG_REGEX,
  29. 'openshift-enterprise': ENTERPRISE_TAG_REGEX}
  30. STORAGE_KIND_TUPLE = (
  31. 'openshift_hosted_registry_storage_kind',
  32. 'openshift_loggingops_storage_kind',
  33. 'openshift_logging_storage_kind',
  34. 'openshift_metrics_storage_kind',
  35. 'openshift_prometheus_alertbuffer_storage_kind',
  36. 'openshift_prometheus_alertmanager_storage_kind',
  37. 'openshift_prometheus_storage_kind')
  38. def to_bool(var_to_check):
  39. """Determine a boolean value given the multiple
  40. ways bools can be specified in ansible."""
  41. # http://yaml.org/type/bool.html
  42. yes_list = (True, 1, "True", "1", "true", "TRUE",
  43. "Yes", "yes", "Y", "y", "YES",
  44. "on", "ON", "On")
  45. return var_to_check in yes_list
  46. class ActionModule(ActionBase):
  47. """Action plugin to execute sanity checks."""
  48. def template_var(self, hostvars, host, varname):
  49. """Retrieve a variable from hostvars and template it.
  50. If undefined, return None type."""
  51. # We will set the current host and variable checked for easy debugging
  52. # if there are any unhandled exceptions.
  53. # pylint: disable=W0201
  54. self.last_checked_var = varname
  55. # pylint: disable=W0201
  56. self.last_checked_host = host
  57. res = hostvars[host].get(varname)
  58. if res is None:
  59. return None
  60. return self._templar.template(res)
  61. def check_openshift_deployment_type(self, hostvars, host):
  62. """Ensure a valid openshift_deployment_type is set"""
  63. openshift_deployment_type = self.template_var(hostvars, host,
  64. 'openshift_deployment_type')
  65. if openshift_deployment_type not in VALID_DEPLOYMENT_TYPES:
  66. type_strings = ", ".join(VALID_DEPLOYMENT_TYPES)
  67. msg = "openshift_deployment_type must be defined and one of {}".format(type_strings)
  68. raise errors.AnsibleModuleError(msg)
  69. return openshift_deployment_type
  70. def check_python_version(self, hostvars, host, distro):
  71. """Ensure python version is 3 for Fedora and python 2 for others"""
  72. ansible_python = self.template_var(hostvars, host, 'ansible_python')
  73. if distro == "Fedora":
  74. if ansible_python['version']['major'] != 3:
  75. msg = "openshift-ansible requires Python 3 for {};".format(distro)
  76. msg += " For information on enabling Python 3 with Ansible,"
  77. msg += " see https://docs.ansible.com/ansible/python_3_support.html"
  78. raise errors.AnsibleModuleError(msg)
  79. else:
  80. if ansible_python['version']['major'] != 2:
  81. msg = "openshift-ansible requires Python 2 for {};".format(distro)
  82. def check_image_tag_format(self, hostvars, host, openshift_deployment_type):
  83. """Ensure openshift_image_tag is formatted correctly"""
  84. openshift_image_tag = self.template_var(hostvars, host, 'openshift_image_tag')
  85. if not openshift_image_tag or openshift_image_tag == 'latest':
  86. return None
  87. regex_to_match = IMAGE_TAG_REGEX[openshift_deployment_type]['re']
  88. res = re.match(regex_to_match, str(openshift_image_tag))
  89. if res is None:
  90. msg = IMAGE_TAG_REGEX[openshift_deployment_type]['error_msg']
  91. msg = msg.format(str(openshift_image_tag))
  92. raise errors.AnsibleModuleError(msg)
  93. def network_plugin_check(self, hostvars, host):
  94. """Ensure only one type of network plugin is enabled"""
  95. res = []
  96. # Loop through each possible network plugin boolean, determine the
  97. # actual boolean value, and append results into a list.
  98. for plugin, default_val in NET_PLUGIN_LIST:
  99. res_temp = self.template_var(hostvars, host, plugin)
  100. if res_temp is None:
  101. res_temp = default_val
  102. res.append(to_bool(res_temp))
  103. if sum(res) not in (0, 1):
  104. plugin_str = list(zip([x[0] for x in NET_PLUGIN_LIST], res))
  105. msg = "Host Checked: {} Only one of must be true. Found: {}".format(host, plugin_str)
  106. raise errors.AnsibleModuleError(msg)
  107. def check_hostname_vars(self, hostvars, host):
  108. """Checks to ensure openshift_hostname
  109. and openshift_public_hostname
  110. conform to the proper length of 63 characters or less"""
  111. for varname in ('openshift_public_hostname', 'openshift_hostname'):
  112. var_value = self.template_var(hostvars, host, varname)
  113. if var_value and len(var_value) > 63:
  114. msg = '{} must be 63 characters or less'.format(varname)
  115. raise errors.AnsibleModuleError(msg)
  116. def check_session_auth_secrets(self, hostvars, host):
  117. """Checks session_auth_secrets is correctly formatted"""
  118. sas = self.template_var(hostvars, host,
  119. 'openshift_master_session_auth_secrets')
  120. ses = self.template_var(hostvars, host,
  121. 'openshift_master_session_encryption_secrets')
  122. # This variable isn't mandatory, only check if set.
  123. if sas is None and ses is None:
  124. return None
  125. if not (
  126. issubclass(type(sas), list) and issubclass(type(ses), list)
  127. ) or len(sas) != len(ses):
  128. raise errors.AnsibleModuleError(
  129. 'Expects openshift_master_session_auth_secrets and '
  130. 'openshift_master_session_encryption_secrets are equal length lists')
  131. for secret in sas:
  132. if len(secret) < 32:
  133. raise errors.AnsibleModuleError(
  134. 'Invalid secret in openshift_master_session_auth_secrets. '
  135. 'Secrets must be at least 32 characters in length.')
  136. for secret in ses:
  137. if len(secret) not in [16, 24, 32]:
  138. raise errors.AnsibleModuleError(
  139. 'Invalid secret in openshift_master_session_encryption_secrets. '
  140. 'Secrets must be 16, 24, or 32 characters in length.')
  141. return None
  142. def check_unsupported_nfs_configs(self, hostvars, host):
  143. """Fails if nfs storage is in use for any components. This check is
  144. ignored if openshift_enable_unsupported_configurations=True"""
  145. enable_unsupported = self.template_var(
  146. hostvars, host, 'openshift_enable_unsupported_configurations')
  147. if to_bool(enable_unsupported):
  148. return None
  149. for storage in STORAGE_KIND_TUPLE:
  150. kind = self.template_var(hostvars, host, storage)
  151. if kind == 'nfs':
  152. raise errors.AnsibleModuleError(
  153. 'nfs is an unsupported type for {}. '
  154. 'openshift_enable_unsupported_configurations=True must'
  155. 'be specified to continue with this configuration.'
  156. ''.format(storage))
  157. return None
  158. def check_htpasswd_provider(self, hostvars, host):
  159. """Fails if openshift_master_identity_providers contains an entry of
  160. kind HTPasswdPasswordIdentityProvider and
  161. openshift_master_manage_htpasswd is False"""
  162. idps = self.template_var(
  163. hostvars, host, 'openshift_master_identity_providers')
  164. if not idps:
  165. # If we don't find any identity_providers, nothing for us to do.
  166. return None
  167. manage_pass = self.template_var(
  168. hostvars, host, 'openshift_master_manage_htpasswd')
  169. if to_bool(manage_pass):
  170. # If we manage the file, we can just generate in the new path.
  171. return None
  172. old_keys = ('file', 'fileName', 'file_name', 'filename')
  173. for idp in idps:
  174. if idp['kind'] == 'HTPasswdPasswordIdentityProvider':
  175. for old_key in old_keys:
  176. if old_key in idp is not None:
  177. raise errors.AnsibleModuleError(
  178. 'openshift_master_identity_providers contains a '
  179. 'provider of kind==HTPasswdPasswordIdentityProvider '
  180. 'and {} is set. Please migrate your htpasswd '
  181. 'files to /etc/origin/master/htpasswd and update your '
  182. 'existing master configs, and remove the {} key'
  183. 'before proceeding.'.format(old_key, old_key))
  184. def run_checks(self, hostvars, host):
  185. """Execute the hostvars validations against host"""
  186. distro = self.template_var(hostvars, host, 'ansible_distribution')
  187. odt = self.check_openshift_deployment_type(hostvars, host)
  188. self.check_python_version(hostvars, host, distro)
  189. self.check_image_tag_format(hostvars, host, odt)
  190. self.network_plugin_check(hostvars, host)
  191. self.check_hostname_vars(hostvars, host)
  192. self.check_session_auth_secrets(hostvars, host)
  193. self.check_unsupported_nfs_configs(hostvars, host)
  194. self.check_htpasswd_provider(hostvars, host)
  195. def run(self, tmp=None, task_vars=None):
  196. result = super(ActionModule, self).run(tmp, task_vars)
  197. # self.task_vars holds all in-scope variables.
  198. # Ignore settting self.task_vars outside of init.
  199. # pylint: disable=W0201
  200. self.task_vars = task_vars or {}
  201. # pylint: disable=W0201
  202. self.last_checked_host = "none"
  203. # pylint: disable=W0201
  204. self.last_checked_var = "none"
  205. # self._task.args holds task parameters.
  206. # check_hosts is a parameter to this plugin, and should provide
  207. # a list of hosts.
  208. check_hosts = self._task.args.get('check_hosts')
  209. if not check_hosts:
  210. msg = "check_hosts is required"
  211. raise errors.AnsibleModuleError(msg)
  212. # We need to access each host's variables
  213. hostvars = self.task_vars.get('hostvars')
  214. if not hostvars:
  215. msg = hostvars
  216. raise errors.AnsibleModuleError(msg)
  217. # We loop through each host in the provided list check_hosts
  218. for host in check_hosts:
  219. try:
  220. self.run_checks(hostvars, host)
  221. except Exception as uncaught_e:
  222. msg = "last_checked_host: {}, last_checked_var: {};"
  223. msg = msg.format(self.last_checked_host, self.last_checked_var)
  224. msg += str(uncaught_e)
  225. raise errors.AnsibleModuleError(msg)
  226. result["changed"] = False
  227. result["failed"] = False
  228. result["msg"] = "Sanity Checks passed"
  229. return result