sanity_checks.py 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510
  1. """
  2. Ansible action plugin to ensure inventory variables are set
  3. appropriately and no conflicting options have been provided.
  4. """
  5. import json
  6. import re
  7. from ansible.plugins.action import ActionBase
  8. from ansible import errors
  9. # pylint: disable=import-error,no-name-in-module
  10. from ansible.module_utils.six.moves.urllib.parse import urlparse
  11. # Valid values for openshift_deployment_type
  12. VALID_DEPLOYMENT_TYPES = ('origin', 'openshift-enterprise')
  13. # Tuple of variable names and default values if undefined.
  14. NET_PLUGIN_LIST = (('openshift_use_openshift_sdn', True),
  15. ('openshift_use_flannel', False),
  16. ('openshift_use_nuage', False),
  17. ('openshift_use_contiv', False),
  18. ('openshift_use_calico', False),
  19. ('openshift_use_kuryr', False))
  20. ENTERPRISE_TAG_REGEX_ERROR = """openshift_image_tag must be in the format
  21. v#.#[.#[.#]]. Examples: v1.2, v3.4.1, v3.5.1.3,
  22. v3.5.1.3.4, v1.2-1, v1.2.3-4, v1.2.3-4.5, v1.2.3-4.5.6
  23. You specified openshift_image_tag={}"""
  24. ORIGIN_TAG_REGEX_ERROR = """openshift_image_tag must be in the format
  25. v#.#[.#-optional.#]. Examples: v1.2.3, v3.5.1-alpha.1
  26. You specified openshift_image_tag={}"""
  27. ORIGIN_TAG_REGEX = {'re': '(^v?\\d+\\.\\d+.*)',
  28. 'error_msg': ORIGIN_TAG_REGEX_ERROR}
  29. ENTERPRISE_TAG_REGEX = {'re': '(^v\\d+\\.\\d+(\\.\\d+)*(-\\d+(\\.\\d+)*)?$)',
  30. 'error_msg': ENTERPRISE_TAG_REGEX_ERROR}
  31. IMAGE_TAG_REGEX = {'origin': ORIGIN_TAG_REGEX,
  32. 'openshift-enterprise': ENTERPRISE_TAG_REGEX}
  33. PKG_VERSION_REGEX_ERROR = """openshift_pkg_version must be in the format
  34. -[optional.release]. Examples: -3.6.0, -3.7.0-0.126.0.git.0.9351aae.el7 -3.11*
  35. You specified openshift_pkg_version={}"""
  36. PKG_VERSION_REGEX = {'re': '(^-.*)',
  37. 'error_msg': PKG_VERSION_REGEX_ERROR}
  38. RELEASE_REGEX_ERROR = """openshift_release must be in the format
  39. v#[.#[.#]]. Examples: v3.9, v3.10.0
  40. You specified openshift_release={}"""
  41. RELEASE_REGEX = {'re': '(^v?\\d+(\\.\\d+(\\.\\d+)?)?$)',
  42. 'error_msg': RELEASE_REGEX_ERROR}
  43. STORAGE_KIND_TUPLE = (
  44. 'openshift_loggingops_storage_kind',
  45. 'openshift_logging_storage_kind',
  46. 'openshift_metrics_storage_kind',
  47. 'openshift_prometheus_alertbuffer_storage_kind',
  48. 'openshift_prometheus_alertmanager_storage_kind',
  49. 'openshift_prometheus_storage_kind')
  50. IMAGE_POLICY_CONFIG_VAR = "openshift_master_image_policy_config"
  51. ALLOWED_REGISTRIES_VAR = "openshift_master_image_policy_allowed_registries_for_import"
  52. REMOVED_VARIABLES = (
  53. # TODO(michaelgugino): Remove in 3.12
  54. ('oreg_auth_credentials_replace', 'Removed: Credentials are now always updated'),
  55. ('oreg_url_master', 'oreg_url'),
  56. ('oreg_url_node', 'oreg_url'),
  57. ('openshift_cockpit_deployer_prefix', 'openshift_cockpit_deployer_image'),
  58. ('openshift_cockpit_deployer_basename', 'openshift_cockpit_deployer_image'),
  59. ('openshift_cockpit_deployer_version', 'openshift_cockpit_deployer_image'),
  60. )
  61. # JSON_FORMAT_VARIABLES does not intende to cover all json variables, but
  62. # complicated json variables in hosts.example are covered.
  63. JSON_FORMAT_VARIABLES = (
  64. 'openshift_builddefaults_json',
  65. 'openshift_buildoverrides_json',
  66. 'openshift_master_admission_plugin_config',
  67. 'openshift_master_audit_config',
  68. 'openshift_crio_docker_gc_node_selector',
  69. 'openshift_master_image_policy_allowed_registries_for_import',
  70. 'openshift_master_image_policy_config',
  71. 'openshift_master_oauth_templates',
  72. 'container_runtime_extra_storage',
  73. 'openshift_additional_repos',
  74. 'openshift_master_identity_providers',
  75. 'openshift_master_htpasswd_users',
  76. 'openshift_additional_projects',
  77. 'openshift_hosted_routers',
  78. 'openshift_node_open_ports',
  79. 'openshift_master_open_ports',
  80. )
  81. def to_bool(var_to_check):
  82. """Determine a boolean value given the multiple
  83. ways bools can be specified in ansible."""
  84. # http://yaml.org/type/bool.html
  85. yes_list = (True, 1, "True", "1", "true", "TRUE",
  86. "Yes", "yes", "Y", "y", "YES",
  87. "on", "ON", "On")
  88. return var_to_check in yes_list
  89. def check_for_removed_vars(hostvars, host):
  90. """Fails if removed variables are found"""
  91. found_removed = []
  92. for item in REMOVED_VARIABLES:
  93. if item in hostvars[host]:
  94. found_removed.append(item)
  95. if found_removed:
  96. msg = "Found removed variables: "
  97. for item in found_removed:
  98. msg += "{} is replaced by {}; ".format(item[0], item[1])
  99. raise errors.AnsibleModuleError(msg)
  100. return None
  101. class ActionModule(ActionBase):
  102. """Action plugin to execute sanity checks."""
  103. def template_var(self, hostvars, host, varname):
  104. """Retrieve a variable from hostvars and template it.
  105. If undefined, return None type."""
  106. # We will set the current host and variable checked for easy debugging
  107. # if there are any unhandled exceptions.
  108. # pylint: disable=W0201
  109. self.last_checked_var = varname
  110. # pylint: disable=W0201
  111. self.last_checked_host = host
  112. res = hostvars[host].get(varname)
  113. if res is None:
  114. return None
  115. return self._templar.template(res)
  116. def check_openshift_deployment_type(self, hostvars, host):
  117. """Ensure a valid openshift_deployment_type is set"""
  118. openshift_deployment_type = self.template_var(hostvars, host,
  119. 'openshift_deployment_type')
  120. if openshift_deployment_type not in VALID_DEPLOYMENT_TYPES:
  121. type_strings = ", ".join(VALID_DEPLOYMENT_TYPES)
  122. msg = "openshift_deployment_type must be defined and one of {}".format(type_strings)
  123. raise errors.AnsibleModuleError(msg)
  124. return openshift_deployment_type
  125. def get_allowed_registries(self, hostvars, host):
  126. """Returns a list of configured allowedRegistriesForImport as a list of patterns"""
  127. allowed_registries_for_import = self.template_var(hostvars, host, ALLOWED_REGISTRIES_VAR)
  128. if allowed_registries_for_import is None:
  129. image_policy_config = self.template_var(hostvars, host, IMAGE_POLICY_CONFIG_VAR)
  130. if not image_policy_config:
  131. return image_policy_config
  132. if isinstance(image_policy_config, str):
  133. try:
  134. image_policy_config = json.loads(image_policy_config)
  135. except Exception:
  136. raise errors.AnsibleModuleError(
  137. "{} is not a valid json string".format(IMAGE_POLICY_CONFIG_VAR))
  138. if not isinstance(image_policy_config, dict):
  139. raise errors.AnsibleModuleError(
  140. "expected dictionary for {}, not {}".format(
  141. IMAGE_POLICY_CONFIG_VAR, type(image_policy_config)))
  142. detailed = image_policy_config.get("allowedRegistriesForImport", None)
  143. if not detailed:
  144. return detailed
  145. if not isinstance(detailed, list):
  146. raise errors.AnsibleModuleError("expected list for {}['{}'], not {}".format(
  147. IMAGE_POLICY_CONFIG_VAR, "allowedRegistriesForImport",
  148. type(allowed_registries_for_import)))
  149. try:
  150. return [i["domainName"] for i in detailed]
  151. except Exception:
  152. raise errors.AnsibleModuleError(
  153. "each item of allowedRegistriesForImport must be a dictionary with 'domainName' key")
  154. if not isinstance(allowed_registries_for_import, list):
  155. raise errors.AnsibleModuleError("expected list for {}, not {}".format(
  156. IMAGE_POLICY_CONFIG_VAR, type(allowed_registries_for_import)))
  157. return allowed_registries_for_import
  158. def check_whitelisted_registries(self, hostvars, host):
  159. """Ensure defined registries are whitelisted"""
  160. allowed = self.get_allowed_registries(hostvars, host)
  161. if allowed is None:
  162. return
  163. unmatched_registries = []
  164. for regvar in (
  165. "oreg_url"
  166. "openshift_cockpit_deployer_prefix",
  167. "openshift_metrics_image_prefix",
  168. "openshift_logging_image_prefix",
  169. "openshift_service_catalog_image_prefix",
  170. "openshift_docker_insecure_registries"):
  171. value = self.template_var(hostvars, host, regvar)
  172. if not value:
  173. continue
  174. if isinstance(value, list):
  175. registries = value
  176. else:
  177. registries = [value]
  178. for reg in registries:
  179. if not any(is_registry_match(reg, pat) for pat in allowed):
  180. unmatched_registries.append((regvar, reg))
  181. if unmatched_registries:
  182. registry_list = ", ".join(["{}:{}".format(n, v) for n, v in unmatched_registries])
  183. raise errors.AnsibleModuleError(
  184. "registry hostnames of the following image prefixes are not whitelisted by image"
  185. " policy configuration: {}".format(registry_list))
  186. def check_python_version(self, hostvars, host, distro):
  187. """Ensure python version is 3 for Fedora and python 2 for others"""
  188. ansible_python = self.template_var(hostvars, host, 'ansible_python')
  189. if distro == "Fedora":
  190. if ansible_python['version']['major'] != 3:
  191. msg = "openshift-ansible requires Python 3 for {};".format(distro)
  192. msg += " For information on enabling Python 3 with Ansible,"
  193. msg += " see https://docs.ansible.com/ansible/python_3_support.html"
  194. raise errors.AnsibleModuleError(msg)
  195. else:
  196. if ansible_python['version']['major'] != 2:
  197. msg = "openshift-ansible requires Python 2 for {};".format(distro)
  198. def check_image_tag_format(self, hostvars, host, openshift_deployment_type):
  199. """Ensure openshift_image_tag is formatted correctly"""
  200. openshift_image_tag = self.template_var(hostvars, host, 'openshift_image_tag')
  201. if not openshift_image_tag or openshift_image_tag == 'latest':
  202. return None
  203. regex_to_match = IMAGE_TAG_REGEX[openshift_deployment_type]['re']
  204. res = re.match(regex_to_match, str(openshift_image_tag))
  205. if res is None:
  206. msg = IMAGE_TAG_REGEX[openshift_deployment_type]['error_msg']
  207. msg = msg.format(str(openshift_image_tag))
  208. raise errors.AnsibleModuleError(msg)
  209. def check_pkg_version_format(self, hostvars, host):
  210. """Ensure openshift_pkg_version is formatted correctly"""
  211. openshift_pkg_version = self.template_var(hostvars, host, 'openshift_pkg_version')
  212. if not openshift_pkg_version:
  213. return None
  214. regex_to_match = PKG_VERSION_REGEX['re']
  215. res = re.match(regex_to_match, str(openshift_pkg_version))
  216. if res is None:
  217. msg = PKG_VERSION_REGEX['error_msg']
  218. msg = msg.format(str(openshift_pkg_version))
  219. raise errors.AnsibleModuleError(msg)
  220. def check_release_format(self, hostvars, host):
  221. """Ensure openshift_release is formatted correctly"""
  222. openshift_release = self.template_var(hostvars, host, 'openshift_release')
  223. if not openshift_release:
  224. return None
  225. regex_to_match = RELEASE_REGEX['re']
  226. res = re.match(regex_to_match, str(openshift_release))
  227. if res is None:
  228. msg = RELEASE_REGEX['error_msg']
  229. msg = msg.format(str(openshift_release))
  230. raise errors.AnsibleModuleError(msg)
  231. def network_plugin_check(self, hostvars, host):
  232. """Ensure only one type of network plugin is enabled"""
  233. res = []
  234. # Loop through each possible network plugin boolean, determine the
  235. # actual boolean value, and append results into a list.
  236. for plugin, default_val in NET_PLUGIN_LIST:
  237. res_temp = self.template_var(hostvars, host, plugin)
  238. if res_temp is None:
  239. res_temp = default_val
  240. res.append(to_bool(res_temp))
  241. if sum(res) not in (0, 1):
  242. plugin_str = list(zip([x[0] for x in NET_PLUGIN_LIST], res))
  243. msg = "Host Checked: {} Only one of must be true. Found: {}".format(host, plugin_str)
  244. raise errors.AnsibleModuleError(msg)
  245. def check_hostname_vars(self, hostvars, host):
  246. """Checks to ensure openshift_hostname
  247. and openshift_public_hostname
  248. conform to the proper length of 63 characters or less"""
  249. for varname in ('openshift_public_hostname', 'openshift_hostname'):
  250. var_value = self.template_var(hostvars, host, varname)
  251. if var_value and len(var_value) > 63:
  252. msg = '{} must be 63 characters or less'.format(varname)
  253. raise errors.AnsibleModuleError(msg)
  254. def check_session_auth_secrets(self, hostvars, host):
  255. """Checks session_auth_secrets is correctly formatted"""
  256. sas = self.template_var(hostvars, host,
  257. 'openshift_master_session_auth_secrets')
  258. ses = self.template_var(hostvars, host,
  259. 'openshift_master_session_encryption_secrets')
  260. # This variable isn't mandatory, only check if set.
  261. if sas is None and ses is None:
  262. return None
  263. if not (
  264. issubclass(type(sas), list) and issubclass(type(ses), list)
  265. ) or len(sas) != len(ses):
  266. raise errors.AnsibleModuleError(
  267. 'Expects openshift_master_session_auth_secrets and '
  268. 'openshift_master_session_encryption_secrets are equal length lists')
  269. for secret in sas:
  270. if len(secret) < 32:
  271. raise errors.AnsibleModuleError(
  272. 'Invalid secret in openshift_master_session_auth_secrets. '
  273. 'Secrets must be at least 32 characters in length.')
  274. for secret in ses:
  275. if len(secret) not in [16, 24, 32]:
  276. raise errors.AnsibleModuleError(
  277. 'Invalid secret in openshift_master_session_encryption_secrets. '
  278. 'Secrets must be 16, 24, or 32 characters in length.')
  279. return None
  280. def check_unsupported_nfs_configs(self, hostvars, host):
  281. """Fails if nfs storage is in use for any components. This check is
  282. ignored if openshift_enable_unsupported_configurations=True"""
  283. enable_unsupported = self.template_var(
  284. hostvars, host, 'openshift_enable_unsupported_configurations')
  285. if to_bool(enable_unsupported):
  286. return None
  287. for storage in STORAGE_KIND_TUPLE:
  288. kind = self.template_var(hostvars, host, storage)
  289. if kind == 'nfs':
  290. raise errors.AnsibleModuleError(
  291. 'nfs is an unsupported type for {}. '
  292. 'openshift_enable_unsupported_configurations=True must'
  293. 'be specified to continue with this configuration.'
  294. ''.format(storage))
  295. return None
  296. def check_htpasswd_provider(self, hostvars, host):
  297. """Fails if openshift_master_identity_providers contains an entry of
  298. kind HTPasswdPasswordIdentityProvider and
  299. openshift_master_manage_htpasswd is False"""
  300. manage_pass = self.template_var(
  301. hostvars, host, 'openshift_master_manage_htpasswd')
  302. if to_bool(manage_pass):
  303. # If we manage the file, we can just generate in the new path.
  304. return None
  305. idps = self.template_var(
  306. hostvars, host, 'openshift_master_identity_providers')
  307. if not idps:
  308. # If we don't find any identity_providers, nothing for us to do.
  309. return None
  310. old_keys = ('file', 'fileName', 'file_name', 'filename')
  311. if not isinstance(idps, list):
  312. raise errors.AnsibleModuleError("| not a list")
  313. for idp in idps:
  314. if idp['kind'] == 'HTPasswdPasswordIdentityProvider':
  315. for old_key in old_keys:
  316. if old_key in idp is not None:
  317. raise errors.AnsibleModuleError(
  318. 'openshift_master_identity_providers contains a '
  319. 'provider of kind==HTPasswdPasswordIdentityProvider '
  320. 'and {} is set. Please migrate your htpasswd '
  321. 'files to /etc/origin/master/htpasswd and update your '
  322. 'existing master configs, and remove the {} key'
  323. 'before proceeding.'.format(old_key, old_key))
  324. def validate_json_format_vars(self, hostvars, host):
  325. """Fails if invalid json format are found"""
  326. found_invalid_json = []
  327. for var in JSON_FORMAT_VARIABLES:
  328. if var in hostvars[host]:
  329. json_var = self.template_var(hostvars, host, var)
  330. try:
  331. json.loads(json_var)
  332. except ValueError:
  333. found_invalid_json.append([var, json_var])
  334. except BaseException:
  335. pass
  336. if found_invalid_json:
  337. msg = "Found invalid json format variables:\n"
  338. for item in found_invalid_json:
  339. msg += " {} specified in {} is invalid json format\n".format(item[1], item[0])
  340. raise errors.AnsibleModuleError(msg)
  341. return None
  342. def check_for_oreg_password(self, hostvars, host, odt):
  343. """Ensure oreg_password is defined when using registry.redhat.io"""
  344. reg_to_check = 'registry.redhat.io'
  345. err_msg = ("oreg_auth_user and oreg_auth_password must be provided when"
  346. "deploying openshift-enterprise")
  347. err_msg2 = ("oreg_auth_user and oreg_auth_password must be provided when using"
  348. "{}".format(reg_to_check))
  349. oreg_password = self.template_var(hostvars, host, 'oreg_auth_password')
  350. if oreg_password is not None:
  351. # A password is defined, so we're good to go.
  352. return None
  353. oreg_url = self.template_var(hostvars, host, 'oreg_url')
  354. if oreg_url is not None:
  355. if reg_to_check in oreg_url:
  356. raise errors.AnsibleModuleError(err_msg2)
  357. elif odt == 'openshift-enterprise':
  358. # We're not using an oreg_url, we're using default enterprise
  359. # registry. We require oreg_auth_user and oreg_auth_password
  360. raise errors.AnsibleModuleError(err_msg)
  361. def run_checks(self, hostvars, host):
  362. """Execute the hostvars validations against host"""
  363. distro = self.template_var(hostvars, host, 'ansible_distribution')
  364. odt = self.check_openshift_deployment_type(hostvars, host)
  365. self.check_whitelisted_registries(hostvars, host)
  366. self.check_python_version(hostvars, host, distro)
  367. self.check_image_tag_format(hostvars, host, odt)
  368. self.check_pkg_version_format(hostvars, host)
  369. self.check_release_format(hostvars, host)
  370. self.network_plugin_check(hostvars, host)
  371. self.check_hostname_vars(hostvars, host)
  372. self.check_session_auth_secrets(hostvars, host)
  373. self.check_unsupported_nfs_configs(hostvars, host)
  374. self.check_htpasswd_provider(hostvars, host)
  375. check_for_removed_vars(hostvars, host)
  376. self.validate_json_format_vars(hostvars, host)
  377. self.check_for_oreg_password(hostvars, host, odt)
  378. def run(self, tmp=None, task_vars=None):
  379. result = super(ActionModule, self).run(tmp, task_vars)
  380. # self.task_vars holds all in-scope variables.
  381. # Ignore settting self.task_vars outside of init.
  382. # pylint: disable=W0201
  383. self.task_vars = task_vars or {}
  384. # pylint: disable=W0201
  385. self.last_checked_host = "none"
  386. # pylint: disable=W0201
  387. self.last_checked_var = "none"
  388. # self._task.args holds task parameters.
  389. # check_hosts is a parameter to this plugin, and should provide
  390. # a list of hosts.
  391. check_hosts = self._task.args.get('check_hosts')
  392. if not check_hosts:
  393. msg = "check_hosts is required"
  394. raise errors.AnsibleModuleError(msg)
  395. # We need to access each host's variables
  396. hostvars = self.task_vars.get('hostvars')
  397. if not hostvars:
  398. msg = hostvars
  399. raise errors.AnsibleModuleError(msg)
  400. # We loop through each host in the provided list check_hosts
  401. for host in check_hosts:
  402. try:
  403. self.run_checks(hostvars, host)
  404. except Exception as uncaught_e:
  405. msg = "last_checked_host: {}, last_checked_var: {};"
  406. msg = msg.format(self.last_checked_host, self.last_checked_var)
  407. msg += str(uncaught_e)
  408. raise errors.AnsibleModuleError(msg)
  409. result["changed"] = False
  410. result["failed"] = False
  411. result["msg"] = "Sanity Checks passed"
  412. return result
  413. def is_registry_match(item, pattern):
  414. """returns True if the registry matches the given whitelist pattern
  415. Unlike in OpenShift, the comparison is done solely on hostname part
  416. (excluding the port part) since the latter is much more difficult due to
  417. vague definition of port defaulting based on insecure flag. Moreover, most
  418. of the registries will be listed without the port and insecure flag.
  419. """
  420. item = "schema://" + item.split('://', 1)[-1]
  421. return is_match(urlparse(item).hostname, pattern.rsplit(':', 1)[0])
  422. # taken from https://leetcode.com/problems/wildcard-matching/discuss/17845/python-dp-solution
  423. # (the same source as for openshift/origin/pkg/util/strings/wildcard.go)
  424. def is_match(item, pattern):
  425. """implements DP algorithm for string matching"""
  426. length = len(item)
  427. if len(pattern) - pattern.count('*') > length:
  428. return False
  429. matches = [True] + [False] * length
  430. for i in pattern:
  431. if i != '*':
  432. for index in reversed(range(length)):
  433. matches[index + 1] = matches[index] and (i == item[index] or i == '?')
  434. else:
  435. for index in range(1, length + 1):
  436. matches[index] = matches[index - 1] or matches[index]
  437. matches[0] = matches[0] and i == '*'
  438. return matches[-1]