openshift_health_check.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350
  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. )
  86. return known_checks
  87. def list_known_checks(known_checks):
  88. """Return text listing the existing checks and tags."""
  89. # TODO: we could include a description of each check by taking it from a
  90. # check class attribute (e.g., __doc__) when building the message below.
  91. msg = (
  92. 'This playbook is meant to run health checks, but no checks were '
  93. 'requested. Set the `openshift_checks` variable to a comma-separated '
  94. 'list of check names or a YAML list. Available checks:\n {}'
  95. ).format('\n '.join(sorted(known_checks)))
  96. tags = describe_tags(known_checks.values())
  97. msg += (
  98. '\n\nTags can be used as a shortcut to select multiple '
  99. 'checks. Available tags and the checks they select:\n {}'
  100. ).format('\n '.join(tags))
  101. return msg
  102. def describe_tags(check_classes):
  103. """Return a sorted list of strings describing tags and the checks they include."""
  104. tag_checks = defaultdict(list)
  105. for cls in check_classes:
  106. for tag in cls.tags:
  107. tag_checks[tag].append(cls.name)
  108. tags = [
  109. '@{} = {}'.format(tag, ','.join(sorted(checks)))
  110. for tag, checks in tag_checks.items()
  111. ]
  112. return sorted(tags)
  113. def resolve_checks(names, all_checks):
  114. """Returns a set of resolved check names.
  115. Resolving a check name expands tag references (e.g., "@tag") to all the
  116. checks that contain the given tag. OpenShiftCheckException is raised if
  117. names contains an unknown check or tag name.
  118. names should be a sequence of strings.
  119. all_checks should be a sequence of check classes/instances.
  120. """
  121. known_check_names = set(check.name for check in all_checks)
  122. known_tag_names = set(name for check in all_checks for name in check.tags)
  123. check_names = set(name for name in names if not name.startswith('@'))
  124. tag_names = set(name[1:] for name in names if name.startswith('@'))
  125. unknown_check_names = check_names - known_check_names
  126. unknown_tag_names = tag_names - known_tag_names
  127. if unknown_check_names or unknown_tag_names:
  128. msg = []
  129. if unknown_check_names:
  130. msg.append('Unknown check names: {}.'.format(', '.join(sorted(unknown_check_names))))
  131. if unknown_tag_names:
  132. msg.append('Unknown tag names: {}.'.format(', '.join(sorted(unknown_tag_names))))
  133. msg.append('Make sure there is no typo in the playbook and no files are missing.')
  134. # TODO: implement a "Did you mean ...?" when the input is similar to a
  135. # valid check or tag.
  136. msg.append('Known checks:')
  137. msg.append(' {}'.format('\n '.join(sorted(known_check_names))))
  138. msg.append('Known tags:')
  139. msg.append(' {}'.format('\n '.join(describe_tags(all_checks))))
  140. raise OpenShiftCheckException('\n'.join(msg))
  141. tag_to_checks = defaultdict(set)
  142. for check in all_checks:
  143. for tag in check.tags:
  144. tag_to_checks[tag].add(check.name)
  145. resolved = check_names.copy()
  146. for tag in tag_names:
  147. resolved.update(tag_to_checks[tag])
  148. return resolved
  149. def normalize(checks):
  150. """Return a clean list of check names.
  151. The input may be a comma-separated string or a sequence. Leading and
  152. trailing whitespace characters are removed. Empty items are discarded.
  153. """
  154. if isinstance(checks, string_types):
  155. checks = checks.split(',')
  156. return [name.strip() for name in checks if name.strip()]
  157. def run_check(name, check, user_disabled_checks, output_dir=None):
  158. """Run a single check if enabled and return a result dict."""
  159. # determine if we're going to run the check (not inactive or disabled)
  160. if name in user_disabled_checks or '*' in user_disabled_checks:
  161. return dict(skipped=True, skipped_reason="Disabled by user request")
  162. # pylint: disable=broad-except; capturing exceptions broadly is intentional,
  163. # to isolate arbitrary failures in one check from others.
  164. try:
  165. is_active = check.is_active()
  166. except Exception as exc:
  167. reason = "Could not determine if check should be run, exception: {}".format(exc)
  168. return dict(skipped=True, skipped_reason=reason, exception=traceback.format_exc())
  169. if not is_active:
  170. return dict(skipped=True, skipped_reason="Not active for this host")
  171. # run the check
  172. result = {}
  173. try:
  174. result = check.run()
  175. except OpenShiftCheckException as exc:
  176. check.register_failure(exc)
  177. except Exception as exc:
  178. check.register_failure("\n".join([str(exc), traceback.format_exc()]))
  179. # process the check state; compose the result hash, write files as needed
  180. if check.changed:
  181. result["changed"] = True
  182. if check.failures or result.get("failed"):
  183. if "msg" in result: # failure result has msg; combine with any registered failures
  184. check.register_failure(result.get("msg"))
  185. result["failures"] = [(fail.name, str(fail)) for fail in check.failures]
  186. result["failed"] = True
  187. result["msg"] = "\n".join(str(fail) for fail in check.failures)
  188. write_to_output_file(output_dir, name + ".failures.json", result["failures"])
  189. if check.logs:
  190. write_to_output_file(output_dir, name + ".log.json", check.logs)
  191. if check.files_to_save:
  192. write_files_to_save(output_dir, check)
  193. return result
  194. def prepare_output_dir(dirname):
  195. """Create the directory, including parents. Return bool for success/failure."""
  196. try:
  197. os.makedirs(dirname)
  198. return True
  199. except OSError as exc:
  200. # trying to create existing dir leads to error;
  201. # that error is fine, but for any other, assume the dir is not there
  202. return exc.errno == errno.EEXIST
  203. def copy_remote_file_to_dir(check, file_to_save, output_dir, fname):
  204. """Copy file from remote host to local file in output_dir, if given."""
  205. if not output_dir or not prepare_output_dir(output_dir):
  206. return
  207. local_file = os.path.join(output_dir, fname)
  208. # pylint: disable=broad-except; do not need to do anything about failure to write dir/file
  209. # and do not want exceptions to break anything.
  210. try:
  211. # NOTE: it would have been nice to copy the file directly without loading it into
  212. # memory, but there does not seem to be a good way to do this via ansible.
  213. result = check.execute_module("slurp", dict(src=file_to_save), register=False)
  214. if result.get("failed"):
  215. display.warning("Could not retrieve file {}: {}".format(file_to_save, result.get("msg")))
  216. return
  217. content = result["content"]
  218. if result.get("encoding") == "base64":
  219. content = base64.b64decode(content)
  220. with open(local_file, "wb") as outfile:
  221. outfile.write(content)
  222. except Exception as exc:
  223. display.warning("Failed writing remote {} to local {}: {}".format(file_to_save, local_file, exc))
  224. return
  225. def _no_fail(obj):
  226. # pylint: disable=broad-except; do not want serialization to fail for any reason
  227. try:
  228. return str(obj)
  229. except Exception:
  230. return "[not serializable]"
  231. def write_to_output_file(output_dir, filename, data):
  232. """If output_dir provided, write data to file. Serialize as JSON if data is not a string."""
  233. if not output_dir or not prepare_output_dir(output_dir):
  234. return
  235. filename = os.path.join(output_dir, filename)
  236. try:
  237. with open(filename, 'w') as outfile:
  238. if isinstance(data, string_types):
  239. outfile.write(data)
  240. else:
  241. json.dump(data, outfile, sort_keys=True, indent=4, default=_no_fail)
  242. # pylint: disable=broad-except; do not want serialization/write to break for any reason
  243. except Exception as exc:
  244. display.warning("Could not write output file {}: {}".format(filename, exc))
  245. def write_result_to_output_dir(output_dir, result):
  246. """If output_dir provided, write the result as json to result.json.
  247. Success/failure of the write is recorded as "output_files" in the result hash afterward.
  248. Otherwise this is much like write_to_output_file.
  249. """
  250. if not output_dir:
  251. return
  252. if not prepare_output_dir(output_dir):
  253. result["output_files"] = "Error creating output directory " + output_dir
  254. return
  255. filename = os.path.join(output_dir, "result.json")
  256. try:
  257. with open(filename, 'w') as outfile:
  258. json.dump(result, outfile, sort_keys=True, indent=4, default=_no_fail)
  259. result["output_files"] = "Check results for this host written to " + filename
  260. # pylint: disable=broad-except; do not want serialization/write to break for any reason
  261. except Exception as exc:
  262. result["output_files"] = "Error writing check results to {}:\n{}".format(filename, exc)
  263. def write_files_to_save(output_dir, check):
  264. """Write files to check subdir in output dir."""
  265. if not output_dir:
  266. return
  267. output_dir = os.path.join(output_dir, check.name)
  268. seen_file = defaultdict(lambda: 0)
  269. for file_to_save in check.files_to_save:
  270. fname = file_to_save.filename
  271. while seen_file[fname]: # just to be sure we never re-write a file, append numbers as needed
  272. seen_file[fname] += 1
  273. fname = "{}.{}".format(fname, seen_file[fname])
  274. seen_file[fname] += 1
  275. if file_to_save.remote_filename:
  276. copy_remote_file_to_dir(check, file_to_save.remote_filename, output_dir, fname)
  277. else:
  278. write_to_output_file(output_dir, fname, file_to_save.contents)
  279. def full_class_name(cls):
  280. """Return the name of a class prefixed with its module name."""
  281. return '{}.{}'.format(cls.__module__, cls.__name__)