zz_failure_summary.py 7.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161
  1. """
  2. Ansible callback plugin to give a nicely formatted summary of failures.
  3. """
  4. # Reason: In several locations below we disable pylint protected-access
  5. # for Ansible objects that do not give us any public way
  6. # to access the full details we need to report check failures.
  7. # Status: disabled permanently or until Ansible object has a public API.
  8. # This does leave the code more likely to be broken by future Ansible changes.
  9. from pprint import pformat
  10. from ansible.plugins.callback import CallbackBase
  11. from ansible import constants as C
  12. from ansible.utils.color import stringc
  13. class CallbackModule(CallbackBase):
  14. """
  15. This callback plugin stores task results and summarizes failures.
  16. The file name is prefixed with `zz_` to make this plugin be loaded last by
  17. Ansible, thus making its output the last thing that users see.
  18. """
  19. CALLBACK_VERSION = 2.0
  20. CALLBACK_TYPE = 'aggregate'
  21. CALLBACK_NAME = 'failure_summary'
  22. CALLBACK_NEEDS_WHITELIST = False
  23. _playbook_file = None
  24. def __init__(self):
  25. super(CallbackModule, self).__init__()
  26. self.__failures = []
  27. def v2_playbook_on_start(self, playbook):
  28. super(CallbackModule, self).v2_playbook_on_start(playbook)
  29. # re: playbook attrs see top comment # pylint: disable=protected-access
  30. self._playbook_file = playbook._file_name
  31. def v2_runner_on_failed(self, result, ignore_errors=False):
  32. super(CallbackModule, self).v2_runner_on_failed(result, ignore_errors)
  33. if not ignore_errors:
  34. self.__failures.append(dict(result=result, ignore_errors=ignore_errors))
  35. def v2_playbook_on_stats(self, stats):
  36. super(CallbackModule, self).v2_playbook_on_stats(stats)
  37. if self.__failures:
  38. self._print_failure_details(self.__failures)
  39. def _print_failure_details(self, failures):
  40. """Print a summary of failed tasks or checks."""
  41. self._display.display(u'\nFailure summary:\n')
  42. width = len(str(len(failures)))
  43. initial_indent_format = u' {{:>{width}}}. '.format(width=width)
  44. initial_indent_len = len(initial_indent_format.format(0))
  45. subsequent_indent = u' ' * initial_indent_len
  46. subsequent_extra_indent = u' ' * (initial_indent_len + 10)
  47. for i, failure in enumerate(failures, 1):
  48. entries = _format_failure(failure)
  49. self._display.display(u'\n{}{}'.format(initial_indent_format.format(i), entries[0]))
  50. for entry in entries[1:]:
  51. entry = entry.replace(u'\n', u'\n' + subsequent_extra_indent)
  52. indented = u'{}{}'.format(subsequent_indent, entry)
  53. self._display.display(indented)
  54. failed_checks = set()
  55. playbook_context = None
  56. # re: result attrs see top comment # pylint: disable=protected-access
  57. for failure in failures:
  58. # Get context from check task result since callback plugins cannot access task vars.
  59. # NOTE: thus context is not known unless checks run. Failures prior to checks running
  60. # don't have playbook_context in the results. But we only use it now when checks fail.
  61. playbook_context = playbook_context or failure['result']._result.get('playbook_context')
  62. failed_checks.update(
  63. name
  64. for name, result in failure['result']._result.get('checks', {}).items()
  65. if result.get('failed')
  66. )
  67. if failed_checks:
  68. self._print_check_failure_summary(failed_checks, playbook_context)
  69. def _print_check_failure_summary(self, failed_checks, context):
  70. checks = ','.join(sorted(failed_checks))
  71. # The purpose of specifying context is to vary the output depending on what the user was
  72. # expecting to happen (based on which playbook they ran). The only use currently is to
  73. # vary the message depending on whether the user was deliberately running checks or was
  74. # trying to install/upgrade and checks are just included. Other use cases may arise.
  75. summary = ( # default to explaining what checks are in the first place
  76. '\n'
  77. 'The execution of "{playbook}"\n'
  78. 'includes checks designed to fail early if the requirements\n'
  79. 'of the playbook are not met. One or more of these checks\n'
  80. 'failed. To disregard these results, you may choose to\n'
  81. 'disable failing checks by setting an Ansible variable:\n\n'
  82. ' openshift_disable_check={checks}\n\n'
  83. 'Failing check names are shown in the failure details above.\n'
  84. 'Some checks may be configurable by variables if your requirements\n'
  85. 'are different from the defaults; consult check documentation.\n'
  86. 'Variables can be set in the inventory or passed on the\n'
  87. 'command line using the -e flag to ansible-playbook.\n\n'
  88. ).format(playbook=self._playbook_file, checks=checks)
  89. if context in ['pre-install', 'health']:
  90. summary = ( # user was expecting to run checks, less explanation needed
  91. '\n'
  92. 'You may choose to configure or disable failing checks by\n'
  93. 'setting Ansible variables. To disable those above:\n\n'
  94. ' openshift_disable_check={checks}\n\n'
  95. 'Consult check documentation for configurable variables.\n'
  96. 'Variables can be set in the inventory or passed on the\n'
  97. 'command line using the -e flag to ansible-playbook.\n\n'
  98. ).format(checks=checks)
  99. self._display.display(summary)
  100. # re: result attrs see top comment # pylint: disable=protected-access
  101. def _format_failure(failure):
  102. """Return a list of pretty-formatted text entries describing a failure, including
  103. relevant information about it. Expect that the list of text entries will be joined
  104. by a newline separator when output to the user."""
  105. result = failure['result']
  106. host = result._host.get_name()
  107. play = _get_play(result._task)
  108. if play:
  109. play = play.get_name()
  110. task = result._task.get_name()
  111. msg = result._result.get('msg', u'???')
  112. fields = (
  113. (u'Host', host),
  114. (u'Play', play),
  115. (u'Task', task),
  116. (u'Message', stringc(msg, C.COLOR_ERROR)),
  117. )
  118. if 'checks' in result._result:
  119. fields += ((u'Details', _format_failed_checks(result._result['checks'])),)
  120. row_format = '{:10}{}'
  121. return [row_format.format(header + u':', body) for header, body in fields]
  122. def _format_failed_checks(checks):
  123. """Return pretty-formatted text describing checks that failed."""
  124. failed_check_msgs = []
  125. for check, body in checks.items():
  126. if body.get('failed', False): # only show the failed checks
  127. msg = body.get('msg', u"Failed without returning a message")
  128. failed_check_msgs.append('check "%s":\n%s' % (check, msg))
  129. if failed_check_msgs:
  130. return stringc("\n\n".join(failed_check_msgs), C.COLOR_ERROR)
  131. else: # something failed but no checks will admit to it, so dump everything
  132. return stringc(pformat(checks), C.COLOR_ERROR)
  133. # This is inspired by ansible.playbook.base.Base.dump_me.
  134. # re: play/task/block attrs see top comment # pylint: disable=protected-access
  135. def _get_play(obj):
  136. """Given a task or block, recursively try to find its parent play."""
  137. if hasattr(obj, '_play'):
  138. return obj._play
  139. if getattr(obj, '_parent'):
  140. return _get_play(obj._parent)