首先,我想说我只是开始学习python,我想在我的python脚本中执行maven命令(请参阅下面的部分代码)
os.System(" MVN Surefire:test")
但不幸的是,有时此命令会超时,所以我想知道如何设置超时门槛来控制此命令。
也就是说,如果执行时间超过x秒,则程序将跳过命令。
还有什么,其他有用的解决方案还能处理我的问题吗?预先感谢!
改用子过程模块。通过使用列表并坚持使用默认的shell=False
,我们可以在超时命中时杀死该过程。
p = subprocess.Popen(['mvn', 'surfire:test'])
try:
p.wait(my_timeout)
except subprocess.TimeoutExpired:
p.kill()
另外,您可以在终端超时使用:
确实喜欢:
import os
os.system('timeout 5s [Type Command Here]')
另外,您可以使用S,M,H,D使用第二,最小,小时,一天。您可以将不同的信号发送到命令。如果您想了解更多信息,请参阅:https://linuxize.com/post/timeout-command-in-linux/
简单答案
os.system
不支持timeout
。
您可以使用Python 3
的子过程,该子过程支持timeout
参数
例如:
yourCommand = "mvn surefire:test"
timeoutSeconds = 5
subprocess.check_output(yourCommand, shell=True, timeout=timeoutSeconds)
详细说明
进一步,我已将其封装到您的函数getCommandOutput:
def getCommandOutput(consoleCommand, consoleOutputEncoding="utf-8", timeout=2):
"""get command output from terminal
Args:
consoleCommand (str): console/terminal command string
consoleOutputEncoding (str): console output encoding, default is utf-8
timeout (int): wait max timeout for run console command
Returns:
console output (str)
Raises:
"""
# print("getCommandOutput: consoleCommand=%s" % consoleCommand)
isRunCmdOk = False
consoleOutput = ""
try:
# consoleOutputByte = subprocess.check_output(consoleCommand)
consoleOutputByte = subprocess.check_output(consoleCommand, shell=True, timeout=timeout)
# commandPartList = consoleCommand.split(" ")
# print("commandPartList=%s" % commandPartList)
# consoleOutputByte = subprocess.check_output(commandPartList)
# print("type(consoleOutputByte)=%s" % type(consoleOutputByte)) # <class 'bytes'>
# print("consoleOutputByte=%s" % consoleOutputByte) # b'640x360n'
consoleOutput = consoleOutputByte.decode(consoleOutputEncoding) # '640x360n'
consoleOutput = consoleOutput.strip() # '640x360'
isRunCmdOk = True
except subprocess.CalledProcessError as callProcessErr:
cmdErrStr = str(callProcessErr)
print("Error %s for run command %s" % (cmdErrStr, consoleCommand))
# print("isRunCmdOk=%s, consoleOutput=%s" % (isRunCmdOk, consoleOutput))
return isRunCmdOk, consoleOutput
演示:
isRunOk, cmdOutputStr = getCommandOutput("mvn surefire:test", timeout=5)