提问者:小点点

控制台和文件上的Python输出


我正在写一个代码来分析PDF文件。我想在控制台上显示输出,并将输出的副本保存在文件中,我使用以下代码将输出保存在文件中:

import sys
sys.stdout = open('C:\\users\\Suleiman JK\\Desktop\\file.txt',"w")
print "test"

但是,我是否可以将输出显示到控制台中,但不使用类,因为我不擅长使用它们?


共3个答案

匿名用户

(这个答案使用Python3,如果您更喜欢Python2,则必须对其进行调整。)

首先导入Pythonlog包(以及用于访问标准输出流的sys):

import logging
import sys

在入口点中,为标准输出流和输出文件设置处理程序:

targets = logging.StreamHandler(sys.stdout), logging.FileHandler('test.log')

并将日志包配置为仅输出消息而不输出日志级别:

logging.basicConfig(format='%(message)s', level=logging.INFO, handlers=targets)

现在您可以使用它:

>>> logging.info('testing the logging system')
testing the logging system
>>> logging.info('second message')
second message
>>> print(*open('test.log'), sep='')
testing the logging system
second message

匿名用户

sys.stdout可以指向任何具有写入方法的对象,因此您可以创建一个既写入文件又写入控制台的类。

import sys

class LoggingPrinter:
    def __init__(self, filename):
        self.out_file = open(filename, "w")
        self.old_stdout = sys.stdout
        #this object will take over `stdout`'s job
        sys.stdout = self
    #executed when the user does a `print`
    def write(self, text): 
        self.old_stdout.write(text)
        self.out_file.write(text)
    #executed when `with` block begins
    def __enter__(self): 
        return self
    #executed when `with` block ends
    def __exit__(self, type, value, traceback): 
        #we don't want to log anymore. Restore the original stdout object.
        sys.stdout = self.old_stdout

print "Entering section of program that will be logged."
with LoggingPrinter("result.txt"):
    print "I've got a lovely bunch of coconuts."
print "Exiting logged section of program."

结果:

慰问:

Entering section of program that will be logged.
I've got a lovely bunch of coconuts.
Exiting logged section of program.

后果txt:

I've got a lovely bunch of coconuts.

在某些情况下,此方法可能比codesparkle更可取,因为您不必将所有现有的prints替换为日志记录。信息。只需将您想要登录的所有内容放入带有块的

匿名用户

您可以创建一个同时打印到控制台和文件的函数。您可以通过切换stdout来执行此操作,例如:

def print_both(file, *args):
    temp = sys.stdout #assign console output to a variable
    print ' '.join([str(arg) for arg in args]) 
    sys.stdout = file 
    print ' '.join([str(arg) for arg in args])
    sys.stdout = temp #set stdout back to console output

或者使用文件写入方法(我建议使用此方法,除非您必须使用标准输出)

def print_both(file, *args):
    toprint = ' '.join([str(arg) for arg in args])
    print toprint
    file.write(toprint)

请注意:

  1. 传递给函数的文件参数必须在函数外部打开(例如在程序开始时),并在函数外部关闭(例如在程序结束时)。您应该在附加模式下打开它
  2. 将*args传递给函数允许您以与传递给print函数相同的方式传递参数。所以你把参数传递给print

...像这样:

print_both(open_file_variable, 'pass arguments as if it is', 'print!', 1, '!')

否则,您必须将所有内容转换为单个参数,即单个字符串。它看起来是这样的:

 print_both(open_file_variable, 'you should concatenate'+str(4334654)+'arguments together')

我仍然建议你学会正确使用课堂,你会从中受益匪浅。希望这有帮助。