使 ipython 笔记本实时打印

Make ipython notebook print in real time

Ipython notebook好像没有实时打印结果,好像是通过某种方式缓冲然后批量输出打印件。如何让 ipython 在处理打印命令后立即打印我的结果?

示例代码:

import time


def printer():
    for i in range(100):
        time.sleep(5)
        print i

假设上述代码在导入的文件中。我怎样才能做到当我调用打印机函数时它每 5 秒打印一个数字而不是最后的所有数字?

请注意,我无法编辑函数 printer(),因为我是从某个外部模块获取的。我想以某种方式更改 ipython 笔记本的配置,以便它不使用缓冲区。所以,我也不想用sys.stdout.flush(),我想按题实时做,不想有buffer开头。

我还尝试使用以下命令加载 ipython 笔记本:

ipython notebook --cache-size=0

但这似乎也行不通。

这只是one of the answers to the question suggested by Carsten incorporating the __getattr__ delegation suggested by diedthreetimes的评论:

import sys
oldsysstdout = sys.stdout
class flushfile():
    def __init__(self, f):
        self.f = f
    def __getattr__(self,name): 
        return object.__getattribute__(self.f, name)
    def write(self, x):
        self.f.write(x)
        self.f.flush()
    def flush(self):
        self.f.flush()
sys.stdout = flushfile(sys.stdout)

原回答中,__getattr__方法没有实现。没有它,它就失败了。该问题答案的其他变体在笔记本中也失败了。

在笔记本中,sys.stdoutIPython.kernel.zmq.iostream.OutStream 的一个实例,并且有许多方法和属性在通常的 sys.stdout 中不存在。委派 __getattr__ 允许 flushfile 伪装成 ...zmq.iostream.OutStream 鸭子。

这适用于 python 2.7 笔记本 运行 和 ipython 3.1.0

自 Python 3.3 起,print() 有一个 additional flush 参数可用于强制刷新:

for i in range(10):
    print(i, flush=True)
    time.sleep(1)  

试试这个:

from IPython.display import display, clear_output

display("Hello World") # print string
display(df) # print object such as dataframe

clear_output(wait=True) # use this if need to clear the output before display, good for dynamic updates

此外,您可以使用回车 return 字符:

from time import sleep
for i in range(10):
    print(i, end='\r')
    sleep(1)

或者,如果您使用的是 Jupyter 笔记本:

from IPython.display import clear_output
from time import sleep
for i in range(10):
    print(i)
    sleep(1)
    clear_output(wait=True)