我试图通过errbot将PowerShell输出恢复为松弛。机器人正常运行,正确运行代码,输出正在shell中按预期显示。我可以按原样通过python代码发送返回的数据,还是需要返回一个返回的对象?下面我希望var x给我返回的数据,但显然不是。
@botcmd
def find_vm(self, args, SearchString):
x = subprocess.call(["C:\\WINDOWS\\system32\\WindowsPowerShell\\v1.0\\powershell.exe", ". \"C:\\Program Files\\Toolbox\\PowerShell Modules\\vmware\\./vmware.psm1\";", "find-vm", SearchString])
return x
答案 0 :(得分:2)
subprocess.call
不返回命令的输出,但返回进程的returncode
。您需要使用其他功能,例如subprocess.check_output
:
@botcmd
def find_vm(self, args, SearchString):
try:
output = subprocess.check_output([
r"C:\WINDOWS\system32\WindowsPowerShell\v1.0\powershell.exe",
r'. "C:\Program Files\Toolbox\PowerShell Modules\vmware\./vmware.psm1";',
"find-vm",
SearchString
])
except subprocess.CalledProcessError:
# Error handling
return 'Command failed'
return output
SIDE注意:使用原始字符串文字,您可以紧凑地表达反斜杠:
>>> r"C:\WINDOWS\system32\WindowsPowerShell\v1.0\powershell.exe" == \
... "C:\\WINDOWS\\system32\\WindowsPowerShell\\v1.0\\powershell.exe"
True