我想知道在超时完成异步过程时是否有办法恢复返回代码。 限制是我想在另一个python文件中的另一个类中恢复此代码。另外,我不想阻止我的GUI ......
在我的MainView.py中,我的代码为:
if self.comboBox.currentText() == "HASHCAT" :
self.process = Hashcat(MainWindow.hashcatPath, 100, 3, MainWindow.hashFilePath, MainWindow.dictPath, MainWindow.pathOutFile)
self.process.run(2)
我的Hashcat.py文件如下所示:
def run(self,timeout):
def target():
FNULL = open(os.devnull, 'w')
if self.typeAttack == 0 :
self.subprocess=\
subprocess.Popen([self.pathHashcat,"-m",str(self.algoHash),"-a",str(self.typeAttack),self.pathHashFile,self.pathDict,
"-o",self.pathOutFile],
stdout=FNULL, stderr=subprocess.STDOUT)
if self.typeAttack == 3 :
self.subprocess =\
subprocess.Popen(
[self.pathHashcat, "-m", str(self.algoHash), "-a", str(self.typeAttack),self.pathHashFile,"-o",self.pathOutFile])
self.timer.start()
self.subprocess.wait()
self.timer.cancel()
def timer_callback():
print('Terminating process (timed out)')
self.subprocess.terminate()
self.thread = threading.Thread(target=target)
self.timer = threading.Timer(timeout, timer_callback)
self.thread.start()
print(self.timer.isAlive)
答案 0 :(得分:2)
调用terminate
只是发送信号以杀死进程;在获得wait
之前,您可能仍需要returncode
;否则,它仍然是None
。
然而,returncode
不太可能有意义。您刚刚使用SIGTERM
终止了该过程,因此returncode
将成为-SIGTERM
。
如果问题只是terminate
花费的时间太长,或者确定性不大,那么SIGTERM
就是子进程可以用来干净关闭的东西,这可能需要时间 - 如果孩子有严重的错误,甚至可能无法做任何事情。如果您确实希望它立即消失,则需要发送SIGKILL
。 (这是来自终端的kill 12345
和kill -9 12345
之间的差异。)从subprocess
执行此操作的方法是调用kill
方法而不是terminate
理想的解决方案通常是在X秒后进行双重超时,例如terminate
,如果在没有终止的情况下再过了另一个Y秒,则为kill
。这使得进程有可能在可能的情况下进行正常关闭,但仍然保证在X + Y秒后确定性杀死。但这取决于某些程序的某些用途,给孩子额外的Y秒希望完成比给它Y秒清理更重要。或者它没有太大的区别,单步kill
只是更容易编码。
(如果您使用的是Windows,则会有所不同,但由于您使用的是OS X,因此无关紧要。)