4

我似乎无法QProcess将命令传递给cmd.exevia stdin。我也尝试过其他命令行应用程序。

这是我用来尝试和调试的一些简单代码:

prog = "c:/windows/system32/cmd.exe"
arg = [""]
p = QtCore.QProcess()
retval = p.start(prog, arg)
print retval
print p.environment()
print p.error()
p.waitForStarted()
print("Started")
p.write("dir \n")
time.sleep(2)
print(p.readAllStandardOutput())
print(p.readAllStandardError())
p.waitForFinished()
print("Finished")
print p.ExitStatus()

输出:

None
[]
PySide.QtCore.QProcess.ProcessError.UnknownError
Started

{时间流逝}

Finished
PySide.QtCore.QProcess.ExitStatus.NormalExit
QProcess: Destroyed while process is still running.

那么“ dir \n”命令是否从未发出?

4

2 回答 2

0

您的代码有几个问题。

  1. 将空字符串作为参数传递(显然)不是一个好主意
  2. start(...)方法不返回值,但waitForStarted()确实
  3. 在调用readAllStandardOutput()call之前waitForReadyRead()
  4. waitForFinished()除非您使进程(cmd.exe)实际退出,否则不会返回(或只是超时)

对于您的示例,这应该是一个最小的工作版本:

from PySide import QtCore

prog = "cmd.exe"
arg = []
p = QtCore.QProcess()
p.start(prog, arg)
print(p.waitForStarted())

p.write("dir \n")
p.waitForReadyRead()
print(p.readAllStandardOutput())

p.write("exit\n")
p.waitForFinished()
print("Finished: " + str(p.ExitStatus()))
于 2013-02-25T18:20:10.240 回答
0

看起来您需要在读取输出之前关闭写入通道。

这适用于我在 WinXP 上:

from PySide import QtCore

process = QtCore.QProcess()
process.start('cmd.exe')

if process.waitForStarted(1000):

    # clear version message
    process.waitForFinished(100)
    process.readAllStandardOutput()

    # send command
    process.write('dir \n')
    process.closeWriteChannel()
    process.waitForFinished(100)

    # read and print output
    print process.readAllStandardOutput()

else:
    print 'Could not start process'
于 2012-11-23T02:45:27.317 回答