Browse Source

Fixed spelling errors
Added documentation
Added log messages for dry run

Tobias Hodapp 1 year ago
parent
commit
7e419ec995
1 changed files with 50 additions and 25 deletions
  1. 50 25
      borgmatic/hooks/loki.py

+ 50 - 25
borgmatic/hooks/loki.py

@@ -1,5 +1,6 @@
 import json
 import logging
+import os
 import platform
 import time
 
@@ -9,7 +10,7 @@ from borgmatic.hooks import monitor
 
 logger = logging.getLogger(__name__)
 
-MONITOR_STATE_TO_HEALTHCHECKS = {
+MONITOR_STATE_TO_LOKI = {
     monitor.State.START: 'Started',
     monitor.State.FINISH: 'Finished',
     monitor.State.FAIL: 'Failed',
@@ -19,84 +20,107 @@ MONITOR_STATE_TO_HEALTHCHECKS = {
 MAX_BUFFER_LINES = 100
 
 
-class loki_log_buffer:
+class Loki_log_buffer:
     '''
-    A log buffer that allows to output the logs as loki requests in json
+    A log buffer that allows to output the logs as loki requests in json. Allows
+    adding labels to the log stream and takes care of communication with loki.
     '''
 
     def __init__(self, url, dry_run):
         self.url = url
         self.dry_run = dry_run
-        self.root = {}
-        self.root['streams'] = [{}]
-        self.root['streams'][0]['stream'] = {}
-        self.root['streams'][0]['values'] = []
+        self.root = {'streams': [{'stream': {}, 'values': []}]}
 
     def add_value(self, value):
+        '''
+        Add a log entry to the stream.
+        '''
         timestamp = str(time.time_ns())
         self.root['streams'][0]['values'].append((timestamp, value))
 
     def add_label(self, label, value):
+        '''
+        Add a label to the logging stream.
+        '''
         self.root['streams'][0]['stream'][label] = value
 
-    def _to_request(self):
+    def to_request(self):
         return json.dumps(self.root)
 
     def __len__(self):
+        '''
+        Gets the number of lines currently in the buffer.
+        '''
         return len(self.root['streams'][0]['values'])
 
     def flush(self):
         if self.dry_run:
+            # Just empty the buffer and skip
             self.root['streams'][0]['values'] = []
+            logger.info('Skipped uploading logs to loki due to dry run')
             return
+
         if len(self) == 0:
+            # Skip as there are not logs to send yet
             return
-        request_body = self._to_request()
+
+        request_body = self.to_request()
         self.root['streams'][0]['values'] = []
         request_header = {'Content-Type': 'application/json'}
         try:
             result = requests.post(self.url, headers=request_header, data=request_body, timeout=5)
             result.raise_for_status()
         except requests.RequestException:
-            logger.warn('Failed to upload logs to loki')
+            logger.warning('Failed to upload logs to loki')
 
 
-class loki_log_handeler(logging.Handler):
+class Loki_log_handler(logging.Handler):
     '''
-    A log handler that sends logs to loki
+    A log handler that sends logs to loki.
     '''
 
     def __init__(self, url, dry_run):
         super().__init__()
-        self.buffer = loki_log_buffer(url, dry_run)
+        self.buffer = Loki_log_buffer(url, dry_run)
 
     def emit(self, record):
+        '''
+        Add a log record from the logging module to the stream.
+        '''
         self.raw(record.getMessage())
 
     def add_label(self, key, value):
+        '''
+        Add a label to the logging stream.
+        '''
         self.buffer.add_label(key, value)
 
     def raw(self, msg):
+        '''
+        Add an arbitrary string as a log entry to the stream.
+        '''
         self.buffer.add_value(msg)
         if len(self.buffer) > MAX_BUFFER_LINES:
             self.buffer.flush()
 
     def flush(self):
-        if len(self.buffer) > 0:
-            self.buffer.flush()
+        '''
+        Send the logs to loki and empty the buffer.
+        '''
+        self.buffer.flush()
 
 
 def initialize_monitor(hook_config, config, config_filename, monitoring_log_level, dry_run):
     '''
-    Add a handler to the root logger to regularly send the logs to loki
+    Add a handler to the root logger to regularly send the logs to loki.
     '''
     url = hook_config.get('url')
-    loki = loki_log_handeler(url, dry_run)
+    loki = Loki_log_handler(url, dry_run)
     for key, value in hook_config.get('labels').items():
         if value == '__hostname':
             loki.add_label(key, platform.node())
         elif value == '__config':
-            loki.add_label(key, config_filename.split('/')[-1])
+            loki.add_label(key, os.path.basename(config_filename))
         elif value == '__config_path':
             loki.add_label(key, config_filename)
         else:
@@ -106,13 +130,14 @@ def initialize_monitor(hook_config, config, config_filename, monitoring_log_leve
 
 def ping_monitor(hook_config, config, config_filename, state, monitoring_log_level, dry_run):
     '''
-    Adds an entry to the loki logger with the current state
+    Add an entry to the loki logger with the current state.
     '''
-    if not dry_run:
-        for handler in tuple(logging.getLogger().handlers):
-            if isinstance(handler, loki_log_handeler):
-                if state in MONITOR_STATE_TO_HEALTHCHECKS.keys():
-                    handler.raw(f'{config_filename} {MONITOR_STATE_TO_HEALTHCHECKS[state]} backup')
+    if dry_run:
+        return
+    for handler in tuple(logging.getLogger().handlers):
+        if isinstance(handler, Loki_log_handler):
+            if state in MONITOR_STATE_TO_LOKI.keys():
+                handler.raw(f'{config_filename}: {MONITOR_STATE_TO_LOKI[state]} backup')
 
 
 def destroy_monitor(hook_config, config, config_filename, monitoring_log_level, dry_run):
@@ -121,6 +146,6 @@ def destroy_monitor(hook_config, config, config_filename, monitoring_log_level,
     '''
     logger = logging.getLogger()
     for handler in tuple(logger.handlers):
-        if isinstance(handler, loki_log_handeler):
+        if isinstance(handler, Loki_log_handler):
             handler.flush()
             logger.removeHandler(handler)