blob: 090465a3584b77d27b59d9c1fffe31f98ff803ea [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:
94 return exc, exc.__traceback__
95 return value, tb
96
97
98def print_exception(exc, /, value=_sentinel, tb=_sentinel, limit=None, \
99 file=None, chain=True):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000100 """Print exception up to 'limit' stack trace entries from 'tb' to 'file'.
101
102 This differs from print_tb() in the following ways: (1) if
103 traceback is not None, it prints a header "Traceback (most recent
104 call last):"; (2) it prints the exception type and value after the
105 stack trace; (3) if type is SyntaxError and value has the
106 appropriate format, it prints the line where the syntax error
Tim Petersb90f89a2001-01-15 03:26:36 +0000107 occurred with a caret on the next line indicating the approximate
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000108 position of the error.
109 """
Zackery Spytz91e93792020-11-05 15:18:44 -0700110 value, tb = _parse_value_tb(exc, value, tb)
Raymond Hettinger10ff7062002-06-02 03:04:52 +0000111 if file is None:
Tim Petersb90f89a2001-01-15 03:26:36 +0000112 file = sys.stderr
Irit Katriel4c94d742021-01-15 02:45:02 +0000113 te = TracebackException(type(value), value, tb, limit=limit, compact=True)
114 for line in te.format(chain=chain):
Benjamin Petersond9fec152013-04-29 16:09:39 -0400115 print(line, file=file, end="")
Guido van Rossum28e99fe1995-08-04 04:30:30 +0000116
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300117
Zackery Spytz91e93792020-11-05 15:18:44 -0700118def format_exception(exc, /, value=_sentinel, tb=_sentinel, limit=None, \
119 chain=True):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000120 """Format a stack trace and the exception information.
121
122 The arguments have the same meaning as the corresponding arguments
123 to print_exception(). The return value is a list of strings, each
Tim Petersb90f89a2001-01-15 03:26:36 +0000124 ending in a newline and some containing internal newlines. When
125 these lines are concatenated and printed, exactly the same text is
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000126 printed as does print_exception().
127 """
Zackery Spytz91e93792020-11-05 15:18:44 -0700128 value, tb = _parse_value_tb(exc, value, tb)
Irit Katriel4c94d742021-01-15 02:45:02 +0000129 te = TracebackException(type(value), value, tb, limit=limit, compact=True)
130 return list(te.format(chain=chain))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300131
Guido van Rossum28e99fe1995-08-04 04:30:30 +0000132
Zackery Spytz91e93792020-11-05 15:18:44 -0700133def format_exception_only(exc, /, value=_sentinel):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000134 """Format the exception part of a traceback.
135
Zackery Spytz91e93792020-11-05 15:18:44 -0700136 The return value is a list of strings, each ending in a newline.
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000137
138 Normally, the list contains a single string; however, for
139 SyntaxError exceptions, it contains several lines that (when
140 printed) display detailed information about where the syntax
141 error occurred.
142
143 The message indicating which exception occurred is always the last
144 string in the list.
145
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000146 """
Zackery Spytz91e93792020-11-05 15:18:44 -0700147 if value is _sentinel:
148 value = exc
Irit Katriel4c94d742021-01-15 02:45:02 +0000149 te = TracebackException(type(value), value, None, compact=True)
150 return list(te.format_exception_only())
Benjamin Petersond9fec152013-04-29 16:09:39 -0400151
Thomas Wouters89f507f2006-12-13 04:49:30 +0000152
Martin Panter46f50722016-05-26 05:35:26 +0000153# -- not official API but folk probably use these two functions.
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000154
155def _format_final_exc_line(etype, value):
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000156 valuestr = _some_str(value)
Martin Panterbb8b1cb2016-09-22 09:37:39 +0000157 if value is None or not valuestr:
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000158 line = "%s\n" % etype
Tim Petersb90f89a2001-01-15 03:26:36 +0000159 else:
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000160 line = "%s: %s\n" % (etype, valuestr)
161 return line
Guido van Rossum28e99fe1995-08-04 04:30:30 +0000162
Guido van Rossum2823f032000-08-22 02:04:46 +0000163def _some_str(value):
Tim Petersb90f89a2001-01-15 03:26:36 +0000164 try:
165 return str(value)
166 except:
167 return '<unprintable %s object>' % type(value).__name__
Guido van Rossum2823f032000-08-22 02:04:46 +0000168
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300169# --
170
Benjamin Petersone6528212008-07-15 15:32:09 +0000171def print_exc(limit=None, file=None, chain=True):
Neal Norwitzac3625f2006-03-17 05:49:33 +0000172 """Shorthand for 'print_exception(*sys.exc_info(), limit, file)'."""
Benjamin Petersond9fec152013-04-29 16:09:39 -0400173 print_exception(*sys.exc_info(), limit=limit, file=file, chain=chain)
Neil Schemenauerf607fc52003-11-05 23:03:00 +0000174
Benjamin Petersone6528212008-07-15 15:32:09 +0000175def format_exc(limit=None, chain=True):
Neil Schemenauerf607fc52003-11-05 23:03:00 +0000176 """Like print_exc() but return a string."""
Benjamin Petersond9fec152013-04-29 16:09:39 -0400177 return "".join(format_exception(*sys.exc_info(), limit=limit, chain=chain))
Neil Schemenauerf607fc52003-11-05 23:03:00 +0000178
Benjamin Petersone6528212008-07-15 15:32:09 +0000179def print_last(limit=None, file=None, chain=True):
Tim Petersb90f89a2001-01-15 03:26:36 +0000180 """This is a shorthand for 'print_exception(sys.last_type,
181 sys.last_value, sys.last_traceback, limit, file)'."""
Benjamin Petersone549ead2009-03-28 21:42:05 +0000182 if not hasattr(sys, "last_type"):
183 raise ValueError("no last exception")
Tim Petersb90f89a2001-01-15 03:26:36 +0000184 print_exception(sys.last_type, sys.last_value, sys.last_traceback,
Benjamin Petersone6528212008-07-15 15:32:09 +0000185 limit, file, chain)
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000186
Benjamin Petersond9fec152013-04-29 16:09:39 -0400187#
188# Printing and Extracting Stacks.
189#
190
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000191def print_stack(f=None, limit=None, file=None):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000192 """Print a stack trace from its invocation point.
Tim Petersa19a1682001-03-29 04:36:09 +0000193
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000194 The optional 'f' argument can be used to specify an alternate
195 stack frame at which to start. The optional 'limit' and 'file'
196 arguments have the same meaning as for print_exception().
197 """
Serhiy Storchakae953ba72015-09-18 10:04:47 +0300198 if f is None:
199 f = sys._getframe().f_back
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300200 print_list(extract_stack(f, limit=limit), file=file)
201
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000202
203def format_stack(f=None, limit=None):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000204 """Shorthand for 'format_list(extract_stack(f, limit))'."""
Serhiy Storchakae953ba72015-09-18 10:04:47 +0300205 if f is None:
206 f = sys._getframe().f_back
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300207 return format_list(extract_stack(f, limit=limit))
208
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000209
Georg Brandl2ad07c32009-09-16 14:24:29 +0000210def extract_stack(f=None, limit=None):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000211 """Extract the raw traceback from the current stack frame.
212
213 The return value has the same format as for extract_tb(). The
214 optional 'f' and 'limit' arguments have the same meaning as for
215 print_stack(). Each item in the list is a quadruple (filename,
216 line number, function name, text), and the entries are in order
217 from oldest to newest stack frame.
218 """
Serhiy Storchakae953ba72015-09-18 10:04:47 +0300219 if f is None:
220 f = sys._getframe().f_back
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300221 stack = StackSummary.extract(walk_stack(f), limit=limit)
Benjamin Petersond9fec152013-04-29 16:09:39 -0400222 stack.reverse()
223 return stack
Andrew Kuchling173a1572013-09-15 18:15:56 -0400224
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300225
Andrew Kuchling173a1572013-09-15 18:15:56 -0400226def clear_frames(tb):
227 "Clear all references to local variables in the frames of a traceback."
228 while tb is not None:
229 try:
230 tb.tb_frame.clear()
231 except RuntimeError:
232 # Ignore the exception raised if the frame is still executing.
233 pass
234 tb = tb.tb_next
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300235
236
237class FrameSummary:
238 """A single frame from a traceback.
239
240 - :attr:`filename` The filename for the frame.
241 - :attr:`lineno` The line within filename for the frame that was
242 active when the frame was captured.
243 - :attr:`name` The name of the function or method that was executing
244 when the frame was captured.
245 - :attr:`line` The text from the linecache module for the
246 of code that was running when the frame was captured.
247 - :attr:`locals` Either None if locals were not supplied, or a dict
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300248 mapping the name to the repr() of the variable.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300249 """
250
251 __slots__ = ('filename', 'lineno', 'name', '_line', 'locals')
252
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300253 def __init__(self, filename, lineno, name, *, lookup_line=True,
254 locals=None, line=None):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300255 """Construct a FrameSummary.
256
257 :param lookup_line: If True, `linecache` is consulted for the source
258 code line. Otherwise, the line will be looked up when first needed.
259 :param locals: If supplied the frame locals, which will be captured as
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300260 object representations.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300261 :param line: If provided, use this instead of looking up the line in
262 the linecache.
263 """
264 self.filename = filename
265 self.lineno = lineno
266 self.name = name
267 self._line = line
268 if lookup_line:
269 self.line
Jon Dufresne39726282017-05-18 07:35:54 -0700270 self.locals = {k: repr(v) for k, v in locals.items()} if locals else None
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300271
272 def __eq__(self, other):
Serhiy Storchaka3066fc42015-09-29 22:33:36 +0300273 if isinstance(other, FrameSummary):
274 return (self.filename == other.filename and
275 self.lineno == other.lineno and
276 self.name == other.name and
277 self.locals == other.locals)
278 if isinstance(other, tuple):
279 return (self.filename, self.lineno, self.name, self.line) == other
280 return NotImplemented
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300281
282 def __getitem__(self, pos):
283 return (self.filename, self.lineno, self.name, self.line)[pos]
284
285 def __iter__(self):
286 return iter([self.filename, self.lineno, self.name, self.line])
287
288 def __repr__(self):
289 return "<FrameSummary file {filename}, line {lineno} in {name}>".format(
290 filename=self.filename, lineno=self.lineno, name=self.name)
291
Berker Peksag9797b7a2018-09-10 20:02:33 +0300292 def __len__(self):
293 return 4
294
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300295 @property
296 def line(self):
297 if self._line is None:
298 self._line = linecache.getline(self.filename, self.lineno).strip()
299 return self._line
300
301
302def walk_stack(f):
303 """Walk a stack yielding the frame and line number for each frame.
304
305 This will follow f.f_back from the given frame. If no frame is given, the
306 current stack is used. Usually used with StackSummary.extract.
307 """
308 if f is None:
309 f = sys._getframe().f_back.f_back
310 while f is not None:
311 yield f, f.f_lineno
312 f = f.f_back
313
314
315def walk_tb(tb):
316 """Walk a traceback yielding the frame and line number for each frame.
317
318 This will follow tb.tb_next (and thus is in the opposite order to
319 walk_stack). Usually used with StackSummary.extract.
320 """
321 while tb is not None:
322 yield tb.tb_frame, tb.tb_lineno
323 tb = tb.tb_next
324
325
Benjamin Petersond5458692018-09-10 08:43:10 -0700326_RECURSIVE_CUTOFF = 3 # Also hardcoded in traceback.c.
327
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300328class StackSummary(list):
329 """A stack of frames."""
330
331 @classmethod
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300332 def extract(klass, frame_gen, *, limit=None, lookup_lines=True,
333 capture_locals=False):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300334 """Create a StackSummary from a traceback or stack object.
335
336 :param frame_gen: A generator that yields (frame, lineno) tuples to
337 include in the stack.
338 :param limit: None to include all frames or the number of frames to
339 include.
340 :param lookup_lines: If True, lookup lines for each frame immediately,
341 otherwise lookup is deferred until the frame is rendered.
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300342 :param capture_locals: If True, the local variables from each frame will
343 be captured as object representations into the FrameSummary.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300344 """
345 if limit is None:
346 limit = getattr(sys, 'tracebacklimit', None)
Serhiy Storchaka24559e42015-05-03 13:19:46 +0300347 if limit is not None and limit < 0:
348 limit = 0
349 if limit is not None:
350 if limit >= 0:
351 frame_gen = itertools.islice(frame_gen, limit)
352 else:
353 frame_gen = collections.deque(frame_gen, maxlen=-limit)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300354
355 result = klass()
356 fnames = set()
Serhiy Storchaka24559e42015-05-03 13:19:46 +0300357 for f, lineno in frame_gen:
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300358 co = f.f_code
359 filename = co.co_filename
360 name = co.co_name
361
362 fnames.add(filename)
363 linecache.lazycache(filename, f.f_globals)
364 # Must defer line lookups until we have called checkcache.
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300365 if capture_locals:
366 f_locals = f.f_locals
367 else:
368 f_locals = None
369 result.append(FrameSummary(
370 filename, lineno, name, lookup_line=False, locals=f_locals))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300371 for filename in fnames:
372 linecache.checkcache(filename)
373 # If immediate lookup was desired, trigger lookups now.
374 if lookup_lines:
375 for f in result:
376 f.line
377 return result
378
379 @classmethod
380 def from_list(klass, a_list):
torsavaf394ee52018-08-02 17:08:59 +0100381 """
382 Create a StackSummary object from a supplied list of
383 FrameSummary objects or old-style list of tuples.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300384 """
Robert Collinsbbb8ade2015-03-16 15:27:16 +1300385 # While doing a fast-path check for isinstance(a_list, StackSummary) is
386 # appealing, idlelib.run.cleanup_traceback and other similar code may
387 # break this by making arbitrary frames plain tuples, so we need to
388 # check on a frame by frame basis.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300389 result = StackSummary()
Robert Collinsbbb8ade2015-03-16 15:27:16 +1300390 for frame in a_list:
391 if isinstance(frame, FrameSummary):
392 result.append(frame)
393 else:
394 filename, lineno, name, line = frame
395 result.append(FrameSummary(filename, lineno, name, line=line))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300396 return result
397
398 def format(self):
399 """Format the stack ready for printing.
400
401 Returns a list of strings ready for printing. Each string in the
402 resulting list corresponds to a single frame from the stack.
403 Each string ends in a newline; the strings may contain internal
404 newlines as well, for those items with source text lines.
Nick Coghland0034232016-08-15 13:11:34 +1000405
406 For long sequences of the same frame and line, the first few
407 repetitions are shown, followed by a summary line stating the exact
408 number of further repetitions.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300409 """
410 result = []
Nick Coghland0034232016-08-15 13:11:34 +1000411 last_file = None
412 last_line = None
413 last_name = None
414 count = 0
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300415 for frame in self:
Benjamin Petersond5458692018-09-10 08:43:10 -0700416 if (last_file is None or last_file != frame.filename or
417 last_line is None or last_line != frame.lineno or
418 last_name is None or last_name != frame.name):
419 if count > _RECURSIVE_CUTOFF:
420 count -= _RECURSIVE_CUTOFF
421 result.append(
422 f' [Previous line repeated {count} more '
423 f'time{"s" if count > 1 else ""}]\n'
424 )
Nick Coghland0034232016-08-15 13:11:34 +1000425 last_file = frame.filename
426 last_line = frame.lineno
427 last_name = frame.name
428 count = 0
Benjamin Petersond5458692018-09-10 08:43:10 -0700429 count += 1
430 if count > _RECURSIVE_CUTOFF:
Nick Coghland0034232016-08-15 13:11:34 +1000431 continue
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300432 row = []
433 row.append(' File "{}", line {}, in {}\n'.format(
434 frame.filename, frame.lineno, frame.name))
435 if frame.line:
436 row.append(' {}\n'.format(frame.line.strip()))
437 if frame.locals:
438 for name, value in sorted(frame.locals.items()):
439 row.append(' {name} = {value}\n'.format(name=name, value=value))
440 result.append(''.join(row))
Benjamin Petersond5458692018-09-10 08:43:10 -0700441 if count > _RECURSIVE_CUTOFF:
442 count -= _RECURSIVE_CUTOFF
443 result.append(
444 f' [Previous line repeated {count} more '
445 f'time{"s" if count > 1 else ""}]\n'
446 )
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300447 return result
448
449
450class TracebackException:
451 """An exception ready for rendering.
452
453 The traceback module captures enough attributes from the original exception
454 to this intermediary form to ensure that no references are held, while
455 still being able to fully print or format it.
456
457 Use `from_exception` to create TracebackException instances from exception
458 objects, or the constructor to create TracebackException instances from
459 individual components.
460
461 - :attr:`__cause__` A TracebackException of the original *__cause__*.
462 - :attr:`__context__` A TracebackException of the original *__context__*.
463 - :attr:`__suppress_context__` The *__suppress_context__* value from the
464 original exception.
465 - :attr:`stack` A `StackSummary` representing the traceback.
466 - :attr:`exc_type` The class of the original traceback.
467 - :attr:`filename` For syntax errors - the filename where the error
Martin Panter46f50722016-05-26 05:35:26 +0000468 occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300469 - :attr:`lineno` For syntax errors - the linenumber where the error
Martin Panter46f50722016-05-26 05:35:26 +0000470 occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300471 - :attr:`text` For syntax errors - the text where the error
Martin Panter46f50722016-05-26 05:35:26 +0000472 occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300473 - :attr:`offset` For syntax errors - the offset into the text where the
Martin Panter46f50722016-05-26 05:35:26 +0000474 error occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300475 - :attr:`msg` For syntax errors - the compiler error message.
476 """
477
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300478 def __init__(self, exc_type, exc_value, exc_traceback, *, limit=None,
Irit Katriel4c94d742021-01-15 02:45:02 +0000479 lookup_lines=True, capture_locals=False, compact=False,
480 _seen=None):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300481 # NB: we need to accept exc_traceback, exc_value, exc_traceback to
482 # permit backwards compat with the existing API, otherwise we
483 # need stub thunk objects just to glue it together.
484 # Handle loops in __cause__ or __context__.
Irit Katriel6dfd1732021-01-12 22:14:27 +0000485 is_recursive_call = _seen is not None
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300486 if _seen is None:
487 _seen = set()
Zane Bitterde860732017-10-17 17:29:39 -0400488 _seen.add(id(exc_value))
Irit Katriel4c94d742021-01-15 02:45:02 +0000489
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300490 # TODO: locals.
491 self.stack = StackSummary.extract(
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300492 walk_tb(exc_traceback), limit=limit, lookup_lines=lookup_lines,
493 capture_locals=capture_locals)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300494 self.exc_type = exc_type
495 # Capture now to permit freeing resources: only complication is in the
496 # unofficial API _format_final_exc_line
497 self._str = _some_str(exc_value)
498 if exc_type and issubclass(exc_type, SyntaxError):
499 # Handle SyntaxError's specially
500 self.filename = exc_value.filename
Irit Katriel069560b2020-12-22 19:53:09 +0000501 lno = exc_value.lineno
502 self.lineno = str(lno) if lno is not None else None
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300503 self.text = exc_value.text
504 self.offset = exc_value.offset
505 self.msg = exc_value.msg
506 if lookup_lines:
507 self._load_lines()
Irit Katriel6dfd1732021-01-12 22:14:27 +0000508 self.__suppress_context__ = \
Irit Katriel4c94d742021-01-15 02:45:02 +0000509 exc_value.__suppress_context__ if exc_value is not None else False
Irit Katriel6dfd1732021-01-12 22:14:27 +0000510
511 # Convert __cause__ and __context__ to `TracebackExceptions`s, use a
512 # queue to avoid recursion (only the top-level call gets _seen == None)
513 if not is_recursive_call:
514 queue = [(self, exc_value)]
515 while queue:
516 te, e = queue.pop()
517 if (e and e.__cause__ is not None
518 and id(e.__cause__) not in _seen):
519 cause = TracebackException(
520 type(e.__cause__),
521 e.__cause__,
522 e.__cause__.__traceback__,
523 limit=limit,
524 lookup_lines=lookup_lines,
525 capture_locals=capture_locals,
526 _seen=_seen)
527 else:
528 cause = None
Irit Katriel4c94d742021-01-15 02:45:02 +0000529
530 if compact:
531 need_context = cause is None and not e.__suppress_context__
532 else:
533 need_context = True
Irit Katriel6dfd1732021-01-12 22:14:27 +0000534 if (e and e.__context__ is not None
Irit Katriel4c94d742021-01-15 02:45:02 +0000535 and need_context and id(e.__context__) not in _seen):
Irit Katriel6dfd1732021-01-12 22:14:27 +0000536 context = TracebackException(
537 type(e.__context__),
538 e.__context__,
539 e.__context__.__traceback__,
540 limit=limit,
541 lookup_lines=lookup_lines,
542 capture_locals=capture_locals,
543 _seen=_seen)
544 else:
545 context = None
546 te.__cause__ = cause
547 te.__context__ = context
548 if cause:
549 queue.append((te.__cause__, e.__cause__))
550 if context:
551 queue.append((te.__context__, e.__context__))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300552
553 @classmethod
Robert Collinsaece8242015-07-26 06:50:51 +1200554 def from_exception(cls, exc, *args, **kwargs):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300555 """Create a TracebackException from an exception."""
Robert Collinsaece8242015-07-26 06:50:51 +1200556 return cls(type(exc), exc, exc.__traceback__, *args, **kwargs)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300557
558 def _load_lines(self):
559 """Private API. force all lines in the stack to be loaded."""
560 for frame in self.stack:
561 frame.line
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300562
563 def __eq__(self, other):
Serhiy Storchaka662db122019-08-08 08:42:54 +0300564 if isinstance(other, TracebackException):
565 return self.__dict__ == other.__dict__
566 return NotImplemented
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300567
568 def __str__(self):
569 return self._str
570
571 def format_exception_only(self):
572 """Format the exception part of the traceback.
573
574 The return value is a generator of strings, each ending in a newline.
575
576 Normally, the generator emits a single string; however, for
Galdendf8913f2020-04-20 10:17:37 +0800577 SyntaxError exceptions, it emits several lines that (when
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300578 printed) display detailed information about where the syntax
579 error occurred.
580
581 The message indicating which exception occurred is always the last
582 string in the output.
583 """
584 if self.exc_type is None:
585 yield _format_final_exc_line(None, self._str)
586 return
587
588 stype = self.exc_type.__qualname__
589 smod = self.exc_type.__module__
590 if smod not in ("__main__", "builtins"):
591 stype = smod + '.' + stype
592
593 if not issubclass(self.exc_type, SyntaxError):
594 yield _format_final_exc_line(stype, self._str)
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700595 else:
596 yield from self._format_syntax_error(stype)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300597
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700598 def _format_syntax_error(self, stype):
599 """Format SyntaxError exceptions (internal helper)."""
600 # Show exactly where the problem was found.
Irit Katriel069560b2020-12-22 19:53:09 +0000601 filename_suffix = ''
602 if self.lineno is not None:
603 yield ' File "{}", line {}\n'.format(
604 self.filename or "<string>", self.lineno)
605 elif self.filename is not None:
606 filename_suffix = ' ({})'.format(self.filename)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300607
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700608 text = self.text
609 if text is not None:
610 # text = " foo\n"
611 # rtext = " foo"
612 # ltext = "foo"
613 rtext = text.rstrip('\n')
614 ltext = rtext.lstrip(' \n\f')
615 spaces = len(rtext) - len(ltext)
616 yield ' {}\n'.format(ltext)
617 # Convert 1-based column offset to 0-based index into stripped text
618 caret = (self.offset or 0) - 1 - spaces
619 if caret >= 0:
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300620 # non-space whitespace (likes tabs) must be kept for alignment
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700621 caretspace = ((c if c.isspace() else ' ') for c in ltext[:caret])
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300622 yield ' {}^\n'.format(''.join(caretspace))
623 msg = self.msg or "<no detail available>"
Irit Katriel069560b2020-12-22 19:53:09 +0000624 yield "{}: {}{}\n".format(stype, msg, filename_suffix)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300625
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300626 def format(self, *, chain=True):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300627 """Format the exception.
628
629 If chain is not *True*, *__cause__* and *__context__* will not be formatted.
630
631 The return value is a generator of strings, each ending in a newline and
632 some containing internal newlines. `print_exception` is a wrapper around
633 this method which just prints the lines to a file.
634
635 The message indicating which exception occurred is always the last
636 string in the output.
637 """
Irit Katriel6dfd1732021-01-12 22:14:27 +0000638
639 output = []
640 exc = self
641 while exc:
642 if chain:
643 if exc.__cause__ is not None:
644 chained_msg = _cause_message
645 chained_exc = exc.__cause__
646 elif (exc.__context__ is not None and
647 not exc.__suppress_context__):
648 chained_msg = _context_message
649 chained_exc = exc.__context__
650 else:
651 chained_msg = None
652 chained_exc = None
653
654 output.append((chained_msg, exc))
655 exc = chained_exc
656 else:
657 output.append((None, exc))
658 exc = None
659
660 for msg, exc in reversed(output):
661 if msg is not None:
662 yield msg
663 if exc.stack:
664 yield 'Traceback (most recent call last):\n'
665 yield from exc.stack.format()
666 yield from exc.format_exception_only()