-
Notifications
You must be signed in to change notification settings - Fork 9
/
backtrace.py
334 lines (267 loc) · 9.9 KB
/
backtrace.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
import os
import sys
import argparse
import traceback
import colorama
from colorama import Fore, Style
DESCRIPTION = """Beautify Tracebacks.
Just pipe stderr into backtrace like so:
`python bad-program.py 2>&1 | backtrace`
"""
TRACEBACK_IDENTIFIER = 'Traceback (most recent call last):\n'
STYLES = {
'backtrace': Fore.YELLOW + '{0}',
'error': Fore.RED + Style.BRIGHT + '{0}',
'line': Fore.RED + Style.BRIGHT + '{0}',
'module': '{0}',
'context': Style.BRIGHT + Fore.GREEN + '{0}',
'call': Fore.YELLOW + '--> ' + Style.BRIGHT + '{0}',
}
CONVERVATIVE_STYLES = {
'backtrace': Fore.YELLOW + '{0}',
'error': Fore.RED + Style.BRIGHT + '{0}',
'line': 'line ' + Fore.RED + Style.BRIGHT + '{0},',
'module': 'File {0},',
'context': 'in ' + Style.BRIGHT + Fore.GREEN + '{0}',
'call': Fore.YELLOW + '--> ' + Style.BRIGHT + '{0}',
}
def _flush(message):
sys.stderr.write(message + '\n')
sys.stderr.flush()
class _Hook(object):
def __init__(self,
entries,
align=False,
strip_path=False,
conservative=False):
self.entries = entries
self.align = align
self.strip = strip_path
self.conservative = conservative
def reverse(self):
self.entries = self.entries[::-1]
def rebuild_entry(self, entry, styles):
entry = list(entry)
# This is the file path.
entry[0] = os.path.basename(entry[0]) if self.strip else entry[0]
# Always an int (entry line number)
entry[1] = str(entry[1])
new_entry = [
styles['line'].format(entry[1]) + Style.RESET_ALL,
styles['module'].format(entry[0]) + Style.RESET_ALL,
styles['context'].format(entry[2]) + Style.RESET_ALL,
styles['call'].format(entry[3]) + Style.RESET_ALL
]
if self.conservative:
new_entry[0], new_entry[1] = new_entry[1], new_entry[0]
return new_entry
@staticmethod
def align_all(entries):
lengths = [0, 0, 0, 0]
for entry in entries:
for index, field in enumerate(entry):
lengths[index] = max(lengths[index], len(str(field)))
return lengths
@staticmethod
def align_entry(entry, lengths):
return ' '.join(
['{0:{1}}'.format(field, lengths[index])
for index, field in enumerate(entry)])
def generate_backtrace(self, styles):
"""Return the (potentially) aligned, rebuit traceback
Yes, we iterate over the entries thrice. We sacrifice
performance for code readability. I mean.. come on, how long can
your traceback be that it matters?
"""
backtrace = []
for entry in self.entries:
backtrace.append(self.rebuild_entry(entry, styles))
# Get the lenght of the longest string for each field of an entry
lengths = self.align_all(backtrace) if self.align else [1, 1, 1, 1]
aligned_backtrace = []
for entry in backtrace:
aligned_backtrace.append(self.align_entry(entry, lengths))
return aligned_backtrace
def hook(reverse=False,
align=False,
strip_path=False,
enable_on_envvar_only=False,
on_tty=False,
conservative=False,
styles=None,
tb=None,
tpe=None,
value=None):
"""Hook the current excepthook to the backtrace.
If `align` is True, all parts (line numbers, file names, etc..) will be
aligned to the left according to the longest entry.
If `strip_path` is True, only the file name will be shown, not its full
path.
If `enable_on_envvar_only` is True, only if the environment variable
`ENABLE_BACKTRACE` is set, backtrace will be activated.
If `on_tty` is True, backtrace will be activated only if you're running
in a readl terminal (i.e. not piped, redirected, etc..).
If `convervative` is True, the traceback will have more seemingly original
style (There will be no alignment by default, 'File', 'line' and 'in'
prefixes and will ignore any styling provided by the user.)
See https://github.com/nir0s/backtrace/blob/master/README.md for
information on `styles`.
"""
if enable_on_envvar_only and 'ENABLE_BACKTRACE' not in os.environ:
return
isatty = getattr(sys.stderr, 'isatty', lambda: False)
if on_tty and not isatty():
return
if conservative:
styles = CONVERVATIVE_STYLES
align = align or False
elif styles:
for k in STYLES.keys():
styles[k] = styles.get(k, STYLES[k])
else:
styles = STYLES
# For Windows
colorama.init()
def backtrace_excepthook(tpe, value, tb=None):
# Don't know if we're getting traceback or traceback entries.
# We'll try to parse a traceback object.
try:
traceback_entries = traceback.extract_tb(tb)
except AttributeError:
traceback_entries = tb
parser = _Hook(traceback_entries, align, strip_path, conservative)
tpe = tpe if isinstance(tpe, str) else tpe.__name__
tb_message = styles['backtrace'].format('Traceback ({0}):'.format(
'Most recent call ' + ('first' if reverse else 'last'))) + \
Style.RESET_ALL
err_message = styles['error'].format(tpe + ': ' + str(value)) + \
Style.RESET_ALL
if reverse:
parser.reverse()
_flush(tb_message)
backtrace = parser.generate_backtrace(styles)
backtrace.insert(0 if reverse else len(backtrace), err_message)
for entry in backtrace:
_flush(entry)
if tb:
backtrace_excepthook(tpe=tpe, value=value, tb=tb)
else:
sys.excepthook = backtrace_excepthook
def unhook():
"""Restore the default excepthook
"""
sys.excepthook = sys.__excepthook__
def _extract_traceback(text):
"""Receive a list of strings representing the input from stdin and return
the restructured backtrace.
This iterates over the output and once it identifies a hopefully genuine
identifier, it will start parsing output.
In the case the input includes a reraise (a Python 3 case), the primary
traceback isn't handled, only the reraise.
Each of the traceback lines are then handled two lines at a time for each
stack object.
Note that all parts of each stack object are stripped from newlines and
spaces to keep the output clean.
"""
capture = False
entries = []
all_else = []
ignore_trace = False
# In python 3, a traceback may includes output from a reraise.
# e.g, an exception is captured and reraised with another exception.
# This marks that we should ignore
if text.count(TRACEBACK_IDENTIFIER) == 2:
ignore_trace = True
for index, line in enumerate(text):
if TRACEBACK_IDENTIFIER in line:
if ignore_trace:
ignore_trace = False
continue
capture = True
# We're not capturing and making sure we only read lines
# with spaces since, after the initial identifier, all traceback lines
# contain a prefix spacing.
elif capture and line.startswith(' '):
if index % 2 == 0:
# Line containing a file, line and module.
line = line.strip().strip('\n')
next_line = text[index + 1].strip('\n')
entries.append(line + ', ' + next_line)
elif capture:
# Line containing the module call.
entries.append(line)
break
else:
# Add everything else after the traceback.
all_else.append(line)
traceback_entries = []
# Build the traceback structure later passed for formatting.
for index, line in enumerate(entries[:-2]):
# TODO: This should be done in a _parse_entry function
element = line.split(',')
element[0] = element[0].strip().lstrip('File').strip(' "')
element[1] = element[1].strip().lstrip('line').strip()
element[2] = element[2].strip().lstrip('in').strip()
traceback_entries.append(tuple(element))
return traceback_entries, all_else
def _stdin_hook(args):
output = sys.stdin.readlines()
if TRACEBACK_IDENTIFIER not in output:
sys.exit(
'No Traceback detected. Make sure you pipe stderr to '
'backtrace correctly.')
tb, all_else = _extract_traceback(output)
sys.stdout.write(''.join(all_else))
tpe, value = output[-1].strip('\n').split(': ', 1)
hook(
reverse=args.reverse,
align=args.align,
strip_path=args.strip_path,
conservative=args.conservative,
tpe=tpe,
value=value,
tb=tb
)
def _add_reverse_argument(parser):
parser.add_argument(
'-r',
'--reverse',
action='store_true',
help='Reverse traceback entry order')
return parser
def _add_align_argument(parser):
parser.add_argument(
'-a',
'--align',
action='store_true',
help='Right-align the backtrace')
return parser
def _add_strip_path_argument(parser):
parser.add_argument(
'-s',
'--strip-path',
action='store_true',
help='Strip the path to the module')
return parser
def _add_conservative_argument(parser):
parser.add_argument(
'-c',
'--conservative',
action='store_true',
help='Activate conservative mode')
return parser
def parse_args():
parser = argparse.ArgumentParser(
description=DESCRIPTION,
formatter_class=argparse.RawTextHelpFormatter)
parser = _add_reverse_argument(parser)
parser = _add_align_argument(parser)
parser = _add_strip_path_argument(parser)
parser = _add_conservative_argument(parser)
parser.set_defaults(func=_stdin_hook)
return parser.parse_args()
def main():
args = parse_args()
args.func(args)
if __name__ == '__main__':
main()