diff options
author | Raymond Hettinger <python@rcn.com> | 2013-10-10 07:46:57 (GMT) |
---|---|---|
committer | Raymond Hettinger <python@rcn.com> | 2013-10-10 07:46:57 (GMT) |
commit | 088cbf2d390f6caeb021f05909e1d0b2e506b332 (patch) | |
tree | 0e89ef127f2bdec4e01aa001b23bf6af2ff140b6 /Lib/contextlib.py | |
parent | 5ed3bc9adbb5af56450b918410bf07b2bf54ef54 (diff) | |
download | cpython-088cbf2d390f6caeb021f05909e1d0b2e506b332.zip cpython-088cbf2d390f6caeb021f05909e1d0b2e506b332.tar.gz cpython-088cbf2d390f6caeb021f05909e1d0b2e506b332.tar.bz2 |
Issue #15805: Add contextlib.redirect_stdout()
Diffstat (limited to 'Lib/contextlib.py')
-rw-r--r-- | Lib/contextlib.py | 40 |
1 files changed, 39 insertions, 1 deletions
diff --git a/Lib/contextlib.py b/Lib/contextlib.py index aaab095..868fa6c 100644 --- a/Lib/contextlib.py +++ b/Lib/contextlib.py @@ -4,7 +4,8 @@ import sys from collections import deque from functools import wraps -__all__ = ["contextmanager", "closing", "ContextDecorator", "ExitStack", "ignored"] +__all__ = ["contextmanager", "closing", "ContextDecorator", "ExitStack", + "ignored", "redirect_stdout"] class ContextDecorator(object): @@ -140,6 +141,43 @@ class closing(object): def __exit__(self, *exc_info): self.thing.close() +class redirect_stdout: + """Context manager for temporarily redirecting stdout to another file + + # How to send help() to stderr + + with redirect_stdout(sys.stderr): + help(dir) + + # How to write help() to a file + + with open('help.txt', 'w') as f: + with redirect_stdout(f): + help(pow) + + # How to capture disassembly to a string + + import dis + import io + + f = io.StringIO() + with redirect_stdout(f): + dis.dis('x**2 - y**2') + s = f.getvalue() + + """ + + def __init__(self, new_target): + self.new_target = new_target + + def __enter__(self): + self.old_target = sys.stdout + sys.stdout = self.new_target + return self.new_target + + def __exit__(self, exctype, excinst, exctb): + sys.stdout = self.old_target + @contextmanager def ignored(*exceptions): """Context manager to ignore specified exceptions |