0

我写了一些代码只是为了在 python 中练习冗长。详细程度是通过ArgumentParser模块嵌入的。但是,我也想stdout在详细程度被禁用时写入 to 文件:

#!/usr/bin/python                                                               
import sys

def printable1():
    print "1"

def printable2():
    print "2"

def printable3():
    print "3"

def Main1():
    printable1()
    printable2()

def Main2():
    printable2()
    printable3()

class Logger(object):
    def __init__(self):
        self.terminal = sys.stdout
        self.log = open("logfile2.log", "a")

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


if __name__ == "__main__":
    from argparse import ArgumentParser

    parser = ArgumentParser(description='PC Test',version="1.0")
    parser.add_argument('--nopc',action='store_true', help='Do not perform test on the PC')
    parser.add_argument('--pc', action='store_true', help='Do perform test on the PC')

    # VERBOSITY 
    parser.add_argument('--vmode', dest='verbose', action='store_true',
                        help='Enable printing of status messages to stdout.')

    args = parser.parse_args()

    sys.stdout = Logger()

    if args.verbose:
        if args.pc:       
            Main1()
        elif args.nopc:
            Main2()
        else:
            Main1()
            Main2()  

--vmode仅当使用参数启用详细程度时,此代码才会将标准输出写入文件。你能帮我找到解决办法吗?

4

1 回答 1

1

您可以使用日志模块来处理打印到终端并写入文件,而不是重新发明轮子。详细程度仍然取决于您:

import logging
import logging.handlers
log = logging.getLogger(__name__)
log.addHandler(logging.StreamHandler())  # Prints to console.
log.addHandler(logging.handlers.RotatingFileHandler('logfile2.log'))
log.setLevel(logging.INFO)  # Set logging level here.

从现在开始,您可以使用该常规log对象在脚本中执行日志记录,并且条目将被发送到控制台和文件:

log.info('test')
log.warning('test')

此外,我建议使用ConfigDict来处理注册记录器和处理程序 - 一种比上述方式更具声明性的替代方法(您仍然需要log像上面那样实例化对象)。

于 2014-03-01T18:55:06.100 回答