logging_index_time.py 4.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129
  1. """
  2. Check for ensuring logs from pods can be queried in a reasonable amount of time.
  3. """
  4. import json
  5. import time
  6. from uuid import uuid4
  7. from openshift_checks import OpenShiftCheckException
  8. from openshift_checks.logging.logging import LoggingCheck
  9. ES_CMD_TIMEOUT_SECONDS = 30
  10. class LoggingIndexTime(LoggingCheck):
  11. """Check that pod logs are aggregated and indexed in ElasticSearch within a reasonable amount of time."""
  12. name = "logging_index_time"
  13. tags = ["health", "logging"]
  14. def run(self):
  15. """Add log entry by making unique request to Kibana. Check for unique entry in the ElasticSearch pod logs."""
  16. try:
  17. log_index_timeout = int(
  18. self.get_var("openshift_check_logging_index_timeout_seconds", default=ES_CMD_TIMEOUT_SECONDS)
  19. )
  20. except ValueError:
  21. raise OpenShiftCheckException(
  22. 'InvalidTimeout',
  23. 'Invalid value provided for "openshift_check_logging_index_timeout_seconds". '
  24. 'Value must be an integer representing an amount in seconds.'
  25. )
  26. running_component_pods = dict()
  27. # get all component pods
  28. for component, name in (['kibana', 'Kibana'], ['es', 'Elasticsearch']):
  29. pods = self.get_pods_for_component(component)
  30. running_pods = self.running_pods(pods)
  31. if not running_pods:
  32. raise OpenShiftCheckException(
  33. component + 'NoRunningPods',
  34. 'No {} pods in the "Running" state were found.'
  35. 'At least one pod is required in order to perform this check.'.format(name)
  36. )
  37. running_component_pods[component] = running_pods
  38. uuid = self.curl_kibana_with_uuid(running_component_pods["kibana"][0])
  39. self.wait_until_cmd_or_err(running_component_pods["es"][0], uuid, log_index_timeout)
  40. return {}
  41. def wait_until_cmd_or_err(self, es_pod, uuid, timeout_secs):
  42. """Retry an Elasticsearch query every second until query success, or a defined
  43. length of time has passed."""
  44. deadline = time.time() + timeout_secs
  45. interval = 1
  46. while not self.query_es_from_es(es_pod, uuid):
  47. if time.time() + interval > deadline:
  48. raise OpenShiftCheckException(
  49. "NoMatchFound",
  50. "expecting match in Elasticsearch for message with uuid {}, "
  51. "but no matches were found after {}s.".format(uuid, timeout_secs)
  52. )
  53. time.sleep(interval)
  54. def curl_kibana_with_uuid(self, kibana_pod):
  55. """curl Kibana with a unique uuid."""
  56. uuid = self.generate_uuid()
  57. pod_name = kibana_pod["metadata"]["name"]
  58. exec_cmd = "exec {pod_name} -c kibana -- curl --max-time 30 -s http://localhost:5601/{uuid}"
  59. exec_cmd = exec_cmd.format(pod_name=pod_name, uuid=uuid)
  60. error_str = self.exec_oc(exec_cmd, [])
  61. try:
  62. error_code = json.loads(error_str)["statusCode"]
  63. except (KeyError, ValueError):
  64. raise OpenShiftCheckException(
  65. 'kibanaInvalidResponse',
  66. 'invalid response returned from Kibana request:\n'
  67. 'Command: {}\nResponse: {}'.format(exec_cmd, error_str)
  68. )
  69. if error_code != 404:
  70. raise OpenShiftCheckException(
  71. 'kibanaInvalidReturnCode',
  72. 'invalid error code returned from Kibana request.\n'
  73. 'Expecting error code "404", but got "{}" instead.'.format(error_code)
  74. )
  75. return uuid
  76. def query_es_from_es(self, es_pod, uuid):
  77. """curl the Elasticsearch pod and look for a unique uuid in its logs."""
  78. pod_name = es_pod["metadata"]["name"]
  79. exec_cmd = (
  80. "exec {pod_name} -- curl --max-time 30 -s -f "
  81. "--cacert /etc/elasticsearch/secret/admin-ca "
  82. "--cert /etc/elasticsearch/secret/admin-cert "
  83. "--key /etc/elasticsearch/secret/admin-key "
  84. "https://logging-es:9200/project.{namespace}*/_count?q=message:{uuid}"
  85. )
  86. exec_cmd = exec_cmd.format(pod_name=pod_name, namespace=self.logging_namespace(), uuid=uuid)
  87. result = self.exec_oc(exec_cmd, [])
  88. try:
  89. count = json.loads(result)["count"]
  90. except (KeyError, ValueError):
  91. raise OpenShiftCheckException(
  92. 'esInvalidResponse',
  93. 'Invalid response from Elasticsearch query:\n'
  94. ' {}\n'
  95. 'Response was:\n{}'.format(exec_cmd, result)
  96. )
  97. return count
  98. @staticmethod
  99. def running_pods(pods):
  100. """Filter pods that are running."""
  101. return [pod for pod in pods if pod['status']['phase'] == 'Running']
  102. @staticmethod
  103. def generate_uuid():
  104. """Wrap uuid generator. Allows for testing with expected values."""
  105. return str(uuid4())