我刚使用multithreading
库将脚本移植到multiprocessing
库,因此,我遇到了与进程之间共享内存的方式相关的问题。
快速概述,我的工作人员正在消耗一系列文字;当一个工人找到一个命中时,它应该传播一个信号(全局变量或任何实现)来命令其他正在运行的进程终止。
这是我工人的主要方法:
def run(self):
while not self.queue.empty():
entry = self.queue.get()
try:
payload = jwt.decode(self.token, entry, algorithm = 'HS256')
except jwt.InvalidTokenError:
if self.verbose:
print(DEBUG + "[{}] ".format(self.name) + "InvalidTokenError: " + Style.BRIGHT + entry + RESET)
continue
except jwt.DecodeError:
print(WARNING + "[{}] ".format(self.name) + "DecodingError: " + Style.BRIGHT + entry + RESET)
continue
except Exception as ex:
print(ERROR + "[{}] ".format(self.name) + "Exception: " + Style.BRIGHT + "{}".format(ex) + RESET)
continue
# Save the holy secret into a file in case sys.stdout is not responding
with open("jwtpot.pot", "a+") as file:
file.write("{0}:{1}:{2}".format(self.token, payload, entry))
print(RESULT + "[{}] ".format(self.name) + "Secret key saved to location: " + Style.BRIGHT + "{}".format(file.name) + RESET)
print(RESULT + "[{}] ".format(self.name) + "Secret key: " + Style.BRIGHT + entry + RESET)
print(RESULT + "[{}] ".format(self.name) + "Payload: " + Style.BRIGHT + "{}".format(payload) + RESET)
break
self.queue.task_done()
以下是我在我的主要实例中启动和启动流程的方法:
# Load and segmentate the wordlist into the queue
print(INFO + "Processing the wordlist..." + RESET)
queue = populate_queue(queue, wordlist, verbose)
print(INFO + "Total retrieved words: " + Style.BRIGHT + "{}".format(queue.qsize()) + RESET)
for i in range(process_count):
process = Process(queue, token, verbose)
process.daemon = True
print(INFO + "Starting {}".format(process.name) + RESET)
process.start()
processes.append(process)
print(WARNING + "Pour yourself some coffee, this might take a while..." + RESET)
# Block the parent-process until all the child-processes finish to process the queue
for process in processes:
process.join()
答案 0 :(得分:0)
我会从所有子进程创建一个(共享)管道回到父进程。然后,找到密钥的进程可以向管道写入一些内容以指示找到的内容。如果进程未找到密钥并且队列为空,则它将退出。
父母只是等待它从管道返回一些东西,这将在孩子写入管道或所有孩子退出时发生。然后它会杀死所有仍在运行的孩子。
这是一个快速的黑客证明:
from multiprocessing import *
from time import sleep
def process(pid, rpipe, wpipe):
rpipe.close()
sleep(1 + pid * 0.1)
if pid == 5:
print("I found it!")
wpipe.send((pid, "GOT IT"))
print("Process %d exiting" % pid)
wpipe.close()
def one_try(findit):
processes = []
rpipe, wpipe = Pipe()
for i in range(15):
# Start
if i != 5 or findit:
p = Process(target=process, args=(i, rpipe, wpipe))
p.start()
processes.append((i, p))
# Close write pipe in the parent so we get EOF when all children are gone
wpipe.close()
try:
pid, result = rpipe.recv()
print("%s was found by %s" % (result, pid))
print("Will kill other processes")
except EOFError:
print("Nobody found it!")
rpipe.close()
for i, p in processes:
p.terminate()
p.join()
one_try(True) # Should have one process that finds it
one_try(False) # Nobody found it