Show More
@@ -0,0 +1,243 b'' | |||||
|
1 | ''' | |||
|
2 | This library is provided to allow standard python logging | |||
|
3 | to output log data as JSON formatted strings | |||
|
4 | ''' | |||
|
5 | import logging | |||
|
6 | import json | |||
|
7 | import re | |||
|
8 | from datetime import date, datetime, time, tzinfo, timedelta | |||
|
9 | import traceback | |||
|
10 | import importlib | |||
|
11 | ||||
|
12 | from inspect import istraceback | |||
|
13 | ||||
|
14 | from collections import OrderedDict | |||
|
15 | ||||
|
16 | ||||
|
17 | def _inject_req_id(record, *args, **kwargs): | |||
|
18 | return record | |||
|
19 | ||||
|
20 | ||||
|
21 | ExceptionAwareFormatter = logging.Formatter | |||
|
22 | ||||
|
23 | ||||
|
24 | ZERO = timedelta(0) | |||
|
25 | HOUR = timedelta(hours=1) | |||
|
26 | ||||
|
27 | ||||
|
28 | class UTC(tzinfo): | |||
|
29 | """UTC""" | |||
|
30 | ||||
|
31 | def utcoffset(self, dt): | |||
|
32 | return ZERO | |||
|
33 | ||||
|
34 | def tzname(self, dt): | |||
|
35 | return "UTC" | |||
|
36 | ||||
|
37 | def dst(self, dt): | |||
|
38 | return ZERO | |||
|
39 | ||||
|
40 | utc = UTC() | |||
|
41 | ||||
|
42 | ||||
|
43 | # skip natural LogRecord attributes | |||
|
44 | # http://docs.python.org/library/logging.html#logrecord-attributes | |||
|
45 | RESERVED_ATTRS = ( | |||
|
46 | 'args', 'asctime', 'created', 'exc_info', 'exc_text', 'filename', | |||
|
47 | 'funcName', 'levelname', 'levelno', 'lineno', 'module', | |||
|
48 | 'msecs', 'message', 'msg', 'name', 'pathname', 'process', | |||
|
49 | 'processName', 'relativeCreated', 'stack_info', 'thread', 'threadName') | |||
|
50 | ||||
|
51 | ||||
|
52 | def merge_record_extra(record, target, reserved): | |||
|
53 | """ | |||
|
54 | Merges extra attributes from LogRecord object into target dictionary | |||
|
55 | ||||
|
56 | :param record: logging.LogRecord | |||
|
57 | :param target: dict to update | |||
|
58 | :param reserved: dict or list with reserved keys to skip | |||
|
59 | """ | |||
|
60 | for key, value in record.__dict__.items(): | |||
|
61 | # this allows to have numeric keys | |||
|
62 | if (key not in reserved | |||
|
63 | and not (hasattr(key, "startswith") | |||
|
64 | and key.startswith('_'))): | |||
|
65 | target[key] = value | |||
|
66 | return target | |||
|
67 | ||||
|
68 | ||||
|
69 | class JsonEncoder(json.JSONEncoder): | |||
|
70 | """ | |||
|
71 | A custom encoder extending the default JSONEncoder | |||
|
72 | """ | |||
|
73 | ||||
|
74 | def default(self, obj): | |||
|
75 | if isinstance(obj, (date, datetime, time)): | |||
|
76 | return self.format_datetime_obj(obj) | |||
|
77 | ||||
|
78 | elif istraceback(obj): | |||
|
79 | return ''.join(traceback.format_tb(obj)).strip() | |||
|
80 | ||||
|
81 | elif type(obj) == Exception \ | |||
|
82 | or isinstance(obj, Exception) \ | |||
|
83 | or type(obj) == type: | |||
|
84 | return str(obj) | |||
|
85 | ||||
|
86 | try: | |||
|
87 | return super(JsonEncoder, self).default(obj) | |||
|
88 | ||||
|
89 | except TypeError: | |||
|
90 | try: | |||
|
91 | return str(obj) | |||
|
92 | ||||
|
93 | except Exception: | |||
|
94 | return None | |||
|
95 | ||||
|
96 | def format_datetime_obj(self, obj): | |||
|
97 | return obj.isoformat() | |||
|
98 | ||||
|
99 | ||||
|
100 | class JsonFormatter(ExceptionAwareFormatter): | |||
|
101 | """ | |||
|
102 | A custom formatter to format logging records as json strings. | |||
|
103 | Extra values will be formatted as str() if not supported by | |||
|
104 | json default encoder | |||
|
105 | """ | |||
|
106 | ||||
|
107 | def __init__(self, *args, **kwargs): | |||
|
108 | """ | |||
|
109 | :param json_default: a function for encoding non-standard objects | |||
|
110 | as outlined in http://docs.python.org/2/library/json.html | |||
|
111 | :param json_encoder: optional custom encoder | |||
|
112 | :param json_serializer: a :meth:`json.dumps`-compatible callable | |||
|
113 | that will be used to serialize the log record. | |||
|
114 | :param json_indent: an optional :meth:`json.dumps`-compatible numeric value | |||
|
115 | that will be used to customize the indent of the output json. | |||
|
116 | :param prefix: an optional string prefix added at the beginning of | |||
|
117 | the formatted string | |||
|
118 | :param json_indent: indent parameter for json.dumps | |||
|
119 | :param json_ensure_ascii: ensure_ascii parameter for json.dumps | |||
|
120 | :param reserved_attrs: an optional list of fields that will be skipped when | |||
|
121 | outputting json log record. Defaults to all log record attributes: | |||
|
122 | http://docs.python.org/library/logging.html#logrecord-attributes | |||
|
123 | :param timestamp: an optional string/boolean field to add a timestamp when | |||
|
124 | outputting the json log record. If string is passed, timestamp will be added | |||
|
125 | to log record using string as key. If True boolean is passed, timestamp key | |||
|
126 | will be "timestamp". Defaults to False/off. | |||
|
127 | """ | |||
|
128 | self.json_default = self._str_to_fn(kwargs.pop("json_default", None)) | |||
|
129 | self.json_encoder = self._str_to_fn(kwargs.pop("json_encoder", None)) | |||
|
130 | self.json_serializer = self._str_to_fn(kwargs.pop("json_serializer", json.dumps)) | |||
|
131 | self.json_indent = kwargs.pop("json_indent", None) | |||
|
132 | self.json_ensure_ascii = kwargs.pop("json_ensure_ascii", True) | |||
|
133 | self.prefix = kwargs.pop("prefix", "") | |||
|
134 | reserved_attrs = kwargs.pop("reserved_attrs", RESERVED_ATTRS) | |||
|
135 | self.reserved_attrs = dict(zip(reserved_attrs, reserved_attrs)) | |||
|
136 | self.timestamp = kwargs.pop("timestamp", True) | |||
|
137 | ||||
|
138 | # super(JsonFormatter, self).__init__(*args, **kwargs) | |||
|
139 | logging.Formatter.__init__(self, *args, **kwargs) | |||
|
140 | if not self.json_encoder and not self.json_default: | |||
|
141 | self.json_encoder = JsonEncoder | |||
|
142 | ||||
|
143 | self._required_fields = self.parse() | |||
|
144 | self._skip_fields = dict(zip(self._required_fields, | |||
|
145 | self._required_fields)) | |||
|
146 | self._skip_fields.update(self.reserved_attrs) | |||
|
147 | ||||
|
148 | def _str_to_fn(self, fn_as_str): | |||
|
149 | """ | |||
|
150 | If the argument is not a string, return whatever was passed in. | |||
|
151 | Parses a string such as package.module.function, imports the module | |||
|
152 | and returns the function. | |||
|
153 | ||||
|
154 | :param fn_as_str: The string to parse. If not a string, return it. | |||
|
155 | """ | |||
|
156 | if not isinstance(fn_as_str, str): | |||
|
157 | return fn_as_str | |||
|
158 | ||||
|
159 | path, _, function = fn_as_str.rpartition('.') | |||
|
160 | module = importlib.import_module(path) | |||
|
161 | return getattr(module, function) | |||
|
162 | ||||
|
163 | def parse(self): | |||
|
164 | """ | |||
|
165 | Parses format string looking for substitutions | |||
|
166 | ||||
|
167 | This method is responsible for returning a list of fields (as strings) | |||
|
168 | to include in all log messages. | |||
|
169 | """ | |||
|
170 | standard_formatters = re.compile(r'\((.+?)\)', re.IGNORECASE) | |||
|
171 | return standard_formatters.findall(self._fmt) | |||
|
172 | ||||
|
173 | def add_fields(self, log_record, record, message_dict): | |||
|
174 | """ | |||
|
175 | Override this method to implement custom logic for adding fields. | |||
|
176 | """ | |||
|
177 | for field in self._required_fields: | |||
|
178 | log_record[field] = record.__dict__.get(field) | |||
|
179 | log_record.update(message_dict) | |||
|
180 | merge_record_extra(record, log_record, reserved=self._skip_fields) | |||
|
181 | ||||
|
182 | if self.timestamp: | |||
|
183 | key = self.timestamp if type(self.timestamp) == str else 'timestamp' | |||
|
184 | log_record[key] = datetime.fromtimestamp(record.created, tz=utc) | |||
|
185 | ||||
|
186 | def process_log_record(self, log_record): | |||
|
187 | """ | |||
|
188 | Override this method to implement custom logic | |||
|
189 | on the possibly ordered dictionary. | |||
|
190 | """ | |||
|
191 | return log_record | |||
|
192 | ||||
|
193 | def jsonify_log_record(self, log_record): | |||
|
194 | """Returns a json string of the log record.""" | |||
|
195 | return self.json_serializer(log_record, | |||
|
196 | default=self.json_default, | |||
|
197 | cls=self.json_encoder, | |||
|
198 | indent=self.json_indent, | |||
|
199 | ensure_ascii=self.json_ensure_ascii) | |||
|
200 | ||||
|
201 | def serialize_log_record(self, log_record): | |||
|
202 | """Returns the final representation of the log record.""" | |||
|
203 | return "%s%s" % (self.prefix, self.jsonify_log_record(log_record)) | |||
|
204 | ||||
|
205 | def format(self, record): | |||
|
206 | """Formats a log record and serializes to json""" | |||
|
207 | message_dict = {} | |||
|
208 | # FIXME: logging.LogRecord.msg and logging.LogRecord.message in typeshed | |||
|
209 | # are always type of str. We shouldn't need to override that. | |||
|
210 | if isinstance(record.msg, dict): | |||
|
211 | message_dict = record.msg | |||
|
212 | record.message = None | |||
|
213 | else: | |||
|
214 | record.message = record.getMessage() | |||
|
215 | # only format time if needed | |||
|
216 | if "asctime" in self._required_fields: | |||
|
217 | record.asctime = self.formatTime(record, self.datefmt) | |||
|
218 | ||||
|
219 | # Display formatted exception, but allow overriding it in the | |||
|
220 | # user-supplied dict. | |||
|
221 | if record.exc_info and not message_dict.get('exc_info'): | |||
|
222 | message_dict['exc_info'] = self.formatException(record.exc_info) | |||
|
223 | if not message_dict.get('exc_info') and record.exc_text: | |||
|
224 | message_dict['exc_info'] = record.exc_text | |||
|
225 | # Display formatted record of stack frames | |||
|
226 | # default format is a string returned from :func:`traceback.print_stack` | |||
|
227 | try: | |||
|
228 | if record.stack_info and not message_dict.get('stack_info'): | |||
|
229 | message_dict['stack_info'] = self.formatStack(record.stack_info) | |||
|
230 | except AttributeError: | |||
|
231 | # Python2.7 doesn't have stack_info. | |||
|
232 | pass | |||
|
233 | ||||
|
234 | try: | |||
|
235 | log_record = OrderedDict() | |||
|
236 | except NameError: | |||
|
237 | log_record = {} | |||
|
238 | ||||
|
239 | _inject_req_id(record, with_prefix=False) | |||
|
240 | self.add_fields(log_record, record, message_dict) | |||
|
241 | log_record = self.process_log_record(log_record) | |||
|
242 | ||||
|
243 | return self.serialize_log_record(log_record) |
General Comments 0
You need to be logged in to leave comments.
Login now