基于此code,我创建了一个python对象,该对象既将输出打印到终端,又将输出保存到日志文件,并将日期和时间附加到其名称之后:

import sys
import time

class Logger(object):
    """
    Creates a class that will both print and log any
    output text. See https://stackoverflow.com/a/5916874
    for original source code. Modified to add date and
    time to end of file name.
    """
    def __init__(self, filename="Default"):
        self.terminal = sys.stdout
        self.filename = filename + ' ' + time.strftime('%Y-%m-%d-%H-%M-%S') + '.txt'
        self.log = open(self.filename, "a")

    def write(self, message):
        self.terminal.write(message)
        self.log.write(message)


sys.stdout = Logger('TestLog')

这很好用,但是当我尝试将其与使用Pool多处理功能的脚本一起使用时,出现以下错误:
AttributeError: 'Logger' object has no attribute 'flush'

如何修改Logger对象,使其可与任何并行运行的脚本一起使用?

最佳答案

如果要替换sys.stdout,则必须将其替换为file-like object,这意味着您必须实现flush flush can be a no-op:

def flush(self):
    pass

关于多处理: AttributeError: 'Logger' object has no attribute 'flush' 中的Python日志记录,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/20525587/

10-15 08:53