blob: 8f908dd2e09444a3ff2cd49fc875d2d82c835b18 [file] [log] [blame]
Guido van Rossume7b146f2000-02-04 15:28:42 +00001"""Extract, format and print information about Python stack traces."""
Guido van Rossum526beed1994-07-01 15:36:46 +00002
Serhiy Storchaka24559e42015-05-03 13:19:46 +03003import collections
4import itertools
Guido van Rossum526beed1994-07-01 15:36:46 +00005import linecache
Guido van Rossum526beed1994-07-01 15:36:46 +00006import sys
7
Skip Montanaro40fc1602001-03-01 04:27:19 +00008__all__ = ['extract_stack', 'extract_tb', 'format_exception',
9 'format_exception_only', 'format_list', 'format_stack',
Neil Schemenauerf607fc52003-11-05 23:03:00 +000010 'format_tb', 'print_exc', 'format_exc', 'print_exception',
Berker Peksag716b3d32015-04-08 09:47:14 +030011 'print_last', 'print_stack', 'print_tb', 'clear_frames',
12 'FrameSummary', 'StackSummary', 'TracebackException',
13 'walk_stack', 'walk_tb']
Skip Montanaro40fc1602001-03-01 04:27:19 +000014
Benjamin Petersond9fec152013-04-29 16:09:39 -040015#
16# Formatting and printing lists of traceback lines.
17#
Guido van Rossumdcc057a1996-08-12 23:18:13 +000018
Guido van Rossumdcc057a1996-08-12 23:18:13 +000019def print_list(extracted_list, file=None):
Tim Petersb90f89a2001-01-15 03:26:36 +000020 """Print the list of tuples as returned by extract_tb() or
21 extract_stack() as a formatted stack trace to the given file."""
Raymond Hettinger10ff7062002-06-02 03:04:52 +000022 if file is None:
Tim Petersb90f89a2001-01-15 03:26:36 +000023 file = sys.stderr
Robert Collins6bc2c1e2015-03-05 12:07:57 +130024 for item in StackSummary.from_list(extracted_list).format():
Benjamin Petersond9fec152013-04-29 16:09:39 -040025 print(item, file=file, end="")
Guido van Rossumdcc057a1996-08-12 23:18:13 +000026
27def format_list(extracted_list):
torsavaf394ee52018-08-02 17:08:59 +010028 """Format a list of tuples or FrameSummary objects for printing.
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +000029
torsavaf394ee52018-08-02 17:08:59 +010030 Given a list of tuples or FrameSummary objects as returned by
31 extract_tb() or extract_stack(), return a list of strings ready
32 for printing.
33
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +000034 Each string in the resulting list corresponds to the item with the
35 same index in the argument list. Each string ends in a newline;
36 the strings may contain internal newlines as well, for those items
37 whose source text line is not None.
38 """
Robert Collins6bc2c1e2015-03-05 12:07:57 +130039 return StackSummary.from_list(extracted_list).format()
Tim Petersb90f89a2001-01-15 03:26:36 +000040
Benjamin Petersond9fec152013-04-29 16:09:39 -040041#
42# Printing and Extracting Tracebacks.
43#
44
Guido van Rossum194e20a1995-09-20 20:31:51 +000045def print_tb(tb, limit=None, file=None):
Tim Petersb90f89a2001-01-15 03:26:36 +000046 """Print up to 'limit' stack trace entries from the traceback 'tb'.
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +000047
48 If 'limit' is omitted or None, all entries are printed. If 'file'
49 is omitted or None, the output goes to sys.stderr; otherwise
50 'file' should be an open file or file-like object with a write()
51 method.
52 """
Benjamin Petersond9fec152013-04-29 16:09:39 -040053 print_list(extract_tb(tb, limit=limit), file=file)
Guido van Rossum526beed1994-07-01 15:36:46 +000054
Georg Brandl2ad07c32009-09-16 14:24:29 +000055def format_tb(tb, limit=None):
Georg Brandl9e091e12013-10-13 23:32:14 +020056 """A shorthand for 'format_list(extract_tb(tb, limit))'."""
Robert Collins6bc2c1e2015-03-05 12:07:57 +130057 return extract_tb(tb, limit=limit).format()
Guido van Rossum28e99fe1995-08-04 04:30:30 +000058
Georg Brandl2ad07c32009-09-16 14:24:29 +000059def extract_tb(tb, limit=None):
torsavaf394ee52018-08-02 17:08:59 +010060 """
61 Return a StackSummary object representing a list of
62 pre-processed entries from traceback.
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +000063
64 This is useful for alternate formatting of stack traces. If
65 'limit' is omitted or None, all entries are extracted. A
torsavaf394ee52018-08-02 17:08:59 +010066 pre-processed stack trace entry is a FrameSummary object
67 containing attributes filename, lineno, name, and line
68 representing the information that is usually printed for a stack
69 trace. The line is a string with leading and trailing
70 whitespace stripped; if the source is not available it is None.
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +000071 """
Robert Collins6bc2c1e2015-03-05 12:07:57 +130072 return StackSummary.extract(walk_tb(tb), limit=limit)
Guido van Rossum526beed1994-07-01 15:36:46 +000073
Benjamin Petersond9fec152013-04-29 16:09:39 -040074#
75# Exception formatting and output.
76#
Guido van Rossum28e99fe1995-08-04 04:30:30 +000077
Benjamin Petersone6528212008-07-15 15:32:09 +000078_cause_message = (
79 "\nThe above exception was the direct cause "
Robert Collins6bc2c1e2015-03-05 12:07:57 +130080 "of the following exception:\n\n")
Benjamin Petersone6528212008-07-15 15:32:09 +000081
82_context_message = (
83 "\nDuring handling of the above exception, "
Robert Collins6bc2c1e2015-03-05 12:07:57 +130084 "another exception occurred:\n\n")
Benjamin Petersone6528212008-07-15 15:32:09 +000085
Benjamin Petersone6528212008-07-15 15:32:09 +000086
Zackery Spytz91e93792020-11-05 15:18:44 -070087_sentinel = object()
88
89
90def _parse_value_tb(exc, value, tb):
91 if (value is _sentinel) != (tb is _sentinel):
92 raise ValueError("Both or neither of value and tb must be given")
93 if value is tb is _sentinel:
Irit Katrielb798ab02021-02-23 17:43:04 +000094 if exc is not None:
95 return exc, exc.__traceback__
96 else:
97 return None, None
Zackery Spytz91e93792020-11-05 15:18:44 -070098 return value, tb
99
100
101def print_exception(exc, /, value=_sentinel, tb=_sentinel, limit=None, \
102 file=None, chain=True):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000103 """Print exception up to 'limit' stack trace entries from 'tb' to 'file'.
104
105 This differs from print_tb() in the following ways: (1) if
106 traceback is not None, it prints a header "Traceback (most recent
107 call last):"; (2) it prints the exception type and value after the
108 stack trace; (3) if type is SyntaxError and value has the
109 appropriate format, it prints the line where the syntax error
Tim Petersb90f89a2001-01-15 03:26:36 +0000110 occurred with a caret on the next line indicating the approximate
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000111 position of the error.
112 """
Zackery Spytz91e93792020-11-05 15:18:44 -0700113 value, tb = _parse_value_tb(exc, value, tb)
Raymond Hettinger10ff7062002-06-02 03:04:52 +0000114 if file is None:
Tim Petersb90f89a2001-01-15 03:26:36 +0000115 file = sys.stderr
Irit Katriel4c94d742021-01-15 02:45:02 +0000116 te = TracebackException(type(value), value, tb, limit=limit, compact=True)
117 for line in te.format(chain=chain):
Benjamin Petersond9fec152013-04-29 16:09:39 -0400118 print(line, file=file, end="")
Guido van Rossum28e99fe1995-08-04 04:30:30 +0000119
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300120
Zackery Spytz91e93792020-11-05 15:18:44 -0700121def format_exception(exc, /, value=_sentinel, tb=_sentinel, limit=None, \
122 chain=True):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000123 """Format a stack trace and the exception information.
124
125 The arguments have the same meaning as the corresponding arguments
126 to print_exception(). The return value is a list of strings, each
Tim Petersb90f89a2001-01-15 03:26:36 +0000127 ending in a newline and some containing internal newlines. When
128 these lines are concatenated and printed, exactly the same text is
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000129 printed as does print_exception().
130 """
Zackery Spytz91e93792020-11-05 15:18:44 -0700131 value, tb = _parse_value_tb(exc, value, tb)
Irit Katriel4c94d742021-01-15 02:45:02 +0000132 te = TracebackException(type(value), value, tb, limit=limit, compact=True)
133 return list(te.format(chain=chain))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300134
Guido van Rossum28e99fe1995-08-04 04:30:30 +0000135
Zackery Spytz91e93792020-11-05 15:18:44 -0700136def format_exception_only(exc, /, value=_sentinel):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000137 """Format the exception part of a traceback.
138
Zackery Spytz91e93792020-11-05 15:18:44 -0700139 The return value is a list of strings, each ending in a newline.
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000140
141 Normally, the list contains a single string; however, for
142 SyntaxError exceptions, it contains several lines that (when
143 printed) display detailed information about where the syntax
144 error occurred.
145
146 The message indicating which exception occurred is always the last
147 string in the list.
148
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000149 """
Zackery Spytz91e93792020-11-05 15:18:44 -0700150 if value is _sentinel:
151 value = exc
Irit Katriel4c94d742021-01-15 02:45:02 +0000152 te = TracebackException(type(value), value, None, compact=True)
153 return list(te.format_exception_only())
Benjamin Petersond9fec152013-04-29 16:09:39 -0400154
Thomas Wouters89f507f2006-12-13 04:49:30 +0000155
Martin Panter46f50722016-05-26 05:35:26 +0000156# -- not official API but folk probably use these two functions.
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000157
158def _format_final_exc_line(etype, value):
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000159 valuestr = _some_str(value)
Martin Panterbb8b1cb2016-09-22 09:37:39 +0000160 if value is None or not valuestr:
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000161 line = "%s\n" % etype
Tim Petersb90f89a2001-01-15 03:26:36 +0000162 else:
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000163 line = "%s: %s\n" % (etype, valuestr)
164 return line
Guido van Rossum28e99fe1995-08-04 04:30:30 +0000165
Guido van Rossum2823f032000-08-22 02:04:46 +0000166def _some_str(value):
Tim Petersb90f89a2001-01-15 03:26:36 +0000167 try:
168 return str(value)
169 except:
170 return '<unprintable %s object>' % type(value).__name__
Guido van Rossum2823f032000-08-22 02:04:46 +0000171
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300172# --
173
Benjamin Petersone6528212008-07-15 15:32:09 +0000174def print_exc(limit=None, file=None, chain=True):
Neal Norwitzac3625f2006-03-17 05:49:33 +0000175 """Shorthand for 'print_exception(*sys.exc_info(), limit, file)'."""
Benjamin Petersond9fec152013-04-29 16:09:39 -0400176 print_exception(*sys.exc_info(), limit=limit, file=file, chain=chain)
Neil Schemenauerf607fc52003-11-05 23:03:00 +0000177
Benjamin Petersone6528212008-07-15 15:32:09 +0000178def format_exc(limit=None, chain=True):
Neil Schemenauerf607fc52003-11-05 23:03:00 +0000179 """Like print_exc() but return a string."""
Benjamin Petersond9fec152013-04-29 16:09:39 -0400180 return "".join(format_exception(*sys.exc_info(), limit=limit, chain=chain))
Neil Schemenauerf607fc52003-11-05 23:03:00 +0000181
Benjamin Petersone6528212008-07-15 15:32:09 +0000182def print_last(limit=None, file=None, chain=True):
Tim Petersb90f89a2001-01-15 03:26:36 +0000183 """This is a shorthand for 'print_exception(sys.last_type,
184 sys.last_value, sys.last_traceback, limit, file)'."""
Benjamin Petersone549ead2009-03-28 21:42:05 +0000185 if not hasattr(sys, "last_type"):
186 raise ValueError("no last exception")
Tim Petersb90f89a2001-01-15 03:26:36 +0000187 print_exception(sys.last_type, sys.last_value, sys.last_traceback,
Benjamin Petersone6528212008-07-15 15:32:09 +0000188 limit, file, chain)
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000189
Benjamin Petersond9fec152013-04-29 16:09:39 -0400190#
191# Printing and Extracting Stacks.
192#
193
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000194def print_stack(f=None, limit=None, file=None):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000195 """Print a stack trace from its invocation point.
Tim Petersa19a1682001-03-29 04:36:09 +0000196
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000197 The optional 'f' argument can be used to specify an alternate
198 stack frame at which to start. The optional 'limit' and 'file'
199 arguments have the same meaning as for print_exception().
200 """
Serhiy Storchakae953ba72015-09-18 10:04:47 +0300201 if f is None:
202 f = sys._getframe().f_back
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300203 print_list(extract_stack(f, limit=limit), file=file)
204
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000205
206def format_stack(f=None, limit=None):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000207 """Shorthand for 'format_list(extract_stack(f, limit))'."""
Serhiy Storchakae953ba72015-09-18 10:04:47 +0300208 if f is None:
209 f = sys._getframe().f_back
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300210 return format_list(extract_stack(f, limit=limit))
211
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000212
Georg Brandl2ad07c32009-09-16 14:24:29 +0000213def extract_stack(f=None, limit=None):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000214 """Extract the raw traceback from the current stack frame.
215
216 The return value has the same format as for extract_tb(). The
217 optional 'f' and 'limit' arguments have the same meaning as for
218 print_stack(). Each item in the list is a quadruple (filename,
219 line number, function name, text), and the entries are in order
220 from oldest to newest stack frame.
221 """
Serhiy Storchakae953ba72015-09-18 10:04:47 +0300222 if f is None:
223 f = sys._getframe().f_back
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300224 stack = StackSummary.extract(walk_stack(f), limit=limit)
Benjamin Petersond9fec152013-04-29 16:09:39 -0400225 stack.reverse()
226 return stack
Andrew Kuchling173a1572013-09-15 18:15:56 -0400227
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300228
Andrew Kuchling173a1572013-09-15 18:15:56 -0400229def clear_frames(tb):
230 "Clear all references to local variables in the frames of a traceback."
231 while tb is not None:
232 try:
233 tb.tb_frame.clear()
234 except RuntimeError:
235 # Ignore the exception raised if the frame is still executing.
236 pass
237 tb = tb.tb_next
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300238
239
240class FrameSummary:
241 """A single frame from a traceback.
242
243 - :attr:`filename` The filename for the frame.
244 - :attr:`lineno` The line within filename for the frame that was
245 active when the frame was captured.
246 - :attr:`name` The name of the function or method that was executing
247 when the frame was captured.
248 - :attr:`line` The text from the linecache module for the
249 of code that was running when the frame was captured.
250 - :attr:`locals` Either None if locals were not supplied, or a dict
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300251 mapping the name to the repr() of the variable.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300252 """
253
254 __slots__ = ('filename', 'lineno', 'name', '_line', 'locals')
255
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300256 def __init__(self, filename, lineno, name, *, lookup_line=True,
257 locals=None, line=None):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300258 """Construct a FrameSummary.
259
260 :param lookup_line: If True, `linecache` is consulted for the source
261 code line. Otherwise, the line will be looked up when first needed.
262 :param locals: If supplied the frame locals, which will be captured as
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300263 object representations.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300264 :param line: If provided, use this instead of looking up the line in
265 the linecache.
266 """
267 self.filename = filename
268 self.lineno = lineno
269 self.name = name
270 self._line = line
271 if lookup_line:
272 self.line
Jon Dufresne39726282017-05-18 07:35:54 -0700273 self.locals = {k: repr(v) for k, v in locals.items()} if locals else None
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300274
275 def __eq__(self, other):
Serhiy Storchaka3066fc42015-09-29 22:33:36 +0300276 if isinstance(other, FrameSummary):
277 return (self.filename == other.filename and
278 self.lineno == other.lineno and
279 self.name == other.name and
280 self.locals == other.locals)
281 if isinstance(other, tuple):
282 return (self.filename, self.lineno, self.name, self.line) == other
283 return NotImplemented
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300284
285 def __getitem__(self, pos):
286 return (self.filename, self.lineno, self.name, self.line)[pos]
287
288 def __iter__(self):
289 return iter([self.filename, self.lineno, self.name, self.line])
290
291 def __repr__(self):
292 return "<FrameSummary file {filename}, line {lineno} in {name}>".format(
293 filename=self.filename, lineno=self.lineno, name=self.name)
294
Berker Peksag9797b7a2018-09-10 20:02:33 +0300295 def __len__(self):
296 return 4
297
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300298 @property
299 def line(self):
300 if self._line is None:
301 self._line = linecache.getline(self.filename, self.lineno).strip()
302 return self._line
303
304
305def walk_stack(f):
306 """Walk a stack yielding the frame and line number for each frame.
307
308 This will follow f.f_back from the given frame. If no frame is given, the
309 current stack is used. Usually used with StackSummary.extract.
310 """
311 if f is None:
312 f = sys._getframe().f_back.f_back
313 while f is not None:
314 yield f, f.f_lineno
315 f = f.f_back
316
317
318def walk_tb(tb):
319 """Walk a traceback yielding the frame and line number for each frame.
320
321 This will follow tb.tb_next (and thus is in the opposite order to
322 walk_stack). Usually used with StackSummary.extract.
323 """
324 while tb is not None:
325 yield tb.tb_frame, tb.tb_lineno
326 tb = tb.tb_next
327
328
Benjamin Petersond5458692018-09-10 08:43:10 -0700329_RECURSIVE_CUTOFF = 3 # Also hardcoded in traceback.c.
330
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300331class StackSummary(list):
332 """A stack of frames."""
333
334 @classmethod
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300335 def extract(klass, frame_gen, *, limit=None, lookup_lines=True,
336 capture_locals=False):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300337 """Create a StackSummary from a traceback or stack object.
338
339 :param frame_gen: A generator that yields (frame, lineno) tuples to
340 include in the stack.
341 :param limit: None to include all frames or the number of frames to
342 include.
343 :param lookup_lines: If True, lookup lines for each frame immediately,
344 otherwise lookup is deferred until the frame is rendered.
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300345 :param capture_locals: If True, the local variables from each frame will
346 be captured as object representations into the FrameSummary.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300347 """
348 if limit is None:
349 limit = getattr(sys, 'tracebacklimit', None)
Serhiy Storchaka24559e42015-05-03 13:19:46 +0300350 if limit is not None and limit < 0:
351 limit = 0
352 if limit is not None:
353 if limit >= 0:
354 frame_gen = itertools.islice(frame_gen, limit)
355 else:
356 frame_gen = collections.deque(frame_gen, maxlen=-limit)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300357
358 result = klass()
359 fnames = set()
Serhiy Storchaka24559e42015-05-03 13:19:46 +0300360 for f, lineno in frame_gen:
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300361 co = f.f_code
362 filename = co.co_filename
363 name = co.co_name
364
365 fnames.add(filename)
366 linecache.lazycache(filename, f.f_globals)
367 # Must defer line lookups until we have called checkcache.
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300368 if capture_locals:
369 f_locals = f.f_locals
370 else:
371 f_locals = None
372 result.append(FrameSummary(
373 filename, lineno, name, lookup_line=False, locals=f_locals))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300374 for filename in fnames:
375 linecache.checkcache(filename)
376 # If immediate lookup was desired, trigger lookups now.
377 if lookup_lines:
378 for f in result:
379 f.line
380 return result
381
382 @classmethod
383 def from_list(klass, a_list):
torsavaf394ee52018-08-02 17:08:59 +0100384 """
385 Create a StackSummary object from a supplied list of
386 FrameSummary objects or old-style list of tuples.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300387 """
Robert Collinsbbb8ade2015-03-16 15:27:16 +1300388 # While doing a fast-path check for isinstance(a_list, StackSummary) is
389 # appealing, idlelib.run.cleanup_traceback and other similar code may
390 # break this by making arbitrary frames plain tuples, so we need to
391 # check on a frame by frame basis.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300392 result = StackSummary()
Robert Collinsbbb8ade2015-03-16 15:27:16 +1300393 for frame in a_list:
394 if isinstance(frame, FrameSummary):
395 result.append(frame)
396 else:
397 filename, lineno, name, line = frame
398 result.append(FrameSummary(filename, lineno, name, line=line))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300399 return result
400
401 def format(self):
402 """Format the stack ready for printing.
403
404 Returns a list of strings ready for printing. Each string in the
405 resulting list corresponds to a single frame from the stack.
406 Each string ends in a newline; the strings may contain internal
407 newlines as well, for those items with source text lines.
Nick Coghland0034232016-08-15 13:11:34 +1000408
409 For long sequences of the same frame and line, the first few
410 repetitions are shown, followed by a summary line stating the exact
411 number of further repetitions.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300412 """
413 result = []
Nick Coghland0034232016-08-15 13:11:34 +1000414 last_file = None
415 last_line = None
416 last_name = None
417 count = 0
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300418 for frame in self:
Benjamin Petersond5458692018-09-10 08:43:10 -0700419 if (last_file is None or last_file != frame.filename or
420 last_line is None or last_line != frame.lineno or
421 last_name is None or last_name != frame.name):
422 if count > _RECURSIVE_CUTOFF:
423 count -= _RECURSIVE_CUTOFF
424 result.append(
425 f' [Previous line repeated {count} more '
426 f'time{"s" if count > 1 else ""}]\n'
427 )
Nick Coghland0034232016-08-15 13:11:34 +1000428 last_file = frame.filename
429 last_line = frame.lineno
430 last_name = frame.name
431 count = 0
Benjamin Petersond5458692018-09-10 08:43:10 -0700432 count += 1
433 if count > _RECURSIVE_CUTOFF:
Nick Coghland0034232016-08-15 13:11:34 +1000434 continue
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300435 row = []
436 row.append(' File "{}", line {}, in {}\n'.format(
437 frame.filename, frame.lineno, frame.name))
438 if frame.line:
439 row.append(' {}\n'.format(frame.line.strip()))
440 if frame.locals:
441 for name, value in sorted(frame.locals.items()):
442 row.append(' {name} = {value}\n'.format(name=name, value=value))
443 result.append(''.join(row))
Benjamin Petersond5458692018-09-10 08:43:10 -0700444 if count > _RECURSIVE_CUTOFF:
445 count -= _RECURSIVE_CUTOFF
446 result.append(
447 f' [Previous line repeated {count} more '
448 f'time{"s" if count > 1 else ""}]\n'
449 )
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300450 return result
451
452
453class TracebackException:
454 """An exception ready for rendering.
455
456 The traceback module captures enough attributes from the original exception
457 to this intermediary form to ensure that no references are held, while
458 still being able to fully print or format it.
459
460 Use `from_exception` to create TracebackException instances from exception
461 objects, or the constructor to create TracebackException instances from
462 individual components.
463
464 - :attr:`__cause__` A TracebackException of the original *__cause__*.
465 - :attr:`__context__` A TracebackException of the original *__context__*.
466 - :attr:`__suppress_context__` The *__suppress_context__* value from the
467 original exception.
468 - :attr:`stack` A `StackSummary` representing the traceback.
469 - :attr:`exc_type` The class of the original traceback.
470 - :attr:`filename` For syntax errors - the filename where the error
Martin Panter46f50722016-05-26 05:35:26 +0000471 occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300472 - :attr:`lineno` For syntax errors - the linenumber where the error
Martin Panter46f50722016-05-26 05:35:26 +0000473 occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300474 - :attr:`text` For syntax errors - the text where the error
Martin Panter46f50722016-05-26 05:35:26 +0000475 occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300476 - :attr:`offset` For syntax errors - the offset into the text where the
Martin Panter46f50722016-05-26 05:35:26 +0000477 error occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300478 - :attr:`msg` For syntax errors - the compiler error message.
479 """
480
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300481 def __init__(self, exc_type, exc_value, exc_traceback, *, limit=None,
Irit Katriel4c94d742021-01-15 02:45:02 +0000482 lookup_lines=True, capture_locals=False, compact=False,
483 _seen=None):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300484 # NB: we need to accept exc_traceback, exc_value, exc_traceback to
485 # permit backwards compat with the existing API, otherwise we
486 # need stub thunk objects just to glue it together.
487 # Handle loops in __cause__ or __context__.
Irit Katriel6dfd1732021-01-12 22:14:27 +0000488 is_recursive_call = _seen is not None
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300489 if _seen is None:
490 _seen = set()
Zane Bitterde860732017-10-17 17:29:39 -0400491 _seen.add(id(exc_value))
Irit Katriel4c94d742021-01-15 02:45:02 +0000492
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300493 # TODO: locals.
494 self.stack = StackSummary.extract(
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300495 walk_tb(exc_traceback), limit=limit, lookup_lines=lookup_lines,
496 capture_locals=capture_locals)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300497 self.exc_type = exc_type
498 # Capture now to permit freeing resources: only complication is in the
499 # unofficial API _format_final_exc_line
500 self._str = _some_str(exc_value)
501 if exc_type and issubclass(exc_type, SyntaxError):
502 # Handle SyntaxError's specially
503 self.filename = exc_value.filename
Irit Katriel069560b2020-12-22 19:53:09 +0000504 lno = exc_value.lineno
505 self.lineno = str(lno) if lno is not None else None
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300506 self.text = exc_value.text
507 self.offset = exc_value.offset
508 self.msg = exc_value.msg
509 if lookup_lines:
510 self._load_lines()
Irit Katriel6dfd1732021-01-12 22:14:27 +0000511 self.__suppress_context__ = \
Irit Katriel4c94d742021-01-15 02:45:02 +0000512 exc_value.__suppress_context__ if exc_value is not None else False
Irit Katriel6dfd1732021-01-12 22:14:27 +0000513
514 # Convert __cause__ and __context__ to `TracebackExceptions`s, use a
515 # queue to avoid recursion (only the top-level call gets _seen == None)
516 if not is_recursive_call:
517 queue = [(self, exc_value)]
518 while queue:
519 te, e = queue.pop()
520 if (e and e.__cause__ is not None
521 and id(e.__cause__) not in _seen):
522 cause = TracebackException(
523 type(e.__cause__),
524 e.__cause__,
525 e.__cause__.__traceback__,
526 limit=limit,
527 lookup_lines=lookup_lines,
528 capture_locals=capture_locals,
529 _seen=_seen)
530 else:
531 cause = None
Irit Katriel4c94d742021-01-15 02:45:02 +0000532
533 if compact:
Irit Katriel26f18b82021-02-23 14:58:47 +0000534 need_context = (cause is None and
535 e is not None and
536 not e.__suppress_context__)
Irit Katriel4c94d742021-01-15 02:45:02 +0000537 else:
538 need_context = True
Irit Katriel6dfd1732021-01-12 22:14:27 +0000539 if (e and e.__context__ is not None
Irit Katriel4c94d742021-01-15 02:45:02 +0000540 and need_context and id(e.__context__) not in _seen):
Irit Katriel6dfd1732021-01-12 22:14:27 +0000541 context = TracebackException(
542 type(e.__context__),
543 e.__context__,
544 e.__context__.__traceback__,
545 limit=limit,
546 lookup_lines=lookup_lines,
547 capture_locals=capture_locals,
548 _seen=_seen)
549 else:
550 context = None
551 te.__cause__ = cause
552 te.__context__ = context
553 if cause:
554 queue.append((te.__cause__, e.__cause__))
555 if context:
556 queue.append((te.__context__, e.__context__))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300557
558 @classmethod
Robert Collinsaece8242015-07-26 06:50:51 +1200559 def from_exception(cls, exc, *args, **kwargs):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300560 """Create a TracebackException from an exception."""
Robert Collinsaece8242015-07-26 06:50:51 +1200561 return cls(type(exc), exc, exc.__traceback__, *args, **kwargs)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300562
563 def _load_lines(self):
564 """Private API. force all lines in the stack to be loaded."""
565 for frame in self.stack:
566 frame.line
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300567
568 def __eq__(self, other):
Serhiy Storchaka662db122019-08-08 08:42:54 +0300569 if isinstance(other, TracebackException):
570 return self.__dict__ == other.__dict__
571 return NotImplemented
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300572
573 def __str__(self):
574 return self._str
575
576 def format_exception_only(self):
577 """Format the exception part of the traceback.
578
579 The return value is a generator of strings, each ending in a newline.
580
581 Normally, the generator emits a single string; however, for
Galdendf8913f2020-04-20 10:17:37 +0800582 SyntaxError exceptions, it emits several lines that (when
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300583 printed) display detailed information about where the syntax
584 error occurred.
585
586 The message indicating which exception occurred is always the last
587 string in the output.
588 """
589 if self.exc_type is None:
590 yield _format_final_exc_line(None, self._str)
591 return
592
593 stype = self.exc_type.__qualname__
594 smod = self.exc_type.__module__
595 if smod not in ("__main__", "builtins"):
596 stype = smod + '.' + stype
597
598 if not issubclass(self.exc_type, SyntaxError):
599 yield _format_final_exc_line(stype, self._str)
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700600 else:
601 yield from self._format_syntax_error(stype)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300602
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700603 def _format_syntax_error(self, stype):
604 """Format SyntaxError exceptions (internal helper)."""
605 # Show exactly where the problem was found.
Irit Katriel069560b2020-12-22 19:53:09 +0000606 filename_suffix = ''
607 if self.lineno is not None:
608 yield ' File "{}", line {}\n'.format(
609 self.filename or "<string>", self.lineno)
610 elif self.filename is not None:
611 filename_suffix = ' ({})'.format(self.filename)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300612
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700613 text = self.text
614 if text is not None:
615 # text = " foo\n"
616 # rtext = " foo"
617 # ltext = "foo"
618 rtext = text.rstrip('\n')
619 ltext = rtext.lstrip(' \n\f')
620 spaces = len(rtext) - len(ltext)
621 yield ' {}\n'.format(ltext)
622 # Convert 1-based column offset to 0-based index into stripped text
623 caret = (self.offset or 0) - 1 - spaces
624 if caret >= 0:
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300625 # non-space whitespace (likes tabs) must be kept for alignment
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700626 caretspace = ((c if c.isspace() else ' ') for c in ltext[:caret])
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300627 yield ' {}^\n'.format(''.join(caretspace))
628 msg = self.msg or "<no detail available>"
Irit Katriel069560b2020-12-22 19:53:09 +0000629 yield "{}: {}{}\n".format(stype, msg, filename_suffix)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300630
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300631 def format(self, *, chain=True):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300632 """Format the exception.
633
634 If chain is not *True*, *__cause__* and *__context__* will not be formatted.
635
636 The return value is a generator of strings, each ending in a newline and
637 some containing internal newlines. `print_exception` is a wrapper around
638 this method which just prints the lines to a file.
639
640 The message indicating which exception occurred is always the last
641 string in the output.
642 """
Irit Katriel6dfd1732021-01-12 22:14:27 +0000643
644 output = []
645 exc = self
646 while exc:
647 if chain:
648 if exc.__cause__ is not None:
649 chained_msg = _cause_message
650 chained_exc = exc.__cause__
651 elif (exc.__context__ is not None and
652 not exc.__suppress_context__):
653 chained_msg = _context_message
654 chained_exc = exc.__context__
655 else:
656 chained_msg = None
657 chained_exc = None
658
659 output.append((chained_msg, exc))
660 exc = chained_exc
661 else:
662 output.append((None, exc))
663 exc = None
664
665 for msg, exc in reversed(output):
666 if msg is not None:
667 yield msg
668 if exc.stack:
669 yield 'Traceback (most recent call last):\n'
670 yield from exc.stack.format()
671 yield from exc.format_exception_only()