fluentd_config.py 6.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131
  1. """
  2. Module for performing checks on a Fluentd logging deployment configuration
  3. """
  4. from openshift_checks import OpenShiftCheckException
  5. from openshift_checks.logging.logging import LoggingCheck
  6. class FluentdConfig(LoggingCheck):
  7. """Module that checks logging configuration of an integrated logging Fluentd deployment"""
  8. name = "fluentd_config"
  9. tags = ["health"]
  10. def is_active(self):
  11. logging_deployed = self.get_var("openshift_hosted_logging_deploy", default=False)
  12. try:
  13. version = self.get_major_minor_version(self.get_var("openshift_image_tag"))
  14. except ValueError:
  15. # if failed to parse OpenShift version, perform check anyway (if logging enabled)
  16. return logging_deployed
  17. return logging_deployed and version < (3, 6)
  18. def run(self):
  19. """Check that Fluentd has running pods, and that its logging config matches Docker's logging config."""
  20. config_error = self.check_logging_config()
  21. if config_error:
  22. msg = ("The following Fluentd logging configuration problem was found:"
  23. "\n{}".format(config_error))
  24. return {"failed": True, "msg": msg}
  25. return {}
  26. def check_logging_config(self):
  27. """Ensure that the configured Docker logging driver matches fluentd settings.
  28. This means that, at least for now, if the following condition is met:
  29. openshift_logging_fluentd_use_journal == True
  30. then the value of the configured Docker logging driver should be "journald".
  31. Otherwise, the value of the Docker logging driver should be "json-file".
  32. Returns an error string if the above condition is not met, or None otherwise."""
  33. use_journald = self.get_var("openshift_logging_fluentd_use_journal", default=True)
  34. # if check is running on a master, retrieve all running pods
  35. # and check any pod's container for the env var "USE_JOURNAL"
  36. group_names = self.get_var("group_names")
  37. if "masters" in group_names:
  38. use_journald = self.check_fluentd_env_var()
  39. docker_info = self.execute_module("docker_info", {})
  40. try:
  41. logging_driver = docker_info["info"]["LoggingDriver"]
  42. except KeyError:
  43. return "Unable to determine Docker logging driver."
  44. logging_driver = docker_info["info"]["LoggingDriver"]
  45. recommended_logging_driver = "journald"
  46. error = None
  47. # If fluentd is set to use journald but Docker is not, recommend setting the `--log-driver`
  48. # option as an inventory file variable, or adding the log driver value as part of the
  49. # Docker configuration in /etc/docker/daemon.json. There is no global --log-driver flag that
  50. # can be passed to the Docker binary; the only other recommendation that can be made, would be
  51. # to pass the `--log-driver` flag to the "run" sub-command of the `docker` binary when running
  52. # individual containers.
  53. if use_journald and logging_driver != "journald":
  54. error = ('Your Fluentd configuration is set to aggregate Docker container logs from "journald".\n'
  55. 'This differs from your Docker configuration, which has been set to use "{driver}" '
  56. 'as the default method of storing logs.\n'
  57. 'This discrepancy in configuration will prevent Fluentd from receiving any logs'
  58. 'from your Docker containers.').format(driver=logging_driver)
  59. elif not use_journald and logging_driver != "json-file":
  60. recommended_logging_driver = "json-file"
  61. error = ('Your Fluentd configuration is set to aggregate Docker container logs from '
  62. 'individual json log files per container.\n '
  63. 'This differs from your Docker configuration, which has been set to use '
  64. '"{driver}" as the default method of storing logs.\n'
  65. 'This discrepancy in configuration will prevent Fluentd from receiving any logs'
  66. 'from your Docker containers.').format(driver=logging_driver)
  67. if error:
  68. error += ('\nTo resolve this issue, add the following variable to your Ansible inventory file:\n\n'
  69. ' openshift_docker_options="--log-driver={driver}"\n\n'
  70. 'Alternatively, you can add the following option to your Docker configuration, located in'
  71. '"/etc/docker/daemon.json":\n\n'
  72. '{{ "log-driver": "{driver}" }}\n\n'
  73. 'See https://docs.docker.com/engine/admin/logging/json-file '
  74. 'for more information.').format(driver=recommended_logging_driver)
  75. return error
  76. def check_fluentd_env_var(self):
  77. """Read and return the value of the 'USE_JOURNAL' environment variable on a fluentd pod."""
  78. running_pods = self.running_fluentd_pods()
  79. try:
  80. pod_containers = running_pods[0]["spec"]["containers"]
  81. except KeyError:
  82. return "Unable to detect running containers on selected Fluentd pod."
  83. if not pod_containers:
  84. msg = ('There are no running containers on selected Fluentd pod "{}".\n'
  85. 'Unable to calculate expected logging driver.').format(running_pods[0]["metadata"].get("name", ""))
  86. raise OpenShiftCheckException(msg)
  87. pod_env = pod_containers[0].get("env")
  88. if not pod_env:
  89. msg = ('There are no environment variables set on the Fluentd container "{}".\n'
  90. 'Unable to calculate expected logging driver.').format(pod_containers[0].get("name"))
  91. raise OpenShiftCheckException(msg)
  92. for env in pod_env:
  93. if env["name"] == "USE_JOURNAL":
  94. return env.get("value", "false") != "false"
  95. return False
  96. def running_fluentd_pods(self):
  97. """Return a list of running fluentd pods."""
  98. fluentd_pods = self.get_pods_for_component("fluentd")
  99. running_fluentd_pods = [pod for pod in fluentd_pods if pod['status']['phase'] == 'Running']
  100. if not running_fluentd_pods:
  101. raise OpenShiftCheckException(
  102. 'No Fluentd pods were found to be in the "Running" state. '
  103. 'At least one Fluentd pod is required in order to perform this check.'
  104. )
  105. return running_fluentd_pods