__init__.py 1.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566
  1. """
  2. Health checks for OpenShift clusters.
  3. """
  4. import os
  5. from abc import ABCMeta, abstractmethod, abstractproperty
  6. from importlib import import_module
  7. import six
  8. class OpenShiftCheckException(Exception):
  9. """Raised when a check cannot proceed."""
  10. pass
  11. @six.add_metaclass(ABCMeta)
  12. class OpenShiftCheck(object):
  13. """A base class for defining checks for an OpenShift cluster environment."""
  14. def __init__(self, module_executor):
  15. self.module_executor = module_executor
  16. @abstractproperty
  17. def name(self):
  18. """The name of this check, usually derived from the class name."""
  19. return "openshift_check"
  20. @property
  21. def tags(self):
  22. """A list of tags that this check satisfy.
  23. Tags are used to reference multiple checks with a single '@tagname'
  24. special check name.
  25. """
  26. return []
  27. @classmethod
  28. def is_active(cls, task_vars): # pylint: disable=unused-argument
  29. """Returns true if this check applies to the ansible-playbook run."""
  30. return True
  31. @abstractmethod
  32. def run(self, tmp, task_vars):
  33. """Executes a check, normally implemented as a module."""
  34. return {}
  35. @classmethod
  36. def subclasses(cls):
  37. """Returns a generator of subclasses of this class and its subclasses."""
  38. for subclass in cls.__subclasses__(): # pylint: disable=no-member
  39. yield subclass
  40. for subclass in subclass.subclasses():
  41. yield subclass
  42. # Dynamically import all submodules for the side effect of loading checks.
  43. EXCLUDES = (
  44. "__init__.py",
  45. "mixins.py",
  46. )
  47. for name in os.listdir(os.path.dirname(__file__)):
  48. if name.endswith(".py") and name not in EXCLUDES:
  49. import_module(__package__ + "." + name[:-3])