openshift_health_check.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351
  1. """
  2. Ansible action plugin to execute health checks in OpenShift clusters.
  3. """
  4. import sys
  5. import os
  6. import base64
  7. import traceback
  8. import errno
  9. import json
  10. from collections import defaultdict
  11. from ansible.plugins.action import ActionBase
  12. from ansible.module_utils.six import string_types
  13. try:
  14. from __main__ import display
  15. except ImportError:
  16. # pylint: disable=ungrouped-imports; this is the standard way how to import
  17. # the default display object in Ansible action plugins.
  18. from ansible.utils.display import Display
  19. display = Display()
  20. # Augment sys.path so that we can import checks from a directory relative to
  21. # this callback plugin.
  22. sys.path.insert(1, os.path.dirname(os.path.dirname(__file__)))
  23. # pylint: disable=wrong-import-position; the import statement must come after
  24. # the manipulation of sys.path.
  25. from openshift_checks import OpenShiftCheck, OpenShiftCheckException, load_checks # noqa: E402
  26. class ActionModule(ActionBase):
  27. """Action plugin to execute health checks."""
  28. def run(self, tmp=None, task_vars=None):
  29. result = super(ActionModule, self).run(tmp, task_vars)
  30. task_vars = task_vars or {}
  31. # callback plugins cannot read Ansible vars, but we would like
  32. # zz_failure_summary to have access to certain values. We do so by
  33. # storing the information we need in the result.
  34. result['playbook_context'] = task_vars.get('r_openshift_health_checker_playbook_context')
  35. # if the user wants to write check results to files, they provide this directory:
  36. output_dir = task_vars.get("openshift_checks_output_dir")
  37. if output_dir:
  38. output_dir = os.path.join(output_dir, task_vars["ansible_host"])
  39. try:
  40. known_checks = self.load_known_checks(tmp, task_vars, output_dir)
  41. args = self._task.args
  42. requested_checks = normalize(args.get('checks', []))
  43. if not requested_checks:
  44. result['failed'] = True
  45. result['msg'] = list_known_checks(known_checks)
  46. return result
  47. resolved_checks = resolve_checks(requested_checks, known_checks.values())
  48. except OpenShiftCheckException as exc:
  49. result["failed"] = True
  50. result["msg"] = str(exc)
  51. return result
  52. if "openshift" not in task_vars:
  53. result["failed"] = True
  54. result["msg"] = "'openshift' is undefined, did 'openshift_facts' run?"
  55. return result
  56. result["checks"] = check_results = {}
  57. user_disabled_checks = normalize(task_vars.get('openshift_disable_check', []))
  58. for name in resolved_checks:
  59. display.banner("CHECK [{} : {}]".format(name, task_vars["ansible_host"]))
  60. check_results[name] = run_check(name, known_checks[name], user_disabled_checks, output_dir)
  61. result["changed"] = any(r.get("changed") for r in check_results.values())
  62. if any(r.get("failed") for r in check_results.values()):
  63. result["failed"] = True
  64. result["msg"] = "One or more checks failed"
  65. write_result_to_output_dir(output_dir, result)
  66. return result
  67. def load_known_checks(self, tmp, task_vars, output_dir=None):
  68. """Find all existing checks and return a mapping of names to instances."""
  69. load_checks()
  70. want_full_results = bool(output_dir)
  71. known_checks = {}
  72. for cls in OpenShiftCheck.subclasses():
  73. name = cls.name
  74. if name in known_checks:
  75. other_cls = known_checks[name].__class__
  76. raise OpenShiftCheckException(
  77. "duplicate check name '{}' in: '{}' and '{}'"
  78. "".format(name, full_class_name(cls), full_class_name(other_cls))
  79. )
  80. known_checks[name] = cls(
  81. execute_module=self._execute_module,
  82. tmp=tmp,
  83. task_vars=task_vars,
  84. want_full_results=want_full_results,
  85. templar=self._templar
  86. )
  87. return known_checks
  88. def list_known_checks(known_checks):
  89. """Return text listing the existing checks and tags."""
  90. # TODO: we could include a description of each check by taking it from a
  91. # check class attribute (e.g., __doc__) when building the message below.
  92. msg = (
  93. 'This playbook is meant to run health checks, but no checks were '
  94. 'requested. Set the `openshift_checks` variable to a comma-separated '
  95. 'list of check names or a YAML list. Available checks:\n {}'
  96. ).format('\n '.join(sorted(known_checks)))
  97. tags = describe_tags(known_checks.values())
  98. msg += (
  99. '\n\nTags can be used as a shortcut to select multiple '
  100. 'checks. Available tags and the checks they select:\n {}'
  101. ).format('\n '.join(tags))
  102. return msg
  103. def describe_tags(check_classes):
  104. """Return a sorted list of strings describing tags and the checks they include."""
  105. tag_checks = defaultdict(list)
  106. for cls in check_classes:
  107. for tag in cls.tags:
  108. tag_checks[tag].append(cls.name)
  109. tags = [
  110. '@{} = {}'.format(tag, ','.join(sorted(checks)))
  111. for tag, checks in tag_checks.items()
  112. ]
  113. return sorted(tags)
  114. def resolve_checks(names, all_checks):
  115. """Returns a set of resolved check names.
  116. Resolving a check name expands tag references (e.g., "@tag") to all the
  117. checks that contain the given tag. OpenShiftCheckException is raised if
  118. names contains an unknown check or tag name.
  119. names should be a sequence of strings.
  120. all_checks should be a sequence of check classes/instances.
  121. """
  122. known_check_names = set(check.name for check in all_checks)
  123. known_tag_names = set(name for check in all_checks for name in check.tags)
  124. check_names = set(name for name in names if not name.startswith('@'))
  125. tag_names = set(name[1:] for name in names if name.startswith('@'))
  126. unknown_check_names = check_names - known_check_names
  127. unknown_tag_names = tag_names - known_tag_names
  128. if unknown_check_names or unknown_tag_names:
  129. msg = []
  130. if unknown_check_names:
  131. msg.append('Unknown check names: {}.'.format(', '.join(sorted(unknown_check_names))))
  132. if unknown_tag_names:
  133. msg.append('Unknown tag names: {}.'.format(', '.join(sorted(unknown_tag_names))))
  134. msg.append('Make sure there is no typo in the playbook and no files are missing.')
  135. # TODO: implement a "Did you mean ...?" when the input is similar to a
  136. # valid check or tag.
  137. msg.append('Known checks:')
  138. msg.append(' {}'.format('\n '.join(sorted(known_check_names))))
  139. msg.append('Known tags:')
  140. msg.append(' {}'.format('\n '.join(describe_tags(all_checks))))
  141. raise OpenShiftCheckException('\n'.join(msg))
  142. tag_to_checks = defaultdict(set)
  143. for check in all_checks:
  144. for tag in check.tags:
  145. tag_to_checks[tag].add(check.name)
  146. resolved = check_names.copy()
  147. for tag in tag_names:
  148. resolved.update(tag_to_checks[tag])
  149. return resolved
  150. def normalize(checks):
  151. """Return a clean list of check names.
  152. The input may be a comma-separated string or a sequence. Leading and
  153. trailing whitespace characters are removed. Empty items are discarded.
  154. """
  155. if isinstance(checks, string_types):
  156. checks = checks.split(',')
  157. return [name.strip() for name in checks if name.strip()]
  158. def run_check(name, check, user_disabled_checks, output_dir=None):
  159. """Run a single check if enabled and return a result dict."""
  160. # determine if we're going to run the check (not inactive or disabled)
  161. if name in user_disabled_checks or '*' in user_disabled_checks:
  162. return dict(skipped=True, skipped_reason="Disabled by user request")
  163. # pylint: disable=broad-except; capturing exceptions broadly is intentional,
  164. # to isolate arbitrary failures in one check from others.
  165. try:
  166. is_active = check.is_active()
  167. except Exception as exc:
  168. reason = "Could not determine if check should be run, exception: {}".format(exc)
  169. return dict(skipped=True, skipped_reason=reason, exception=traceback.format_exc())
  170. if not is_active:
  171. return dict(skipped=True, skipped_reason="Not active for this host")
  172. # run the check
  173. result = {}
  174. try:
  175. result = check.run()
  176. except OpenShiftCheckException as exc:
  177. check.register_failure(exc)
  178. except Exception as exc:
  179. check.register_failure("\n".join([str(exc), traceback.format_exc()]))
  180. # process the check state; compose the result hash, write files as needed
  181. if check.changed:
  182. result["changed"] = True
  183. if check.failures or result.get("failed"):
  184. if "msg" in result: # failure result has msg; combine with any registered failures
  185. check.register_failure(result.get("msg"))
  186. result["failures"] = [(fail.name, str(fail)) for fail in check.failures]
  187. result["failed"] = True
  188. result["msg"] = "\n".join(str(fail) for fail in check.failures)
  189. write_to_output_file(output_dir, name + ".failures.json", result["failures"])
  190. if check.logs:
  191. write_to_output_file(output_dir, name + ".log.json", check.logs)
  192. if check.files_to_save:
  193. write_files_to_save(output_dir, check)
  194. return result
  195. def prepare_output_dir(dirname):
  196. """Create the directory, including parents. Return bool for success/failure."""
  197. try:
  198. os.makedirs(dirname)
  199. return True
  200. except OSError as exc:
  201. # trying to create existing dir leads to error;
  202. # that error is fine, but for any other, assume the dir is not there
  203. return exc.errno == errno.EEXIST
  204. def copy_remote_file_to_dir(check, file_to_save, output_dir, fname):
  205. """Copy file from remote host to local file in output_dir, if given."""
  206. if not output_dir or not prepare_output_dir(output_dir):
  207. return
  208. local_file = os.path.join(output_dir, fname)
  209. # pylint: disable=broad-except; do not need to do anything about failure to write dir/file
  210. # and do not want exceptions to break anything.
  211. try:
  212. # NOTE: it would have been nice to copy the file directly without loading it into
  213. # memory, but there does not seem to be a good way to do this via ansible.
  214. result = check.execute_module("slurp", dict(src=file_to_save), register=False)
  215. if result.get("failed"):
  216. display.warning("Could not retrieve file {}: {}".format(file_to_save, result.get("msg")))
  217. return
  218. content = result["content"]
  219. if result.get("encoding") == "base64":
  220. content = base64.b64decode(content)
  221. with open(local_file, "wb") as outfile:
  222. outfile.write(content)
  223. except Exception as exc:
  224. display.warning("Failed writing remote {} to local {}: {}".format(file_to_save, local_file, exc))
  225. return
  226. def _no_fail(obj):
  227. # pylint: disable=broad-except; do not want serialization to fail for any reason
  228. try:
  229. return str(obj)
  230. except Exception:
  231. return "[not serializable]"
  232. def write_to_output_file(output_dir, filename, data):
  233. """If output_dir provided, write data to file. Serialize as JSON if data is not a string."""
  234. if not output_dir or not prepare_output_dir(output_dir):
  235. return
  236. filename = os.path.join(output_dir, filename)
  237. try:
  238. with open(filename, 'w') as outfile:
  239. if isinstance(data, string_types):
  240. outfile.write(data)
  241. else:
  242. json.dump(data, outfile, sort_keys=True, indent=4, default=_no_fail)
  243. # pylint: disable=broad-except; do not want serialization/write to break for any reason
  244. except Exception as exc:
  245. display.warning("Could not write output file {}: {}".format(filename, exc))
  246. def write_result_to_output_dir(output_dir, result):
  247. """If output_dir provided, write the result as json to result.json.
  248. Success/failure of the write is recorded as "output_files" in the result hash afterward.
  249. Otherwise this is much like write_to_output_file.
  250. """
  251. if not output_dir:
  252. return
  253. if not prepare_output_dir(output_dir):
  254. result["output_files"] = "Error creating output directory " + output_dir
  255. return
  256. filename = os.path.join(output_dir, "result.json")
  257. try:
  258. with open(filename, 'w') as outfile:
  259. json.dump(result, outfile, sort_keys=True, indent=4, default=_no_fail)
  260. result["output_files"] = "Check results for this host written to " + filename
  261. # pylint: disable=broad-except; do not want serialization/write to break for any reason
  262. except Exception as exc:
  263. result["output_files"] = "Error writing check results to {}:\n{}".format(filename, exc)
  264. def write_files_to_save(output_dir, check):
  265. """Write files to check subdir in output dir."""
  266. if not output_dir:
  267. return
  268. output_dir = os.path.join(output_dir, check.name)
  269. seen_file = defaultdict(lambda: 0)
  270. for file_to_save in check.files_to_save:
  271. fname = file_to_save.filename
  272. while seen_file[fname]: # just to be sure we never re-write a file, append numbers as needed
  273. seen_file[fname] += 1
  274. fname = "{}.{}".format(fname, seen_file[fname])
  275. seen_file[fname] += 1
  276. if file_to_save.remote_filename:
  277. copy_remote_file_to_dir(check, file_to_save.remote_filename, output_dir, fname)
  278. else:
  279. write_to_output_file(output_dir, fname, file_to_save.contents)
  280. def full_class_name(cls):
  281. """Return the name of a class prefixed with its module name."""
  282. return '{}.{}'.format(cls.__module__, cls.__name__)