4

問題

サブプロセスのキャッチされない例外と構文エラーをログに記録するプログラムを作成しようとしています。簡単ですよね?stderr適切な場所にパイプするだけです。

ただし、サブプロセスは別のPythonプログラムであり、これを呼び出します。これはtest.py、出力/エラーがキャプチャされていないかのように実行する必要があります。つまり、ロガープログラムの実行は、ユーザーがpython test.py通常どおりに実行したように見える必要があります。

問題をさらに複雑にしているのは、使用されていない場合に実際に送信される問題です。残念ながら、エラーロガーを使用して実行されているファイルを制御できないため、私はそれを行うことはできません。raw_inputstderrreadlineimport readline

ノート:

  • 私はこのコードが実行されるマシンにかなり制限されています。ファイルをインストールpexpectまたは編集できません*customize.py(プログラムは多くの異なるユーザーによって実行されるため)。とにかくstdlibソリューションがあるはずだと本当に感じています...
  • これはMacでのみ機能する必要があります。
  • これの動機は、私が新しいプログラマーが得るエラーを研究しているチームの一員であるということです。

私が試したこと

私は次の方法を試しましたが、成功しませんでした。

4

2 に答える 2

2

リンクしたティーベースの回答は、タスクにはあまり適していません。バッファリングを無効にするオプションを使用して「raw_input()プロンプト」の問題を修正できますが:-u

errf = open('err.txt', 'wb') # any object with .write() method
rc = call([sys.executable, '-u', 'test.py'], stderr=errf, 
          bufsize=0, close_fds=True)
errf.close()

pexpectより適切なソリューションは、 orptyに基づいている可能性があります

ロガー プログラムの実行は、ユーザーが通常どおり python test.py を実行したように見える必要があります。

#!/usr/bin/env python
import sys
import pexpect

with open('log', 'ab') as fout:
    p = pexpect.spawn("python test.py")
    p.logfile = fout
    p.interact()

インストールする必要はありませんpexpect。これは純粋な Python であり、コードと一緒に配置できます。

これはティーベースのアナログです(test.py非インタラクティブに実行されます):

#!/usr/bin/env python
import sys
from subprocess import Popen, PIPE, STDOUT
from threading  import Thread

def tee(infile, *files):
    """Print `infile` to `files` in a separate thread."""
    def fanout(infile, *files):
        flushable = [f for f in files if hasattr(f, 'flush')]
        for c in iter(lambda: infile.read(1), ''):
            for f in files:
                f.write(c)
            for f in flushable:
                f.flush()
        infile.close()
    t = Thread(target=fanout, args=(infile,)+files)
    t.daemon = True
    t.start()
    return t

def call(cmd_args, **kwargs):
    stdout, stderr = [kwargs.pop(s, None) for s in 'stdout', 'stderr']
    p = Popen(cmd_args,
              stdout=None if stdout is None else PIPE,
              stderr=None if stderr is None else (
                   STDOUT if stderr is STDOUT else PIPE),
              **kwargs)
    threads = []
    if stdout is not None: 
        threads.append(tee(p.stdout, stdout, sys.stdout))
    if stderr is not None and stderr is not STDOUT: 
        threads.append(tee(p.stderr, stderr, sys.stderr))
    for t in threads: t.join() # wait for IO completion
    return p.wait()

with open('log','ab') as file:
    rc = call([sys.executable, '-u', 'test.py'], stdout=file, stderr=STDOUT,
              bufsize=0, close_fds=True)

がプロンプトを出力する可能性がある場所raw_input()が不明であるため、stdout/stderr をマージする必要があります。getpass.getpass()

この場合、スレッドも必要ありません。

#!/usr/bin/env python
import sys
from subprocess import Popen, PIPE, STDOUT

with open('log','ab') as file:
    p = Popen([sys.executable, '-u', 'test.py'],
              stdout=PIPE, stderr=STDOUT,
              close_fds=True,
              bufsize=0)
    for c in iter(lambda: p.stdout.read(1), ''):
        for f in [sys.stdout, file]:
            f.write(c)
            f.flush()
    p.stdout.close()
    rc = p.wait()

注: 最後の例と tee ベースのソリューションはgetpass.getpass()プロンプトをキャプチャしませんが、pexpectandptyベースのソリューションは次のことを行います。

#!/usr/bin/env python
import os
import pty
import sys

with open('log', 'ab') as file:
    def read(fd):
        data = os.read(fd, 1024)
        file.write(data)
        file.flush()
        return data

    pty.spawn([sys.executable, "test.py"], read)

Macで動作するかどうかはわかりませんpty.spawn()

于 2012-09-20T08:48:03.780 に答える
2

質問コメントの @nneonneo さんのアドバイスをもとに、仕事がはかどりそうなプログラムを作りました。(現在、エラーをエンドユーザーに正しく出力するには、ロガーファイルの名前を「pylog」にする必要があることに注意してください。)

#!/usr/bin/python

'''
This module logs python errors.
'''

import socket, os, sys, traceback

def sendError(err):
    # log the error (in my actual implementation, this sends the error to a database)
    with open('log','w') as f:
        f.write(err)


def exceptHandler(etype, value, tb):
    """An additional wrapper around our custom exception handler, to prevent errors in
       this program from being seen by end users."""
    try:
        subProgExceptHandler(etype, value, tb)
    except:
        sys.stderr.write('Sorry, but there seems to have been an error in pylog itself. Please run your program using regular python.\n')

def subProgExceptHandler(etype, value, tb):
    """A custom exception handler that both prints error and traceback information in the standard
       Python format, as well as logs it."""
    import linecache

    errorVerbatim = ''

    # The following code mimics a traceback.print_exception(etype, value, tb) call.
    if tb:
        msg = "Traceback (most recent call last):\n"
        sys.stderr.write(msg)
        errorVerbatim += msg

        # The following code is a modified version of the trackeback.print_tb implementation from
        # cypthon 2.7.3
        while tb is not None:
            f = tb.tb_frame                                                      
            lineno = tb.tb_lineno                                                  
            co = f.f_code                                                        
            filename = co.co_filename                                              
            name = co.co_name
            # Filter out exceptions from pylog itself (eg. execfile).
            if not "pylog" in filename:
                msg = '  File "%s", line %d, in %s\n' % (filename, lineno, name)
                sys.stderr.write(msg)       
                errorVerbatim += msg
                linecache.checkcache(filename)                                         
                line = linecache.getline(filename, lineno, f.f_globals)                
                if line: 
                    msg = '    ' + line.strip() + '\n'
                    sys.stderr.write(msg)
                    errorVerbatim += msg
            tb = tb.tb_next                                           

    lines = traceback.format_exception_only(etype, value)
    for line in lines:
        sys.stderr.write(line)
        errorVerbatim += line

    # Send the error data to our database handler via sendError.
    sendError(errorVerbatim)

def main():
    """Executes the program specified by the user in its own sandbox, then sends
       the error to our database for logging and analysis."""
    # Get the user's (sub)program to run.
    try:
        subProgName = sys.argv[1]
        subProgArgs = sys.argv[3:]
    except:
        print 'USAGE: ./pylog FILENAME.py *ARGS'
        sys.exit()

    # Catch exceptions by overriding the system excepthook.
    sys.excepthook = exceptHandler
    # Sandbox user code exeuction to its own global namespace to prevent malicious code injection.
    execfile(subProgName, {'__builtins__': __builtins__, '__name__': '__main__', '__file__': subProgName, '__doc__': None, '__package__': None})

if __name__ == '__main__':
    main()
于 2012-09-27T07:33:44.563 に答える