5

我有一个 python 应用程序,它需要每天执行大约 20 000 次专有应用程序(有时会崩溃)。

问题是当应用程序崩溃时,Windows 会自动触发WerFault,这将使程序挂起,因此pythonsubprocess.call()将永远等待用户输入(该应用程序必须在周末、节假日、24/7 运行......所以这是不可接受的)。

如果虽然关于使用sleep; poll; kill; terminate但那将意味着失去使用能力communicate(),应用程序可以运行从几毫秒到2小时,所以设置固定超时将无效

我还尝试打开自动调试(使用一个脚本,该脚本将获取应用程序的崩溃转储并终止 id),但不知何故,这个方法在我的服务器上不起作用(WerFault 仍然出现并等待用户输入)

像这样的其他几个教程也没有任何效果。

问题:有没有办法阻止 WerFault 显示(等待用户输入)?这是比编程问题更多的系统

替代问题:python中是否有一种优雅的方式来检测应用程序崩溃(是否显示了WerFault

4

2 回答 2

2

WerFault.exe简单(和丑陋)的答案,不时监视实例,特别是与PID违规应用程序相关联的实例。并杀死它。处理WerFault.exe很复杂,但您不想禁用它 - 请参阅Windows 错误报告服务。

  1. 按名称获取匹配的进程列表WerFault.exe。我使用psutil包。请注意,psutil因为进程已缓存,请使用psutil.get_pid_list().
  2. 使用argparse. 这可能有点矫枉过正,但它利用了现有的 python 库。
  3. 根据PID.

这是一个简单的实现。

def kill_proc_kidnapper(self, child_pid, kidnapper_name='WerFault.exe'):
    """
    Look among all instances of 'WerFault.exe' process for an specific one
    that took control of another faulting process.
    When 'WerFault.exe' is launched it is specified the PID using -p argument:

    'C:\\Windows\\SysWOW64\\WerFault.exe -u -p 5012 -s 68'
                             |               |
                             +-> kidnapper   +-> child_pid

    Function uses `argparse` to properly decode process command line and get
    PID. If PID matches `child_pid` then we have found the correct parent
    process and can kill it.
    """
    parser = argparse.ArgumentParser()
    parser.add_argument('-u', action='store_false', help='User name')
    parser.add_argument('-p', type=int, help='Process ID')
    parser.add_argument('-s', help='??')

    kidnapper_p = None
    child_p = None

    for proc in psutil.get_pid_list():
        if kidnapper_name in proc.name:
            args, unknown_args = parser.parse_known_args(proc.cmdline)
            print proc.name, proc.cmdline

            if args.p == child_pid:
                # We found the kidnapper, aim.
                print 'kidnapper found: {0}'.format(proc.pid)
                kidnapper_p = proc

    if psutil.pid_exists(child_pid):
        child_p = psutil.Process(child_pid)

    if kidnapper_p and child_pid:
        print 'Killing "{0}" ({1}) that kidnapped "{2}" ({3})'.format(
            kidnapper_p.name, kidnapper_p.pid, child_p.name, child_p.pid)
        self.taskkill(kidnapper_p.pid)
        return 1
    else:
        if not kidnapper_p:
            print 'Kidnapper process "{0}" not found'.format(kidnapper_name)
        if not child_p:
            print 'Child process "({0})" not found'.format(child_pid)

    return 0

现在,taskkill函数调用taskkill正确的命令PID

def taskkill(self, pid):
    """
    Kill task and entire process tree for this process
    """
    print('Task kill for PID {0}'.format(pid))
    cmd = 'taskkill /f /t /pid {0}'.format(pid)
    subprocess.call(cmd.split())
于 2013-07-29T23:07:53.090 回答
-2

我看不出为什么你的程序需要崩溃,找到有问题的代码,并将其放入 try 语句中。

http://docs.python.org/3.2/tutorial/errors.html#handling-exceptions

于 2012-12-19T17:27:35.547 回答