openshift_quick_installer.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360
  1. # pylint: disable=invalid-name,protected-access,import-error,line-too-long,attribute-defined-outside-init
  2. # This program is free software: you can redistribute it and/or modify
  3. # it under the terms of the GNU General Public License as published by
  4. # the Free Software Foundation, either version 3 of the License, or
  5. # (at your option) any later version.
  6. #
  7. # This program is distributed in the hope that it will be useful,
  8. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  9. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  10. # GNU General Public License for more details.
  11. #
  12. # You should have received a copy of the GNU General Public License
  13. # along with this program. If not, see <http://www.gnu.org/licenses/>.
  14. """This file is a stdout callback plugin for the OpenShift Quick
  15. Installer. The purpose of this callback plugin is to reduce the amount
  16. of produced output for customers and enable simpler progress checking.
  17. What's different:
  18. * Playbook progress is expressed as: Play <current_play>/<total_plays> (Play Name)
  19. Ex: Play 3/30 (Initialize Megafrobber)
  20. * The Tasks and Handlers in each play (and included roles) are printed
  21. as a series of .'s following the play progress line.
  22. * Many of these methods include copy and paste code from the upstream
  23. default.py callback. We do that to give us control over the stdout
  24. output while allowing Ansible to handle the file logging
  25. normally. The biggest changes here are that we are manually setting
  26. `log_only` to True in the Display.display method and we redefine the
  27. Display.banner method locally so we can set log_only on that call as
  28. well.
  29. """
  30. from __future__ import (absolute_import, print_function)
  31. import sys
  32. from ansible import constants as C
  33. from ansible.plugins.callback import CallbackBase
  34. from ansible.utils.color import colorize, hostcolor
  35. class CallbackModule(CallbackBase):
  36. """
  37. Ansible callback plugin
  38. """
  39. CALLBACK_VERSION = 2.2
  40. CALLBACK_TYPE = 'stdout'
  41. CALLBACK_NAME = 'openshift_quick_installer'
  42. CALLBACK_NEEDS_WHITELIST = False
  43. plays_count = 0
  44. plays_total_ran = 0
  45. def __init__(self):
  46. """Constructor, ensure standard self.*s are set"""
  47. self._play = None
  48. self._last_task_banner = None
  49. super(CallbackModule, self).__init__()
  50. def banner(self, msg, color=None):
  51. '''Prints a header-looking line with stars taking up to 80 columns
  52. of width (3 columns, minimum)
  53. Overrides the upstream banner method so that display is called
  54. with log_only=True
  55. '''
  56. msg = msg.strip()
  57. star_len = (79 - len(msg))
  58. if star_len < 0:
  59. star_len = 3
  60. stars = "*" * star_len
  61. self._display.display("\n%s %s" % (msg, stars), color=color, log_only=True)
  62. def _print_task_banner(self, task):
  63. """Imported from the upstream 'default' callback"""
  64. # args can be specified as no_log in several places: in the task or in
  65. # the argument spec. We can check whether the task is no_log but the
  66. # argument spec can't be because that is only run on the target
  67. # machine and we haven't run it thereyet at this time.
  68. #
  69. # So we give people a config option to affect display of the args so
  70. # that they can secure this if they feel that their stdout is insecure
  71. # (shoulder surfing, logging stdout straight to a file, etc).
  72. args = ''
  73. if not task.no_log and C.DISPLAY_ARGS_TO_STDOUT:
  74. args = ', '.join('%s=%s' % a for a in task.args.items())
  75. args = ' %s' % args
  76. self.banner(u"TASK [%s%s]" % (task.get_name().strip(), args))
  77. if self._display.verbosity >= 2:
  78. path = task.get_path()
  79. if path:
  80. self._display.display(u"task path: %s" % path, color=C.COLOR_DEBUG, log_only=True)
  81. self._last_task_banner = task._uuid
  82. def v2_playbook_on_start(self, playbook):
  83. """This is basically the start of it all"""
  84. self.plays_count = len(playbook.get_plays())
  85. self.plays_total_ran = 0
  86. if self._display.verbosity > 1:
  87. from os.path import basename
  88. self.banner("PLAYBOOK: %s" % basename(playbook._file_name))
  89. def v2_playbook_on_play_start(self, play):
  90. """Each play calls this once before running any tasks
  91. We could print the number of tasks here as well by using
  92. `play.get_tasks()` but that is not accurate when a play includes a
  93. role. Only the tasks directly assigned to a play are exposed in the
  94. `play` object.
  95. """
  96. self.plays_total_ran += 1
  97. print("")
  98. print("Play %s/%s (%s)" % (self.plays_total_ran, self.plays_count, play.get_name()))
  99. name = play.get_name().strip()
  100. if not name:
  101. msg = "PLAY"
  102. else:
  103. msg = "PLAY [%s]" % name
  104. self._play = play
  105. self.banner(msg)
  106. # pylint: disable=unused-argument,no-self-use
  107. def v2_playbook_on_task_start(self, task, is_conditional):
  108. """This prints out the task header. For example:
  109. TASK [openshift_facts : Ensure PyYaml is installed] ***...
  110. Rather than print out all that for every task, we print a dot
  111. character to indicate a task has been started.
  112. """
  113. sys.stdout.write('.')
  114. args = ''
  115. # args can be specified as no_log in several places: in the task or in
  116. # the argument spec. We can check whether the task is no_log but the
  117. # argument spec can't be because that is only run on the target
  118. # machine and we haven't run it thereyet at this time.
  119. #
  120. # So we give people a config option to affect display of the args so
  121. # that they can secure this if they feel that their stdout is insecure
  122. # (shoulder surfing, logging stdout straight to a file, etc).
  123. if not task.no_log and C.DISPLAY_ARGS_TO_STDOUT:
  124. args = ', '.join(('%s=%s' % a for a in task.args.items()))
  125. args = ' %s' % args
  126. self.banner("TASK [%s%s]" % (task.get_name().strip(), args))
  127. if self._display.verbosity >= 2:
  128. path = task.get_path()
  129. if path:
  130. self._display.display("task path: %s" % path, color=C.COLOR_DEBUG, log_only=True)
  131. # pylint: disable=unused-argument,no-self-use
  132. def v2_playbook_on_handler_task_start(self, task):
  133. """Print out task header for handlers
  134. Rather than print out a header for every handler, we print a dot
  135. character to indicate a handler task has been started.
  136. """
  137. sys.stdout.write('.')
  138. self.banner("RUNNING HANDLER [%s]" % task.get_name().strip())
  139. # pylint: disable=unused-argument,no-self-use
  140. def v2_playbook_on_cleanup_task_start(self, task):
  141. """Print out a task header for cleanup tasks
  142. Rather than print out a header for every handler, we print a dot
  143. character to indicate a handler task has been started.
  144. """
  145. sys.stdout.write('.')
  146. self.banner("CLEANUP TASK [%s]" % task.get_name().strip())
  147. def v2_playbook_on_include(self, included_file):
  148. """Print out paths to statically included files"""
  149. msg = 'included: %s for %s' % (included_file._filename, ", ".join([h.name for h in included_file._hosts]))
  150. self._display.display(msg, color=C.COLOR_SKIP, log_only=True)
  151. def v2_runner_on_ok(self, result):
  152. """This prints out task results in a fancy format
  153. The only thing we change here is adding `log_only=True` to the
  154. .display() call
  155. """
  156. delegated_vars = result._result.get('_ansible_delegated_vars', None)
  157. self._clean_results(result._result, result._task.action)
  158. if result._task.action in ('include', 'include_role'):
  159. return
  160. elif result._result.get('changed', False):
  161. if delegated_vars:
  162. msg = "changed: [%s -> %s]" % (result._host.get_name(), delegated_vars['ansible_host'])
  163. else:
  164. msg = "changed: [%s]" % result._host.get_name()
  165. color = C.COLOR_CHANGED
  166. else:
  167. if delegated_vars:
  168. msg = "ok: [%s -> %s]" % (result._host.get_name(), delegated_vars['ansible_host'])
  169. else:
  170. msg = "ok: [%s]" % result._host.get_name()
  171. color = C.COLOR_OK
  172. if result._task.loop and 'results' in result._result:
  173. self._process_items(result)
  174. else:
  175. if (self._display.verbosity > 0 or '_ansible_verbose_always' in result._result) and '_ansible_verbose_override' not in result._result:
  176. msg += " => %s" % (self._dump_results(result._result),)
  177. self._display.display(msg, color=color, log_only=True)
  178. self._handle_warnings(result._result)
  179. def v2_runner_item_on_ok(self, result):
  180. """Print out task results for items you're iterating over"""
  181. delegated_vars = result._result.get('_ansible_delegated_vars', None)
  182. if result._task.action in ('include', 'include_role'):
  183. return
  184. elif result._result.get('changed', False):
  185. msg = 'changed'
  186. color = C.COLOR_CHANGED
  187. else:
  188. msg = 'ok'
  189. color = C.COLOR_OK
  190. if delegated_vars:
  191. msg += ": [%s -> %s]" % (result._host.get_name(), delegated_vars['ansible_host'])
  192. else:
  193. msg += ": [%s]" % result._host.get_name()
  194. msg += " => (item=%s)" % (self._get_item(result._result),)
  195. if (self._display.verbosity > 0 or '_ansible_verbose_always' in result._result) and '_ansible_verbose_override' not in result._result:
  196. msg += " => %s" % self._dump_results(result._result)
  197. self._display.display(msg, color=color, log_only=True)
  198. def v2_runner_item_on_skipped(self, result):
  199. """Print out task results when an item is skipped"""
  200. if C.DISPLAY_SKIPPED_HOSTS:
  201. msg = "skipping: [%s] => (item=%s) " % (result._host.get_name(), self._get_item(result._result))
  202. if (self._display.verbosity > 0 or '_ansible_verbose_always' in result._result) and '_ansible_verbose_override' not in result._result:
  203. msg += " => %s" % self._dump_results(result._result)
  204. self._display.display(msg, color=C.COLOR_SKIP, log_only=True)
  205. def v2_runner_on_skipped(self, result):
  206. """Print out task results when a task (or something else?) is skipped"""
  207. if C.DISPLAY_SKIPPED_HOSTS:
  208. if result._task.loop and 'results' in result._result:
  209. self._process_items(result)
  210. else:
  211. msg = "skipping: [%s]" % result._host.get_name()
  212. if (self._display.verbosity > 0 or '_ansible_verbose_always' in result._result) and '_ansible_verbose_override' not in result._result:
  213. msg += " => %s" % self._dump_results(result._result)
  214. self._display.display(msg, color=C.COLOR_SKIP, log_only=True)
  215. def v2_playbook_on_notify(self, res, handler):
  216. """What happens when a task result is 'changed' and the task has a
  217. 'notify' list attached.
  218. """
  219. self._display.display("skipping: no hosts matched", color=C.COLOR_SKIP, log_only=True)
  220. ######################################################################
  221. # So we can bubble up errors to the top
  222. def v2_runner_on_failed(self, result, ignore_errors=False):
  223. """I guess this is when an entire task has failed?"""
  224. if self._play.strategy == 'free' and self._last_task_banner != result._task._uuid:
  225. self._print_task_banner(result._task)
  226. delegated_vars = result._result.get('_ansible_delegated_vars', None)
  227. if 'exception' in result._result:
  228. if self._display.verbosity < 3:
  229. # extract just the actual error message from the exception text
  230. error = result._result['exception'].strip().split('\n')[-1]
  231. msg = "An exception occurred during task execution. To see the full traceback, use -vvv. The error was: %s" % error
  232. else:
  233. msg = "An exception occurred during task execution. The full traceback is:\n" + result._result['exception']
  234. self._display.display(msg, color=C.COLOR_ERROR)
  235. if result._task.loop and 'results' in result._result:
  236. self._process_items(result)
  237. else:
  238. if delegated_vars:
  239. self._display.display("fatal: [%s -> %s]: FAILED! => %s" % (result._host.get_name(), delegated_vars['ansible_host'], self._dump_results(result._result)), color=C.COLOR_ERROR)
  240. else:
  241. self._display.display("fatal: [%s]: FAILED! => %s" % (result._host.get_name(), self._dump_results(result._result)), color=C.COLOR_ERROR)
  242. if ignore_errors:
  243. self._display.display("...ignoring", color=C.COLOR_SKIP)
  244. def v2_runner_item_on_failed(self, result):
  245. """When an item in a task fails."""
  246. delegated_vars = result._result.get('_ansible_delegated_vars', None)
  247. if 'exception' in result._result:
  248. if self._display.verbosity < 3:
  249. # extract just the actual error message from the exception text
  250. error = result._result['exception'].strip().split('\n')[-1]
  251. msg = "An exception occurred during task execution. To see the full traceback, use -vvv. The error was: %s" % error
  252. else:
  253. msg = "An exception occurred during task execution. The full traceback is:\n" + result._result['exception']
  254. self._display.display(msg, color=C.COLOR_ERROR)
  255. msg = "failed: "
  256. if delegated_vars:
  257. msg += "[%s -> %s]" % (result._host.get_name(), delegated_vars['ansible_host'])
  258. else:
  259. msg += "[%s]" % (result._host.get_name())
  260. self._display.display(msg + " (item=%s) => %s" % (self._get_item(result._result), self._dump_results(result._result)), color=C.COLOR_ERROR)
  261. self._handle_warnings(result._result)
  262. ######################################################################
  263. def v2_playbook_on_stats(self, stats):
  264. """Print the final playbook run stats"""
  265. self._display.display("", screen_only=True)
  266. self.banner("PLAY RECAP")
  267. hosts = sorted(stats.processed.keys())
  268. for h in hosts:
  269. t = stats.summarize(h)
  270. self._display.display(
  271. u"%s : %s %s %s %s" % (
  272. hostcolor(h, t),
  273. colorize(u'ok', t['ok'], C.COLOR_OK),
  274. colorize(u'changed', t['changed'], C.COLOR_CHANGED),
  275. colorize(u'unreachable', t['unreachable'], C.COLOR_UNREACHABLE),
  276. colorize(u'failed', t['failures'], C.COLOR_ERROR)),
  277. screen_only=True
  278. )
  279. self._display.display(
  280. u"%s : %s %s %s %s" % (
  281. hostcolor(h, t, False),
  282. colorize(u'ok', t['ok'], None),
  283. colorize(u'changed', t['changed'], None),
  284. colorize(u'unreachable', t['unreachable'], None),
  285. colorize(u'failed', t['failures'], None)),
  286. log_only=True
  287. )
  288. self._display.display("", screen_only=True)
  289. self._display.display("", screen_only=True)
  290. # Some plays are conditional and won't run (such as load
  291. # balancers) if they aren't required. Sometimes plays are
  292. # conditionally included later in the run. Let the user know
  293. # about this to avoid potential confusion.
  294. if self.plays_total_ran != self.plays_count:
  295. print("Installation Complete: Note: Play count is only an estimate, some plays may have been skipped or dynamically added")
  296. self._display.display("", screen_only=True)