29

有人能告诉我内置函数 exit() 和 quit() 有什么区别吗?

如果我在任何时候错了,请纠正我。我试图检查它,但我没有得到任何东西。

1)当我对每一个使用 help() 和 type() 函数时,它说它们都是 Quitter 类的对象,它是在模块中定义的site

2)当我使用 id() 检查每个地址时,它返回不同的地址,即它们是同一类的两个不同对象site.Quitter

>>> id(exit)
13448048
>>> id(quit)
13447984

3) 由于地址在随后的调用中保持不变,即它不是每次都使用返回包装器。

>>> id(exit)
13448048
>>> id(quit)
13447984

任何人都可以向我提供有关这两者之间差异的详细信息,如果两者都在做同样的事情,为什么我们需要两个不同的功能。

4

1 回答 1

28

简短的回答是exit()quit()都是同一个Quitter类的实例,区别仅在于命名,必须添加以增加解释器的用户友好性。

有关更多详细信息,请查看源代码:http: //hg.python.org/cpython

Lib/site.py (python-2.7)我们看到以下内容:

def setquit():
    """Define new builtins 'quit' and 'exit'.

    These are objects which make the interpreter exit when called.
    The repr of each object contains a hint at how it works.

    """
    if os.sep == ':':
        eof = 'Cmd-Q'
    elif os.sep == '\\':
        eof = 'Ctrl-Z plus Return'
    else:
        eof = 'Ctrl-D (i.e. EOF)'

    class Quitter(object):
        def __init__(self, name):
            self.name = name
        def __repr__(self):
            return 'Use %s() or %s to exit' % (self.name, eof)
        def __call__(self, code=None):
            # Shells like IDLE catch the SystemExit, but listen when their
            # stdin wrapper is closed.
            try:
                sys.stdin.close()
            except:
                pass
            raise SystemExit(code)
    __builtin__.quit = Quitter('quit')
    __builtin__.exit = Quitter('exit')

我们在 python-3.x 中看到的相同逻辑。

于 2013-10-21T21:07:28.663 回答