我有一个奇怪的要求,我需要从python中调用一个脚本,我正在使用子进程模块,然后从脚本中调用原始类的函数。我有类似的东西 -
import subprocess
import textwrap
import sys
class caller:
def call_script(self):
script = textwrap.dedent("""\
#! /usr/bin/env python
import caller
print ("Before the callback")
caller().callback()
print ("After the callback")
""")
subprocess.Popen(script, shell=True, executable=sys.executable())
def callback(self):
print("inside the callback")
当然,我现在意识到从脚本调用的回调不是执行脚本的同一个对象的方法。有没有办法将self对象传递给脚本,或者我可以获得调用脚本的原始对象的回调方法的任何其他方式?
答案 0 :(得分:1)
脚本恰好在一个完全不同的过程中运行,您必须设计一种在进程之间进行通信的方法。 (为此您可以使用:本地套接字,可能是multiprocessing包,可能通过子进程管道) - 没有简单的方法将有意义的对象引用传递给另一个进程。
答案 1 :(得分:0)
好的,@ knitti建议脚本在一个完全不同的过程中运行,所以我通过信号,文件和全局变量的组合解决了这个问题。没有声称这是最优雅的解决方案,但它对我有用 -
import subprocess, textwrap, os, signal
caller_object = None
def signal_handler(signum, frame):
caller_object.callback()
comm_file = "/tmp/somefile"
class caller:
def call_script(self):
signal.signal(signal.SIGALRM, mockproc_callback)
# Need to pass the process id to the script.
with open(comm_file, 'w') as pipe:
pipe.write("{0}".format(os.getpid()))
# Also set the global object so that callback function could be called by handler
global caller_object
caller_object = self
script = textwrap.dedent("""\
#! /usr/bin/env python
import caller, signal, os
with open("{0}", "r") as pipe:
# Read the pid of original process
pid = pipe.read()
print ("Before the callback")
# Although its named kill, os.kill could be used to send all sort of signals to a process
os.kill(int(pid), signal.SIGALRM)
print ("After the callback")
""".format(comm_file))
subprocess.Popen(script, shell=True, executable=sys.executable())
def callback(self):
print("inside the callback")
我相信还有很大的改进空间。