What is the difference between a stack and a frame?
Asked Answered
E

2

54

Under what situations would I want to use one over the other?

What is the difference between:

>>> import inspect
>>> print(inspect.getouterframes(inspect.currentframe()))
[(<frame object at 0x8fc262c>, '<stdin>', 1, '<module>', None, None)]

And:

>>> import traceback
>>> traceback.extract_stack()
[('<stdin>', 1, '<module>', None)]

Update:

Another:

>>> import sys
>>> print(sys._getframe().f_trace,sys._getframe().f_code)
(None, <code object <module> at 0x8682a88, file "<stdin>", line 1>)

I do not understand the nuances here:

  • Stack Frame
  • Frame Object
  • Stack Trace

update 2, a bit of time since the question was asked, but very relevant

Espalier answered 24/5, 2014 at 18:32 Comment(6)
@BrenBarn That is apparently not the only difference, as getouterframes includes strictly more data.Biron
@delnan: Oops, I misread and thought the question was about inspect.stack. However, the answer is still in the documentation for those modules.Lolland
Note that while the difference seems trivial, the fact that traceback.extract_stack() doesn't include references to stack frames is pretty important. Every reference you keep to a frame object is a memory leak (since nothing referenced by that frame is now eligible for gc) so doing that in a long-running program is a big no-no.Meninges
@Meninges No, it's not necessarily a memory leak. If you don't leave a reference to the frame object in a local variable, you don't even have a reference cycle. If you do have a reference cycle, you can break it explicitly. Even if you leave the reference cycle alone, it's only a memory leak if anything with a __del__ method is reachable from that cycle and you don't run Python 3.4 or later (see PEP 442). These complicated conditions make it tricky to use correctly, but not impossible, not even in a server running weeks at a time.Biron
@delnan I wasn't implying that gc couldn't detect circular references. I was saying that if you held on to those frame object references (in like, a top-level global error handler or something), bad stuff happens.Meninges
@Meninges Well that's just a scary way of saying "a lot of stuff is reachable from frames". That's not fundamentally different from any other reference.Biron
M
62

Alright, since this appears to be more about what stack frames/call stacks are in general, let's go through this:

def f():
    try:
        g()
    except:
        # WE WILL DO THINGS HERE

def g():
    h()

def h():
    raise Exception('stuff')

#CALL
f()

When we're in h(), there are 4 frames on the call stack.

[top level]
 [f()]
  [g()]
   [h()] #<-- we're here

(if we tried to put more than sys.getrecursionlimit() frames on the stack, we would get a RuntimeError, which is python's version of StackOverflow ;-))

"Outer" refers to everything above us (literally: the direction "up") in the call stack. So in order, g, then f, then the top (module) level. Likewise, "inner" refers to everything downwards in the call stack. If we catch an exception in f(), that traceback object will have references to all of the inner stack frames that were unwound to get us to that point.

def f():
    try:
        g()
    except:
        import inspect
        import sys
        #the third(last) item in sys.exc_info() is the current traceback object
        return inspect.getinnerframes(sys.exc_info()[-1])

This gives:

[(<frame object at 0xaad758>, 'test.py', 3, 'f', ['        g()\n'], 0), 
(<frame object at 0x7f5edeb23648>, 'test.py', 10, 'g', ['    h()\n'], 0), 
(<frame object at 0x7f5edeabdc50>, 'test.py', 13, 'h', ["    raise Exception('stuff')\n"], 0)]

As expected, the three inner frames f, g, and h. Now, we can take that last frame object (the one from h()) and ask for its outer frames:

[(<frame object at 0x7f6e996e6a48>, 'test.py', 13, 'h', ["    raise Exception('stuff')\n"], 0), 
(<frame object at 0x1bf58b8>, 'test.py', 10, 'g', ['    h()\n'], 0), 
(<frame object at 0x7f6e99620240>, 'test.py', 7, 'f', ['        return inspect.getinnerframes(sys.exc_info()[-1])\n'], 0), 
(<frame object at 0x7f6e99725438>, 'test.py', 23, '<module>', ['print(inspect.getouterframes(f()[-1][0]))\n'], 0)]

So, there you go, that's all that's going on: we're simply navigating the call stack. For comparison, here's what traceback.extract_stack(f()[-1][0]) gives:

[('test.py', 23, '<module>', 'print(traceback.extract_stack(f()[-1][0]))'), 
('test.py', 7, 'f', 'return inspect.getinnerframes(sys.exc_info()[-1])'), 
('test.py', 10, 'g', 'h()'), 
('test.py', 13, 'h', "raise Exception('stuff')")]

Notice the inverted order here compared to getouterframes, and the reduced output. In fact, if you squint your eyes, this basically looks like a regular traceback (and hey, it is, with just a little bit more formatting).

Summing up: both inspect.getouterframes and traceback.extract_stack contain all the information to reproduce what you generally see in your everyday traceback; extract_stack just removes the references to the stack frames, since it is very common to no longer need them once you get to the point of formatting your stack trace from-a-given-frame-outwards.

Meninges answered 24/5, 2014 at 19:55 Comment(0)
L
12

The documentation for the inspect module says:

When the following functions return “frame records,” each record is a tuple of six items: the frame object, the filename, the line number of the current line, the function name, a list of lines of context from the source code, and the index of the current line within that list.

The documentation for the traceback module says:

A "pre-processed" stack trace entry is a 4-tuple (filename, line number, function name, text)

Hence the difference is that the frame record also includes the frame object and some lines of context, while the traceback only includes the text of the individual lines in the call stack (i.e., the calls that led to the extract_stack call).

You would use the stack from traceback if you just want to print a traceback. As the documentation suggests, this is information processed for showing to the user. You would need access to the frame object from inspect if you wanted to actually do anything with the call stack (e.g., read variables from calling frames).

Lolland answered 24/5, 2014 at 18:56 Comment(0)

© 2022 - 2024 — McMap. All rights reserved.