禁用输出缓冲
- 2024-11-19 08:38:00
- admin 原创
- 10
问题描述:
Python 解释器中默认启用输出缓冲吗sys.stdout
?
如果答案是肯定的,那么有哪些方法可以禁用它?
目前的建议:
使用
-u
命令行开关包装
sys.stdout
一个在每次写入后刷新的对象设置
PYTHONUNBUFFERED
环境变量sys.stdout = os.fdopen(sys.stdout.fileno(), 'w', 0)
还有其他方法可以在执行期间以编程方式在sys
/中设置一些全局标志吗?sys.stdout
如果您只是想在使用后刷新print
,请参阅如何刷新打印函数的输出?。
解决方案 1:
来自Magnus Lycka 在邮件列表上的回答:
python -u
您可以使用或通过设置环境变量 PYTHONUNBUFFERED来跳过整个 python 进程的缓冲。您还可以用其他流(如包装器)替换 sys.stdout,它在每次调用后都会进行刷新。
class Unbuffered(object): def __init__(self, stream): self.stream = stream def write(self, data): self.stream.write(data) self.stream.flush() def writelines(self, datas): self.stream.writelines(datas) self.stream.flush() def __getattr__(self, attr): return getattr(self.stream, attr) import sys sys.stdout = Unbuffered(sys.stdout) print 'Hello'
解决方案 2:
我宁愿把我的答案放在如何刷新打印函数的输出?或者在调用时刷新缓冲区的 Python 打印函数?中,但由于它们被标记为重复(我不同意),所以我将在这里回答。
从 Python 3.3 开始,print() 支持关键字参数“flush”(参见文档):
print('Hello World!', flush=True)
解决方案 3:
# reopen stdout file descriptor with write mode
# and 0 as the buffer size (unbuffered)
import io, os, sys
try:
# Python 3, open as binary, then wrap in a TextIOWrapper with write-through.
sys.stdout = io.TextIOWrapper(open(sys.stdout.fileno(), 'wb', 0), write_through=True)
# If flushing on newlines is sufficient, as of 3.7 you can instead just call:
# sys.stdout.reconfigure(line_buffering=True)
except TypeError:
# Python 2
sys.stdout = os.fdopen(sys.stdout.fileno(), 'w', 0)
致谢:“Sebastian”,来自 Python 邮件列表的某处。
解决方案 4:
是的。
您可以使用“-u”开关在命令行上禁用它。
或者,您可以在每次写入时在 sys.stdout 上调用 .flush() (或用自动执行此操作的对象包装它)
解决方案 5:
这与 Cristóvão D. Sousa 的回答有关,但我还无法发表评论。
为了始终获得无缓冲输出,使用Python 3flush
的关键字参数的直接方法是:
import functools
print = functools.partial(print, flush=True)
此后,print 将始终直接刷新输出(除非flush=False
给出)。
请注意,(a) 这只能部分回答问题,因为它不会重定向所有输出。但我猜这是在 python 中创建输出到/ 的print
最常用方法,因此这两行可能涵盖了大多数用例。stdout
`stderr`
注意 (b) 它只在你定义它的模块/脚本中起作用。这在编写模块时很有用,因为它不会干扰sys.stdout
。
Python 2不提供该flush
参数,但您可以模拟 Python 3 类型的print
函数,如下所述https://stackoverflow.com/a/27991478/3734258。
解决方案 6:
以下内容适用于 Python 2.6、2.7 和 3.2:
import os
import sys
buf_arg = 0
if sys.version_info[0] == 3:
os.environ['PYTHONUNBUFFERED'] = '1'
buf_arg = 1
sys.stdout = os.fdopen(sys.stdout.fileno(), 'a+', buf_arg)
sys.stderr = os.fdopen(sys.stderr.fileno(), 'a+', buf_arg)
解决方案 7:
def disable_stdout_buffering():
# Appending to gc.garbage is a way to stop an object from being
# destroyed. If the old sys.stdout is ever collected, it will
# close() stdout, which is not good.
gc.garbage.append(sys.stdout)
sys.stdout = os.fdopen(sys.stdout.fileno(), 'w', 0)
# Then this will give output in the correct order:
disable_stdout_buffering()
print "hello"
subprocess.call(["echo", "bye"])
如果不保存旧的 sys.stdout,disable_stdout_buffering() 就不是幂等的,多次调用将导致如下错误:
Traceback (most recent call last):
File "test/buffering.py", line 17, in <module>
print "hello"
IOError: [Errno 9] Bad file descriptor
close failed: [Errno 9] Bad file descriptor
另一种可能性是:
def disable_stdout_buffering():
fileno = sys.stdout.fileno()
temp_fd = os.dup(fileno)
sys.stdout.close()
os.dup2(temp_fd, fileno)
os.close(temp_fd)
sys.stdout = os.fdopen(fileno, "w", 0)
(附加到 gc.garbage 并不是一个好主意,因为不可释放的循环被放在这里,你可能需要检查这些循环。)
解决方案 8:
在 Python 3 中,你可以对 print 函数进行 monkey-patch,使其始终发送 flush=True:
_orig_print = print
def print(*args, **kwargs):
_orig_print(*args, flush=True, **kwargs)
正如评论中指出的那样,您可以通过将 flush 参数绑定到某个值来简化此过程,方法是functools.partial
:
print = functools.partial(print, flush=True)
解决方案 9:
是的,默认情况下它是启用的。您可以在调用python时在命令行中使用-u选项来禁用它。
解决方案 10:
您还可以使用stdbuf实用程序运行 Python :
stdbuf -oL python <script>
解决方案 11:
只能用调用 的方法覆盖的 方法write
。建议的方法实现如下。sys.stdout
`flush`
def write_flush(args, w=stdout.write):
w(args)
stdout.flush()
w
参数的默认值会保留原write
方法引用,定义后 原方法可能会被覆盖。write_flush
`write`
stdout.write = write_flush
代码假定以stdout
这种方式导入from sys import stdout
。
解决方案 12:
您还可以使用 fcntl 来动态更改文件标志。
fl = fcntl.fcntl(fd.fileno(), fcntl.F_GETFL)
fl |= os.O_SYNC # or os.O_DSYNC (if you don't care the file timestamp updates)
fcntl.fcntl(fd.fileno(), fcntl.F_SETFL, fl)
解决方案 13:
获取无缓冲输出的一种方法是使用sys.stderr
而不是sys.stdout
或简单地调用sys.stdout.flush()
以明确强制进行写入。
您可以轻松地重定向打印的所有内容:
import sys; sys.stdout = sys.stderr
print "Hello World!"
或者只针对特定语句进行重定向print
:
print >>sys.stderr, "Hello World!"
要重置标准输出,您只需执行以下操作:
sys.stdout = sys.__stdout__
解决方案 14:
您可以创建一个非缓冲文件并将该文件分配给 sys.stdout。
import sys
myFile= open( "a.log", "w", 0 )
sys.stdout= myFile
您无法神奇地改变系统提供的标准输出;因为它是由操作系统提供给您的 python 程序的。
解决方案 15:
不会崩溃的变体(至少在 win32;python 2.7,ipython 0.12 上)随后调用(多次):
def DisOutBuffering():
if sys.stdout.name == '<stdout>':
sys.stdout = os.fdopen(sys.stdout.fileno(), 'w', 0)
if sys.stderr.name == '<stderr>':
sys.stderr = os.fdopen(sys.stderr.fileno(), 'w', 0)
解决方案 16:
(我曾发表过评论,但不知为何丢失了。所以,再说一遍:)
我注意到,CPython(至少在 Linux 上)的行为会根据输出的位置而有所不同。如果输出到 tty,则输出会在每次 ' 之后刷新。`
'`
如果输出到管道/进程,则输出会被缓冲,您可以使用flush()
基于的解决方案或上面推荐的-u选项。
与输出缓冲稍微相关:
如果你使用
for line in sys.stdin:
...
然后CPython中的for实现将收集一段时间的输入,然后对一组输入行执行循环体。如果您的脚本即将为每个输入行写入输出,这可能看起来像输出缓冲,但实际上是批处理,因此,等技术都无法帮助实现这一点。有趣的是,您在pypy中没有这种行为。为了避免这种情况,您可以使用flush()
`while True:
line=sys.stdin.readline()`
...
- 2024年20款好用的项目管理软件推荐,项目管理提效的20个工具和技巧
- 2024年开源项目管理软件有哪些?推荐5款好用的项目管理工具
- 项目管理软件有哪些?推荐7款超好用的项目管理工具
- 项目管理软件哪个最好用?盘点推荐5款好用的项目管理工具
- 项目管理软件有哪些最好用?推荐6款好用的项目管理工具
- 项目管理软件有哪些,盘点推荐国内外超好用的7款项目管理工具
- 2024项目管理软件排行榜(10类常用的项目管理工具全推荐)
- 项目管理软件排行榜:2024年项目经理必备5款开源项目管理软件汇总
- 2024年常用的项目管理软件有哪些?推荐这10款国内外好用的项目管理工具
- 项目管理必备:盘点2024年13款好用的项目管理软件