7

我正在尝试将结果或函数runcmd保存在变量Result中。这是我尝试过的:导入子流程

def runcmd(cmd):
  x = subprocess.Popen(cmd, stdout=subprocess.PIPE)
  Result = x.communicate(stdout)
  return Result
runcmd("dir")

当我运行这些代码时,我得到了这个结果:

Traceback (most recent call last):
  File "C:\Python27\MyPython\MyCode.py", line 7, in <module>
    runcmd("dir")
  File "C:\Python27\MyPython\MyCode.py", line 4, in runcmd
    x = subprocess.Popen(cmd, stdout=subprocess.PIPE)
  File "C:\Python27\lib\subprocess.py", line 679, in __init__
errread, errwrite)
  File "C:\Python27\lib\subprocess.py", line 893, in _execute_child
    startupinfo)
WindowsError: [Error 2] The system cannot find the file specified

我能做些什么来解决这个问题?

4

2 回答 2

15

我认为您正在寻找的是 os.listdir()

查看os 模块了解更多信息

一个例子:

>>> import os
>>> l = os.listdir()
>>> print (l)
['DLLs', 'Doc', 'google-python-exercises', 'include', 'Lib', 'libs', 'LICENSE.txt', 'NEWS.txt', 'python.exe', 'pythonw.e
xe', 'README.txt', 'tcl', 'Tools', 'VS2010Cmd.lnk']
>>>

您还可以将输出读入列表:

result = []
process = subprocess.Popen('dir', 
    shell=True, 
    stdout=subprocess.PIPE, 
    stderr=subprocess.PIPE )
for line in process.stdout:
    result.append(line)
errcode = process.returncode
for line in result:
    print(line)
于 2013-11-06T18:10:40.483 回答
13

据我所知,dir它是Windows中 shell 的内置命令,因此不是可作为程序执行的文件。这可能就是为什么subprocess.Popen找不到它。但是您可以尝试像这样添加shell=TruePopen()构造函数调用中:

def runcmd(cmd):
    x = subprocess.Popen(cmd, stdout=subprocess.PIPE, shell=True)
    return x.communicate(stdout)

runcmd("dir")

如果shell=True没有帮助,那么您dir直接执行就不走运了。但是你可以创建一个.bat文件并在dir那里调用,然后.bat从 Python 调用该文件。

顺便说一句,还检查了PEP8

PS正如 Mark Ransom 在评论中指出的那样,如果无法解决问题,您可以将['cmd', '/c', 'dir']其用作 valuecmd而不是.bathack 。shell=True

于 2013-11-06T18:07:08.890 回答