5

所以我正在编写(或至少尝试)一个程序来比较在 python 中运行的两个 gdb 的输出。这是我到目前为止所拥有的:

from subprocess import *
import subprocess

file = raw_input('enter program name (with a ./ if in local directory): ')

p1 = Popen(['gdb', file], stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
p2 = Popen(['gdb', file], stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE)

p1.communicate(input='break main')
p2.communicate(input='break main')

args1 = raw_input('args for running program (from file) (ie r < input.txt): ')
args2 = raw_input('args for running program (from file) (for program 2...): ')

p1.communicate(input=args1)
p2.communicate(input=args2)

while True:
    p1out = p1.communicate(input='continue')[0]
    p2out = p2.communicate(input='continue')[0]

    if p1out != p2out:
        print 'difference: '
        print 'p1: ' + p1out
        print 'p2: ' + p2out
        cont = raw_input('continue (y/n): ')
        if cont != 'y':
            break

现在的问题是这似乎不起作用。关于我可能出错的地方有什么想法吗?

更多细节:程序的重点是接收一个可执行文件,在 main 函数处中断,然后运行每个函数,直到输出在两者之间变化。这旨在作为一种调试工具(我会使用它,即使没有其他人会使用它!)。然后,当您发现差异时,您可以选择是结束程序还是继续。从理论上讲,这应该可行,但我只是不确定出了什么问题。

4

1 回答 1

3

.communicate等待Popen对象完成执行。由于您试图在 gdb 运行时与它对话,因此这将永远挂起。gdb 不会在没有任何输入的情况下退出。此外,您需要自己编写换行符以模拟用户按enter

您要做的是在 gdb 执行时对其进行写入和读取。为此,在发送输入和读取输出时使用p1.stdin.write('break main\n')(注意)。这适用于开始的中断、您发送的参数和继续。'\n'p1.stdout.readline()

在发送参数并开始执行时,您还应该确保startgdb。

p1.stdin.write('start ' + args1 + '\n')
p2.stdin.write('start ' + args2 + '\n')

您还希望处理一个进程在另一个进程之前终止的情况。你可以Popen.poll用来检查一个进程是否已经完成,如果没有完成,它将返回None。尽管这可能不是您想要的处理方式,但您可以将循环的顶部更改为以下内容:

while True:
    if p1.poll() is not None and p2.poll() is not None:
        print 'p1 and p2 have both finished'
        break
    elif p1.poll() is not None:
        print 'p1 finished before p2'
        break
    elif p2.poll() is not None:
        print 'p2 finished before p1'
        break

    p1.stdin.write('continue\n')
    p2.stdin.write('continue\n')
    p1out = p1.stdout.readline()
    p2out = p2.stdout.readline()

读取单行可能不正确,您必须校准读取的行数才能获得正确的输出。

您应该将读取添加到stderr,或者/dev/null如果您不关心它,请将其发送到。如果您不执行其中任何一项,PIPE 缓冲区可能会填满并导致其挂起。

于 2013-06-25T17:13:59.793 回答