В Python 3.4 есть contextlib.redirect_stdout()
функция :
from contextlib import redirect_stdout
with open('help.txt', 'w') as f:
with redirect_stdout(f):
print('it now prints to `help.text`')
Это похоже на:
import sys
from contextlib import contextmanager
@contextmanager
def redirect_stdout(new_target):
old_target, sys.stdout = sys.stdout, new_target # replace sys.stdout
try:
yield new_target # run some code with the replaced stdout
finally:
sys.stdout = old_target # restore to the previous value
, который можно использовать в более ранних версиях Python. Последняя версия не для повторного использования . При желании его можно сделать одним.
Он не перенаправляет стандартный вывод на уровне дескрипторов файлов, например ::11014.
import os
from contextlib import redirect_stdout
stdout_fd = sys.stdout.fileno()
with open('output.txt', 'w') as f, redirect_stdout(f):
print('redirected to a file')
os.write(stdout_fd, b'not redirected')
os.system('echo this also is not redirected')
b'not redirected'
и 'echo this also is not redirected'
не перенаправляются в файл output.txt
.
Для перенаправления на уровне дескриптора файла можно использовать os.dup2()
:
import os
import sys
from contextlib import contextmanager
def fileno(file_or_fd):
fd = getattr(file_or_fd, 'fileno', lambda: file_or_fd)()
if not isinstance(fd, int):
raise ValueError("Expected a file (`.fileno()`) or a file descriptor")
return fd
@contextmanager
def stdout_redirected(to=os.devnull, stdout=None):
if stdout is None:
stdout = sys.stdout
stdout_fd = fileno(stdout)
# copy stdout_fd before it is overwritten
#NOTE: `copied` is inheritable on Windows when duplicating a standard stream
with os.fdopen(os.dup(stdout_fd), 'wb') as copied:
stdout.flush() # flush library buffers that dup2 knows nothing about
try:
os.dup2(fileno(to), stdout_fd) # $ exec >&to
except ValueError: # filename
with open(to, 'wb') as to_file:
os.dup2(to_file.fileno(), stdout_fd) # $ exec > to
try:
yield stdout # allow code to be run with the redirected stdout
finally:
# restore stdout to its previous value
#NOTE: dup2 makes stdout_fd inheritable unconditionally
stdout.flush()
os.dup2(copied.fileno(), stdout_fd) # $ exec >&copied
Тот же самый пример теперь работает, если вместо redirect_stdout()
используется stdout_redirected()
:
import os
import sys
stdout_fd = sys.stdout.fileno()
with open('output.txt', 'w') as f, stdout_redirected(f):
print('redirected to a file')
os.write(stdout_fd, b'it is redirected now\n')
os.system('echo this is also redirected')
print('this is goes back to stdout')
Вывод, который ранее был напечатан на stdout, теперь передается в output.txt
, пока активен менеджер контекста stdout_redirected()
.
Примечание: stdout.flush()
не смывает
C stdio буферы на Python 3, где ввод / вывод осуществляется непосредственно при системных вызовах read()
/ write()
. Чтобы очистить все открытые потоки вывода C stdio, вы можете явно вызвать libc.fflush(None)
, если какое-то расширение C использует ввод / вывод на основе stdio:
try:
import ctypes
from ctypes.util import find_library
except ImportError:
libc = None
else:
try:
libc = ctypes.cdll.msvcrt # Windows
except OSError:
libc = ctypes.cdll.LoadLibrary(find_library('c'))
def flush(stream):
try:
libc.fflush(None)
stream.flush()
except (AttributeError, ValueError, IOError):
pass # unsupported
Вы можете использовать параметр stdout
для перенаправления других потоков, а не только sys.stdout
, например, для объединения sys.stderr
и sys.stdout
:
def merged_stderr_stdout(): # $ exec 2>&1
return stdout_redirected(to=sys.stdout, stdout=sys.stderr)
Пример:
from __future__ import print_function
import sys
with merged_stderr_stdout():
print('this is printed on stdout')
print('this is also printed on stdout', file=sys.stderr)
Примечание: stdout_redirected()
смешивает буферизованный ввод / вывод (обычно sys.stdout
) и небуферизованный ввод / вывод (операции с дескрипторами файлов напрямую). Осторожно, может быть буферизация выпусков .
Чтобы ответить, ваше редактирование: вы можете использовать python-daemon
, чтобы демонизировать ваш скрипт и использовать модуль logging
(как предложено @ erikb85 ) вместо операторов print
и просто перенаправьте стандартный вывод для вашего долго работающего скрипта Python, который вы сейчас запускаете с помощью nohup
.