blob: 901b99476aaf8536fcc9631ed7b7512727775df2 [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
Miss Islington (bot)eb0a6802021-06-17 09:41:46 -070087class _Sentinel:
88 def __repr__(self):
89 return "<implicit>"
Zackery Spytz91e93792020-11-05 15:18:44 -070090
Miss Islington (bot)eb0a6802021-06-17 09:41:46 -070091_sentinel = _Sentinel()
Zackery Spytz91e93792020-11-05 15:18:44 -070092
93def _parse_value_tb(exc, value, tb):
94 if (value is _sentinel) != (tb is _sentinel):
95 raise ValueError("Both or neither of value and tb must be given")
96 if value is tb is _sentinel:
Irit Katrielb798ab02021-02-23 17:43:04 +000097 if exc is not None:
98 return exc, exc.__traceback__
99 else:
100 return None, None
Zackery Spytz91e93792020-11-05 15:18:44 -0700101 return value, tb
102
103
104def print_exception(exc, /, value=_sentinel, tb=_sentinel, limit=None, \
105 file=None, chain=True):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000106 """Print exception up to 'limit' stack trace entries from 'tb' to 'file'.
107
108 This differs from print_tb() in the following ways: (1) if
109 traceback is not None, it prints a header "Traceback (most recent
110 call last):"; (2) it prints the exception type and value after the
111 stack trace; (3) if type is SyntaxError and value has the
112 appropriate format, it prints the line where the syntax error
Tim Petersb90f89a2001-01-15 03:26:36 +0000113 occurred with a caret on the next line indicating the approximate
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000114 position of the error.
115 """
Zackery Spytz91e93792020-11-05 15:18:44 -0700116 value, tb = _parse_value_tb(exc, value, tb)
Raymond Hettinger10ff7062002-06-02 03:04:52 +0000117 if file is None:
Tim Petersb90f89a2001-01-15 03:26:36 +0000118 file = sys.stderr
Irit Katriel4c94d742021-01-15 02:45:02 +0000119 te = TracebackException(type(value), value, tb, limit=limit, compact=True)
120 for line in te.format(chain=chain):
Benjamin Petersond9fec152013-04-29 16:09:39 -0400121 print(line, file=file, end="")
Guido van Rossum28e99fe1995-08-04 04:30:30 +0000122
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300123
Zackery Spytz91e93792020-11-05 15:18:44 -0700124def format_exception(exc, /, value=_sentinel, tb=_sentinel, limit=None, \
125 chain=True):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000126 """Format a stack trace and the exception information.
127
128 The arguments have the same meaning as the corresponding arguments
129 to print_exception(). The return value is a list of strings, each
Tim Petersb90f89a2001-01-15 03:26:36 +0000130 ending in a newline and some containing internal newlines. When
131 these lines are concatenated and printed, exactly the same text is
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000132 printed as does print_exception().
133 """
Zackery Spytz91e93792020-11-05 15:18:44 -0700134 value, tb = _parse_value_tb(exc, value, tb)
Irit Katriel4c94d742021-01-15 02:45:02 +0000135 te = TracebackException(type(value), value, tb, limit=limit, compact=True)
136 return list(te.format(chain=chain))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300137
Guido van Rossum28e99fe1995-08-04 04:30:30 +0000138
Zackery Spytz91e93792020-11-05 15:18:44 -0700139def format_exception_only(exc, /, value=_sentinel):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000140 """Format the exception part of a traceback.
141
Zackery Spytz91e93792020-11-05 15:18:44 -0700142 The return value is a list of strings, each ending in a newline.
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000143
144 Normally, the list contains a single string; however, for
145 SyntaxError exceptions, it contains several lines that (when
146 printed) display detailed information about where the syntax
147 error occurred.
148
149 The message indicating which exception occurred is always the last
150 string in the list.
151
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000152 """
Zackery Spytz91e93792020-11-05 15:18:44 -0700153 if value is _sentinel:
154 value = exc
Irit Katriel4c94d742021-01-15 02:45:02 +0000155 te = TracebackException(type(value), value, None, compact=True)
156 return list(te.format_exception_only())
Benjamin Petersond9fec152013-04-29 16:09:39 -0400157
Thomas Wouters89f507f2006-12-13 04:49:30 +0000158
Martin Panter46f50722016-05-26 05:35:26 +0000159# -- not official API but folk probably use these two functions.
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000160
161def _format_final_exc_line(etype, value):
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000162 valuestr = _some_str(value)
Martin Panterbb8b1cb2016-09-22 09:37:39 +0000163 if value is None or not valuestr:
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000164 line = "%s\n" % etype
Tim Petersb90f89a2001-01-15 03:26:36 +0000165 else:
Thomas Wouters0e3f5912006-08-11 14:57:12 +0000166 line = "%s: %s\n" % (etype, valuestr)
167 return line
Guido van Rossum28e99fe1995-08-04 04:30:30 +0000168
Guido van Rossum2823f032000-08-22 02:04:46 +0000169def _some_str(value):
Tim Petersb90f89a2001-01-15 03:26:36 +0000170 try:
171 return str(value)
172 except:
173 return '<unprintable %s object>' % type(value).__name__
Guido van Rossum2823f032000-08-22 02:04:46 +0000174
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300175# --
176
Benjamin Petersone6528212008-07-15 15:32:09 +0000177def print_exc(limit=None, file=None, chain=True):
Neal Norwitzac3625f2006-03-17 05:49:33 +0000178 """Shorthand for 'print_exception(*sys.exc_info(), limit, file)'."""
Benjamin Petersond9fec152013-04-29 16:09:39 -0400179 print_exception(*sys.exc_info(), limit=limit, file=file, chain=chain)
Neil Schemenauerf607fc52003-11-05 23:03:00 +0000180
Benjamin Petersone6528212008-07-15 15:32:09 +0000181def format_exc(limit=None, chain=True):
Neil Schemenauerf607fc52003-11-05 23:03:00 +0000182 """Like print_exc() but return a string."""
Benjamin Petersond9fec152013-04-29 16:09:39 -0400183 return "".join(format_exception(*sys.exc_info(), limit=limit, chain=chain))
Neil Schemenauerf607fc52003-11-05 23:03:00 +0000184
Benjamin Petersone6528212008-07-15 15:32:09 +0000185def print_last(limit=None, file=None, chain=True):
Tim Petersb90f89a2001-01-15 03:26:36 +0000186 """This is a shorthand for 'print_exception(sys.last_type,
187 sys.last_value, sys.last_traceback, limit, file)'."""
Benjamin Petersone549ead2009-03-28 21:42:05 +0000188 if not hasattr(sys, "last_type"):
189 raise ValueError("no last exception")
Tim Petersb90f89a2001-01-15 03:26:36 +0000190 print_exception(sys.last_type, sys.last_value, sys.last_traceback,
Benjamin Petersone6528212008-07-15 15:32:09 +0000191 limit, file, chain)
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000192
Benjamin Petersond9fec152013-04-29 16:09:39 -0400193#
194# Printing and Extracting Stacks.
195#
196
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000197def print_stack(f=None, limit=None, file=None):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000198 """Print a stack trace from its invocation point.
Tim Petersa19a1682001-03-29 04:36:09 +0000199
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000200 The optional 'f' argument can be used to specify an alternate
201 stack frame at which to start. The optional 'limit' and 'file'
202 arguments have the same meaning as for print_exception().
203 """
Serhiy Storchakae953ba72015-09-18 10:04:47 +0300204 if f is None:
205 f = sys._getframe().f_back
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300206 print_list(extract_stack(f, limit=limit), file=file)
207
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000208
209def format_stack(f=None, limit=None):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000210 """Shorthand for 'format_list(extract_stack(f, limit))'."""
Serhiy Storchakae953ba72015-09-18 10:04:47 +0300211 if f is None:
212 f = sys._getframe().f_back
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300213 return format_list(extract_stack(f, limit=limit))
214
Guido van Rossumdcc057a1996-08-12 23:18:13 +0000215
Georg Brandl2ad07c32009-09-16 14:24:29 +0000216def extract_stack(f=None, limit=None):
Jeremy Hylton69e9e8b2001-03-21 19:09:31 +0000217 """Extract the raw traceback from the current stack frame.
218
219 The return value has the same format as for extract_tb(). The
220 optional 'f' and 'limit' arguments have the same meaning as for
221 print_stack(). Each item in the list is a quadruple (filename,
222 line number, function name, text), and the entries are in order
223 from oldest to newest stack frame.
224 """
Serhiy Storchakae953ba72015-09-18 10:04:47 +0300225 if f is None:
226 f = sys._getframe().f_back
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300227 stack = StackSummary.extract(walk_stack(f), limit=limit)
Benjamin Petersond9fec152013-04-29 16:09:39 -0400228 stack.reverse()
229 return stack
Andrew Kuchling173a1572013-09-15 18:15:56 -0400230
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300231
Andrew Kuchling173a1572013-09-15 18:15:56 -0400232def clear_frames(tb):
233 "Clear all references to local variables in the frames of a traceback."
234 while tb is not None:
235 try:
236 tb.tb_frame.clear()
237 except RuntimeError:
238 # Ignore the exception raised if the frame is still executing.
239 pass
240 tb = tb.tb_next
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300241
242
243class FrameSummary:
244 """A single frame from a traceback.
245
246 - :attr:`filename` The filename for the frame.
247 - :attr:`lineno` The line within filename for the frame that was
248 active when the frame was captured.
249 - :attr:`name` The name of the function or method that was executing
250 when the frame was captured.
251 - :attr:`line` The text from the linecache module for the
252 of code that was running when the frame was captured.
253 - :attr:`locals` Either None if locals were not supplied, or a dict
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300254 mapping the name to the repr() of the variable.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300255 """
256
257 __slots__ = ('filename', 'lineno', 'name', '_line', 'locals')
258
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300259 def __init__(self, filename, lineno, name, *, lookup_line=True,
260 locals=None, line=None):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300261 """Construct a FrameSummary.
262
263 :param lookup_line: If True, `linecache` is consulted for the source
264 code line. Otherwise, the line will be looked up when first needed.
265 :param locals: If supplied the frame locals, which will be captured as
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300266 object representations.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300267 :param line: If provided, use this instead of looking up the line in
268 the linecache.
269 """
270 self.filename = filename
271 self.lineno = lineno
272 self.name = name
273 self._line = line
274 if lookup_line:
275 self.line
Jon Dufresne39726282017-05-18 07:35:54 -0700276 self.locals = {k: repr(v) for k, v in locals.items()} if locals else None
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300277
278 def __eq__(self, other):
Serhiy Storchaka3066fc42015-09-29 22:33:36 +0300279 if isinstance(other, FrameSummary):
280 return (self.filename == other.filename and
281 self.lineno == other.lineno and
282 self.name == other.name and
283 self.locals == other.locals)
284 if isinstance(other, tuple):
285 return (self.filename, self.lineno, self.name, self.line) == other
286 return NotImplemented
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300287
288 def __getitem__(self, pos):
289 return (self.filename, self.lineno, self.name, self.line)[pos]
290
291 def __iter__(self):
292 return iter([self.filename, self.lineno, self.name, self.line])
293
294 def __repr__(self):
295 return "<FrameSummary file {filename}, line {lineno} in {name}>".format(
296 filename=self.filename, lineno=self.lineno, name=self.name)
297
Berker Peksag9797b7a2018-09-10 20:02:33 +0300298 def __len__(self):
299 return 4
300
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300301 @property
302 def line(self):
303 if self._line is None:
Pablo Galindo61eb9b52021-07-08 17:47:12 +0100304 if self.lineno is None:
305 return None
306 self._line = linecache.getline(self.filename, self.lineno)
307 return self._line.strip()
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300308
309def walk_stack(f):
310 """Walk a stack yielding the frame and line number for each frame.
311
312 This will follow f.f_back from the given frame. If no frame is given, the
313 current stack is used. Usually used with StackSummary.extract.
314 """
315 if f is None:
316 f = sys._getframe().f_back.f_back
317 while f is not None:
318 yield f, f.f_lineno
319 f = f.f_back
320
321
322def walk_tb(tb):
323 """Walk a traceback yielding the frame and line number for each frame.
324
325 This will follow tb.tb_next (and thus is in the opposite order to
326 walk_stack). Usually used with StackSummary.extract.
327 """
328 while tb is not None:
329 yield tb.tb_frame, tb.tb_lineno
330 tb = tb.tb_next
331
332
Benjamin Petersond5458692018-09-10 08:43:10 -0700333_RECURSIVE_CUTOFF = 3 # Also hardcoded in traceback.c.
334
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300335class StackSummary(list):
336 """A stack of frames."""
337
338 @classmethod
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300339 def extract(klass, frame_gen, *, limit=None, lookup_lines=True,
340 capture_locals=False):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300341 """Create a StackSummary from a traceback or stack object.
342
343 :param frame_gen: A generator that yields (frame, lineno) tuples to
344 include in the stack.
345 :param limit: None to include all frames or the number of frames to
346 include.
347 :param lookup_lines: If True, lookup lines for each frame immediately,
348 otherwise lookup is deferred until the frame is rendered.
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300349 :param capture_locals: If True, the local variables from each frame will
350 be captured as object representations into the FrameSummary.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300351 """
352 if limit is None:
353 limit = getattr(sys, 'tracebacklimit', None)
Serhiy Storchaka24559e42015-05-03 13:19:46 +0300354 if limit is not None and limit < 0:
355 limit = 0
356 if limit is not None:
357 if limit >= 0:
358 frame_gen = itertools.islice(frame_gen, limit)
359 else:
360 frame_gen = collections.deque(frame_gen, maxlen=-limit)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300361
362 result = klass()
363 fnames = set()
Serhiy Storchaka24559e42015-05-03 13:19:46 +0300364 for f, lineno in frame_gen:
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300365 co = f.f_code
366 filename = co.co_filename
367 name = co.co_name
368
369 fnames.add(filename)
370 linecache.lazycache(filename, f.f_globals)
371 # Must defer line lookups until we have called checkcache.
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300372 if capture_locals:
373 f_locals = f.f_locals
374 else:
375 f_locals = None
376 result.append(FrameSummary(
377 filename, lineno, name, lookup_line=False, locals=f_locals))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300378 for filename in fnames:
379 linecache.checkcache(filename)
380 # If immediate lookup was desired, trigger lookups now.
381 if lookup_lines:
382 for f in result:
383 f.line
384 return result
385
386 @classmethod
387 def from_list(klass, a_list):
torsavaf394ee52018-08-02 17:08:59 +0100388 """
389 Create a StackSummary object from a supplied list of
390 FrameSummary objects or old-style list of tuples.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300391 """
Robert Collinsbbb8ade2015-03-16 15:27:16 +1300392 # While doing a fast-path check for isinstance(a_list, StackSummary) is
393 # appealing, idlelib.run.cleanup_traceback and other similar code may
394 # break this by making arbitrary frames plain tuples, so we need to
395 # check on a frame by frame basis.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300396 result = StackSummary()
Robert Collinsbbb8ade2015-03-16 15:27:16 +1300397 for frame in a_list:
398 if isinstance(frame, FrameSummary):
399 result.append(frame)
400 else:
401 filename, lineno, name, line = frame
402 result.append(FrameSummary(filename, lineno, name, line=line))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300403 return result
404
405 def format(self):
406 """Format the stack ready for printing.
407
408 Returns a list of strings ready for printing. Each string in the
409 resulting list corresponds to a single frame from the stack.
410 Each string ends in a newline; the strings may contain internal
411 newlines as well, for those items with source text lines.
Nick Coghland0034232016-08-15 13:11:34 +1000412
413 For long sequences of the same frame and line, the first few
414 repetitions are shown, followed by a summary line stating the exact
415 number of further repetitions.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300416 """
417 result = []
Nick Coghland0034232016-08-15 13:11:34 +1000418 last_file = None
419 last_line = None
420 last_name = None
421 count = 0
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300422 for frame in self:
Benjamin Petersond5458692018-09-10 08:43:10 -0700423 if (last_file is None or last_file != frame.filename or
424 last_line is None or last_line != frame.lineno or
425 last_name is None or last_name != frame.name):
426 if count > _RECURSIVE_CUTOFF:
427 count -= _RECURSIVE_CUTOFF
428 result.append(
429 f' [Previous line repeated {count} more '
430 f'time{"s" if count > 1 else ""}]\n'
431 )
Nick Coghland0034232016-08-15 13:11:34 +1000432 last_file = frame.filename
433 last_line = frame.lineno
434 last_name = frame.name
435 count = 0
Benjamin Petersond5458692018-09-10 08:43:10 -0700436 count += 1
437 if count > _RECURSIVE_CUTOFF:
Nick Coghland0034232016-08-15 13:11:34 +1000438 continue
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300439 row = []
440 row.append(' File "{}", line {}, in {}\n'.format(
441 frame.filename, frame.lineno, frame.name))
442 if frame.line:
443 row.append(' {}\n'.format(frame.line.strip()))
444 if frame.locals:
445 for name, value in sorted(frame.locals.items()):
446 row.append(' {name} = {value}\n'.format(name=name, value=value))
447 result.append(''.join(row))
Benjamin Petersond5458692018-09-10 08:43:10 -0700448 if count > _RECURSIVE_CUTOFF:
449 count -= _RECURSIVE_CUTOFF
450 result.append(
451 f' [Previous line repeated {count} more '
452 f'time{"s" if count > 1 else ""}]\n'
453 )
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300454 return result
455
456
457class TracebackException:
458 """An exception ready for rendering.
459
460 The traceback module captures enough attributes from the original exception
461 to this intermediary form to ensure that no references are held, while
462 still being able to fully print or format it.
463
464 Use `from_exception` to create TracebackException instances from exception
465 objects, or the constructor to create TracebackException instances from
466 individual components.
467
468 - :attr:`__cause__` A TracebackException of the original *__cause__*.
469 - :attr:`__context__` A TracebackException of the original *__context__*.
470 - :attr:`__suppress_context__` The *__suppress_context__* value from the
471 original exception.
472 - :attr:`stack` A `StackSummary` representing the traceback.
473 - :attr:`exc_type` The class of the original traceback.
474 - :attr:`filename` For syntax errors - the filename where the error
Martin Panter46f50722016-05-26 05:35:26 +0000475 occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300476 - :attr:`lineno` For syntax errors - the linenumber where the error
Martin Panter46f50722016-05-26 05:35:26 +0000477 occurred.
Miss Islington (bot)c7fdd682021-09-27 14:26:39 -0700478 - :attr:`end_lineno` For syntax errors - the end linenumber where the error
479 occurred. Can be `None` if not present.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300480 - :attr:`text` For syntax errors - the text where the error
Martin Panter46f50722016-05-26 05:35:26 +0000481 occurred.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300482 - :attr:`offset` For syntax errors - the offset into the text where the
Martin Panter46f50722016-05-26 05:35:26 +0000483 error occurred.
Miss Islington (bot)c7fdd682021-09-27 14:26:39 -0700484 - :attr:`end_offset` For syntax errors - the offset into the text where the
485 error occurred. Can be `None` if not present.
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300486 - :attr:`msg` For syntax errors - the compiler error message.
487 """
488
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300489 def __init__(self, exc_type, exc_value, exc_traceback, *, limit=None,
Irit Katriel4c94d742021-01-15 02:45:02 +0000490 lookup_lines=True, capture_locals=False, compact=False,
491 _seen=None):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300492 # NB: we need to accept exc_traceback, exc_value, exc_traceback to
493 # permit backwards compat with the existing API, otherwise we
494 # need stub thunk objects just to glue it together.
495 # Handle loops in __cause__ or __context__.
Irit Katriel6dfd1732021-01-12 22:14:27 +0000496 is_recursive_call = _seen is not None
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300497 if _seen is None:
498 _seen = set()
Zane Bitterde860732017-10-17 17:29:39 -0400499 _seen.add(id(exc_value))
Irit Katriel4c94d742021-01-15 02:45:02 +0000500
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300501 # TODO: locals.
502 self.stack = StackSummary.extract(
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300503 walk_tb(exc_traceback), limit=limit, lookup_lines=lookup_lines,
504 capture_locals=capture_locals)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300505 self.exc_type = exc_type
506 # Capture now to permit freeing resources: only complication is in the
507 # unofficial API _format_final_exc_line
508 self._str = _some_str(exc_value)
509 if exc_type and issubclass(exc_type, SyntaxError):
510 # Handle SyntaxError's specially
511 self.filename = exc_value.filename
Irit Katriel069560b2020-12-22 19:53:09 +0000512 lno = exc_value.lineno
513 self.lineno = str(lno) if lno is not None else None
Miss Islington (bot)c7fdd682021-09-27 14:26:39 -0700514 end_lno = exc_value.end_lineno
515 self.end_lineno = str(end_lno) if end_lno is not None else None
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300516 self.text = exc_value.text
517 self.offset = exc_value.offset
Miss Islington (bot)c7fdd682021-09-27 14:26:39 -0700518 self.end_offset = exc_value.end_offset
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300519 self.msg = exc_value.msg
520 if lookup_lines:
521 self._load_lines()
Irit Katriel6dfd1732021-01-12 22:14:27 +0000522 self.__suppress_context__ = \
Irit Katriel4c94d742021-01-15 02:45:02 +0000523 exc_value.__suppress_context__ if exc_value is not None else False
Irit Katriel6dfd1732021-01-12 22:14:27 +0000524
525 # Convert __cause__ and __context__ to `TracebackExceptions`s, use a
526 # queue to avoid recursion (only the top-level call gets _seen == None)
527 if not is_recursive_call:
528 queue = [(self, exc_value)]
529 while queue:
530 te, e = queue.pop()
531 if (e and e.__cause__ is not None
532 and id(e.__cause__) not in _seen):
533 cause = TracebackException(
534 type(e.__cause__),
535 e.__cause__,
536 e.__cause__.__traceback__,
537 limit=limit,
538 lookup_lines=lookup_lines,
539 capture_locals=capture_locals,
540 _seen=_seen)
541 else:
542 cause = None
Irit Katriel4c94d742021-01-15 02:45:02 +0000543
544 if compact:
Irit Katriel26f18b82021-02-23 14:58:47 +0000545 need_context = (cause is None and
546 e is not None and
547 not e.__suppress_context__)
Irit Katriel4c94d742021-01-15 02:45:02 +0000548 else:
549 need_context = True
Irit Katriel6dfd1732021-01-12 22:14:27 +0000550 if (e and e.__context__ is not None
Irit Katriel4c94d742021-01-15 02:45:02 +0000551 and need_context and id(e.__context__) not in _seen):
Irit Katriel6dfd1732021-01-12 22:14:27 +0000552 context = TracebackException(
553 type(e.__context__),
554 e.__context__,
555 e.__context__.__traceback__,
556 limit=limit,
557 lookup_lines=lookup_lines,
558 capture_locals=capture_locals,
559 _seen=_seen)
560 else:
561 context = None
562 te.__cause__ = cause
563 te.__context__ = context
564 if cause:
565 queue.append((te.__cause__, e.__cause__))
566 if context:
567 queue.append((te.__context__, e.__context__))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300568
569 @classmethod
Robert Collinsaece8242015-07-26 06:50:51 +1200570 def from_exception(cls, exc, *args, **kwargs):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300571 """Create a TracebackException from an exception."""
Robert Collinsaece8242015-07-26 06:50:51 +1200572 return cls(type(exc), exc, exc.__traceback__, *args, **kwargs)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300573
574 def _load_lines(self):
575 """Private API. force all lines in the stack to be loaded."""
576 for frame in self.stack:
577 frame.line
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300578
579 def __eq__(self, other):
Serhiy Storchaka662db122019-08-08 08:42:54 +0300580 if isinstance(other, TracebackException):
581 return self.__dict__ == other.__dict__
582 return NotImplemented
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300583
584 def __str__(self):
585 return self._str
586
587 def format_exception_only(self):
588 """Format the exception part of the traceback.
589
590 The return value is a generator of strings, each ending in a newline.
591
592 Normally, the generator emits a single string; however, for
Galdendf8913f2020-04-20 10:17:37 +0800593 SyntaxError exceptions, it emits several lines that (when
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300594 printed) display detailed information about where the syntax
595 error occurred.
596
597 The message indicating which exception occurred is always the last
598 string in the output.
599 """
600 if self.exc_type is None:
601 yield _format_final_exc_line(None, self._str)
602 return
603
604 stype = self.exc_type.__qualname__
605 smod = self.exc_type.__module__
606 if smod not in ("__main__", "builtins"):
607 stype = smod + '.' + stype
608
609 if not issubclass(self.exc_type, SyntaxError):
610 yield _format_final_exc_line(stype, self._str)
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700611 else:
612 yield from self._format_syntax_error(stype)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300613
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700614 def _format_syntax_error(self, stype):
615 """Format SyntaxError exceptions (internal helper)."""
616 # Show exactly where the problem was found.
Irit Katriel069560b2020-12-22 19:53:09 +0000617 filename_suffix = ''
618 if self.lineno is not None:
619 yield ' File "{}", line {}\n'.format(
620 self.filename or "<string>", self.lineno)
621 elif self.filename is not None:
622 filename_suffix = ' ({})'.format(self.filename)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300623
Guido van Rossum15bc9ab2020-05-14 19:22:48 -0700624 text = self.text
625 if text is not None:
626 # text = " foo\n"
627 # rtext = " foo"
628 # ltext = "foo"
629 rtext = text.rstrip('\n')
630 ltext = rtext.lstrip(' \n\f')
631 spaces = len(rtext) - len(ltext)
632 yield ' {}\n'.format(ltext)
Miss Islington (bot)c7fdd682021-09-27 14:26:39 -0700633
634 if self.offset is not None:
635 offset = self.offset
Miss Islington (bot)5df35fa2021-10-16 10:51:05 -0700636 end_offset = self.end_offset if self.end_offset not in {None, 0} else offset
Miss Islington (bot)c7fdd682021-09-27 14:26:39 -0700637 if offset == end_offset or end_offset == -1:
638 end_offset = offset + 1
639
640 # Convert 1-based column offset to 0-based index into stripped text
641 colno = offset - 1 - spaces
642 end_colno = end_offset - 1 - spaces
643 if colno >= 0:
644 # non-space whitespace (likes tabs) must be kept for alignment
645 caretspace = ((c if c.isspace() else ' ') for c in ltext[:colno])
646 yield ' {}{}'.format("".join(caretspace), ('^' * (end_colno - colno) + "\n"))
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300647 msg = self.msg or "<no detail available>"
Irit Katriel069560b2020-12-22 19:53:09 +0000648 yield "{}: {}{}\n".format(stype, msg, filename_suffix)
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300649
Robert Collinsd7c7e0e2015-03-05 20:28:52 +1300650 def format(self, *, chain=True):
Robert Collins6bc2c1e2015-03-05 12:07:57 +1300651 """Format the exception.
652
653 If chain is not *True*, *__cause__* and *__context__* will not be formatted.
654
655 The return value is a generator of strings, each ending in a newline and
656 some containing internal newlines. `print_exception` is a wrapper around
657 this method which just prints the lines to a file.
658
659 The message indicating which exception occurred is always the last
660 string in the output.
661 """
Irit Katriel6dfd1732021-01-12 22:14:27 +0000662
663 output = []
664 exc = self
665 while exc:
666 if chain:
667 if exc.__cause__ is not None:
668 chained_msg = _cause_message
669 chained_exc = exc.__cause__
670 elif (exc.__context__ is not None and
671 not exc.__suppress_context__):
672 chained_msg = _context_message
673 chained_exc = exc.__context__
674 else:
675 chained_msg = None
676 chained_exc = None
677
678 output.append((chained_msg, exc))
679 exc = chained_exc
680 else:
681 output.append((None, exc))
682 exc = None
683
684 for msg, exc in reversed(output):
685 if msg is not None:
686 yield msg
687 if exc.stack:
688 yield 'Traceback (most recent call last):\n'
689 yield from exc.stack.format()
690 yield from exc.format_exception_only()