Python 3.4 提供了这个简洁的工具来临时重定向标准输出:
# From https://docs.python.org/3.4/library/contextlib.html#contextlib.redirect_stdout
with redirect_stdout(sys.stderr):
help(pow)
代码不是超级复杂,但我不想一遍又一遍地编写它,特别是因为一些想法已经进入它使其可重入:
class redirect_stdout:
def __init__(self, new_target):
self._new_target = new_target
# We use a list of old targets to make this CM re-entrant
self._old_targets = []
def __enter__(self):
self._old_targets.append(sys.stdout)
sys.stdout = self._new_target
return self._new_target
def __exit__(self, exctype, excinst, exctb):
sys.stdout = self._old_targets.pop()
我想知道是否有一种通用的方法可以使用该with
语句来临时更改变量的值。sys
来自aresys.stderr
和的另外两个用例sys.excepthook
。
在一个完美的世界中,这样的事情会起作用:
foo = 10
with 20 as foo:
print(foo) # 20
print (foo) # 10
我怀疑我们能否做到这一点,但也许这样的事情是可能的:
foo = 10
with temporary_set('foo', 20):
print(foo) # 20
print (foo) # 10
我可以通过扎根 in 来完成这项工作globals()
,但没有人会选择使用它。
更新:虽然我认为我的“foo = 10”示例阐明了我想要做的事情,但它们并没有传达实际的用例。这里有两个:
- 重定向stderr,很像redirect_stdout
- 临时更改 sys.excepthook。我以交互方式进行了大量开发,当我向异常钩子添加一些东西时(通过将原始函数包装在我自己的一个函数中,例如,使用日志记录模块记录异常),我通常希望它在某个时候被删除。这样我就不会有越来越多的包装自己的函数副本。这个问题面临一个密切相关的问题。