4

我发现在 exec 和 eval 中使用字典理解与其他方法之间存在以下差异。总之,不同之处在于,当使用推导式时,变量取自 globals 参数,但不使用推导式的等效代码从 locals 参数中获取变量。

这是在 Python Software Foundation Windows 安装程序的 Python 2.7.3 中找到的。

执行以下代码时:

locals1 = {"d":{1: 'x', 2: 'y', 3: 'z'}, "test":3}
globals1 = dict(globals().items() + [("d", {1: 'a', 2: 'b', 3: 'c'}), ("test", 2)])
exec "new = {key:d[key] for key in d if key != test}" in globals1, locals1
print locals1

输出是:

{'test': 3, 'new': {1: 'a', 3: 'c'}, 'd': {1: 'x', 2: 'y', 3: 'z'}}

请注意,字典 (d) 和测试值 (test) 都取自 globals 参数。

执行等效代码时:

locals2 = {"d":{1: 'x', 2: 'y', 3: 'z'}, "test":3}
globals2 = dict(globals().items() + [("d", {1: 'a', 2: 'b', 3: 'c'}), ("test", 2)])
exec "new = d.copy(); new.pop(test)" in globals2, locals2
print locals2

生成此输出:

{'test': 3, 'new': {1: 'x', 2: 'y'}, 'd': {1: 'x', 2: 'y', 3: 'z'}}

在这种情况下,字典 (d) 和测试值 (test) 都取自 locals 参数。

进一步的迹象是,如果字典和/或测试值不在 globals 参数中,即使它们在 locals 参数中,使用推导式执行代码将失败并出现变量未找到异常。

请注意,这不是关于使用 exec 的问题,我有充分的理由使用 exec。使用 eval 可以演示相同的情况。

4

1 回答 1

1

这是完全正确的;字典推导作为函数作用域执行。在该函数范围内引用的任何未该范围内定义的变量都被假定为全局变量。

如果您要在exec-ed 代码中使用显式函数,您将获得相同的效果:

>>> locals3 = {"d":{1: 'x', 2: 'y', 3: 'z'}, "test":3}
>>> globals3 = dict(globals().items() + [("d", {1: 'a', 2: 'b', 3: 'c'}), ("test", 2)])
>>> exec "def f():\n    new = d.copy()\n    new.pop(test)\n    return new\nnew = f()" in globals3, locals3
>>> print locals3
{'test': 3, 'new': {1: 'a', 3: 'c'}, 'd': {1: 'x', 2: 'y', 3: 'z'}, 'f': <function f at 0x106bbcaa0>}

这在集和字典的显示部分中有记录:

请注意,理解是在单独的范围内执行的,因此在目标列表中分配的名称不会“泄漏”到封闭范围内。

在 Python 2.x 中,列表推导没有自己的作用域,这在 Python 3 中已经改变了。

于 2013-08-03T21:47:20.600 回答