Answers:
从Python 3.3开始,您可以强制使用普通print()
函数进行刷新,而无需使用sys.stdout.flush()
; 只需将“ flush”关键字参数设置为true。从文档中:
print(* objects,sep ='',end ='\ n',file = sys.stdout,flush = False)
将对象打印到流文件中,以sep分隔,然后以end分隔。sep,end和file(如果存在)必须作为关键字参数给出。
所有非关键字参数都将像str()一样转换为字符串,并写入流中,以sep分隔,然后以end分隔。sep和end都必须是字符串;它们也可以是None,这意味着要使用默认值。如果没有给出对象,print()只会写完。
file参数必须是带有write(string)方法的对象;如果不存在或没有,将使用sys.stdout。通常是否由文件决定是否对输出进行缓冲,但是如果flush关键字参数为true,则将强制刷新流。
如何刷新Python打印输出?
我建议这样做的五种方法:
print(..., flush=True)
(flush参数在Python 2的print函数中不可用,并且print语句没有类似物)。file.flush()
输出文件(我们可以包装python 2的print函数来执行此操作),例如,sys.stdout
print = partial(print, flush=True)
应用于局部函数的模块中的每个打印函数调用,并应用于全局模块。-u
通过传递给解释器命令的标志()将其应用于进程PYTHONUNBUFFERED=TRUE
(并取消设置变量以撤消此操作)。使用Python 3.3或更高版本,您可以仅flush=True
将关键字参数提供给该print
函数:
print('foo', flush=True)
他们没有将flush
参数反向移植到Python 2.7,因此,如果您使用的是Python 2(或低于3.3),并且想要与2和3都兼容的代码,我建议以下兼容代码。(请注意,__future__
导入必须位于/非常靠近“ 模块顶部 ”):
from __future__ import print_function
import sys
if sys.version_info[:2] < (3, 3):
old_print = print
def print(*args, **kwargs):
flush = kwargs.pop('flush', False)
old_print(*args, **kwargs)
if flush:
file = kwargs.get('file', sys.stdout)
# Why might file=None? IDK, but it works for print(i, file=None)
file.flush() if file is not None else sys.stdout.flush()
上面的兼容性代码将涵盖大多数用途,但要进行更彻底的处理,请参阅six
模块。
另外,您也可以file.flush()
在打印后调用,例如使用Python 2中的print语句:
import sys
print 'delayed output'
sys.stdout.flush()
flush=True
您可以通过在模块的全局范围内使用functools.partial来更改打印功能的默认值:
import functools
print = functools.partial(print, flush=True)
如果您看看我们新的部分函数,至少在Python 3中:
>>> print = functools.partial(print, flush=True)
>>> print
functools.partial(<built-in function print>, flush=True)
我们可以看到它的工作原理与正常情况一样:
>>> print('foo')
foo
实际上,我们可以覆盖新的默认值:
>>> print('foo', flush=False)
foo
再次注意,这只会更改当前的全局范围,因为当前全局范围内的打印名称将使内置print
函数(如果在该当前全局范围中使用Python 2使用,则取消引用兼容性函数)。
如果要在函数内部而不是在模块的全局范围内执行此操作,则应给它取一个不同的名称,例如:
def foo():
printf = functools.partial(print, flush=True)
printf('print stuff like this')
如果在函数中将其声明为全局变量,则需要在模块的全局命名空间中对其进行更改,因此,应将其放在全局命名空间中,除非特定行为正是您想要的。
我认为这里最好的选择是使用-u
标志来获取无缓冲的输出。
$ python -u script.py
要么
$ python -um package.module
从文档:
强制stdin,stdout和stderr完全没有缓冲。在重要的系统上,还将stdin,stdout和stderr置于二进制模式。
请注意,file.readlines()和文件对象(sys.stdin中的行)具有内部缓冲,不受该选项的影响。要解决此问题,您将需要在while 1:循环内使用file.readline()。
如果将环境变量设置为非空字符串,则可以在环境或从该环境继承的环境中的所有python进程中获得以下行为:
例如,在Linux或OSX中:
$ export PYTHONUNBUFFERED=TRUE
或Windows:
C:\SET PYTHONUNBUFFERED=TRUE
从文档:
PYTHONUNBUFFERD
如果将其设置为非空字符串,则等效于指定-u选项。
这是Python 2.7.12中的print函数的帮助-请注意没有 flush
参数:
>>> from __future__ import print_function
>>> help(print)
print(...)
print(value, ..., sep=' ', end='\n', file=sys.stdout)
Prints the values to a stream, or to sys.stdout by default.
Optional keyword arguments:
file: a file-like object (stream); defaults to the current sys.stdout.
sep: string inserted between values, default a space.
end: string appended after the last value, default a newline.
另外,如本博客中所建议,可以sys.stdout
在无缓冲模式下重新打开:
sys.stdout = os.fdopen(sys.stdout.fileno(), 'w', 0)
每个stdout.write
和print
操作后自动刷新。
UnsupportedOperation: IOStream has no fileno.
使用Python 3.x,该print()
功能已扩展:
print(*objects, sep=' ', end='\n', file=sys.stdout, flush=False)
因此,您可以执行以下操作:
print("Visiting toilet", flush=True)
使用-u
命令行开关可以,但是有点笨拙。这意味着如果用户在没有-u
选项的情况下调用脚本,程序可能会出现错误的行为。我通常使用custom stdout
,例如:
class flushfile:
def __init__(self, f):
self.f = f
def write(self, x):
self.f.write(x)
self.f.flush()
import sys
sys.stdout = flushfile(sys.stdout)
...现在,您的所有print
呼叫(sys.stdout
隐式使用)将被自动flush
编辑。
def __getattr__(self,name): return object.__getattribute__(self.f, name)
为什么不尝试使用未缓冲的文件?
f = open('xyz.log', 'a', 0)
要么
sys.stdout = open('out.log', 'a', 0)
丹的想法不太有效:
#!/usr/bin/env python
class flushfile(file):
def __init__(self, f):
self.f = f
def write(self, x):
self.f.write(x)
self.f.flush()
import sys
sys.stdout = flushfile(sys.stdout)
print "foo"
结果:
Traceback (most recent call last):
File "./passpersist.py", line 12, in <module>
print "foo"
ValueError: I/O operation on closed file
我认为问题在于它是从文件类继承的,实际上是不必要的。根据sys.stdout的文档:
stdout和stderr不必是内置文件对象:任何对象都是可以接受的,只要它具有带有字符串参数的write()方法即可。
所以改变
class flushfile(file):
至
class flushfile(object):
使它工作正常。
这是我的版本,它也提供writelines()和fileno():
class FlushFile(object):
def __init__(self, fd):
self.fd = fd
def write(self, x):
ret = self.fd.write(x)
self.fd.flush()
return ret
def writelines(self, lines):
ret = self.writelines(lines)
self.fd.flush()
return ret
def flush(self):
return self.fd.flush
def close(self):
return self.fd.close()
def fileno(self):
return self.fd.fileno()
file
我得到一个错误。没有file
课。
我首先努力了解冲洗选项的工作方式。我想做一个“加载显示”,这是我找到的解决方案:
for i in range(100000):
print('{:s}\r'.format(''), end='', flush=True)
print('Loading index: {:d}/100000'.format(i+1), end='')
第一行刷新先前的打印内容,第二行打印新的更新消息。我不知道这里是否存在单行语法。
__future__
版本未包含该版本,flush
因为“在Python 3.3中添加了flush参数(在print()通过将来的导入反向