如何读取(并放入新变量)存储在特定存储器地址的数据?
例如我知道:
<nfqueue.queue; proxy of <Swig Object of type 'queue *' at 0xabd2b00> >
我希望将数据存储在0xabd2b00的新变量中,以便我可以工作并使用对象的所有功能。假设我无法访问创建此对象的原始变量。
更新: 以上问题已经回答,所以我更新了我的问题。 假设我有两个python文件:file1.py和file2.py
File1.py:
.... rest of the code ....
class new_thread(threading.Thread):
def __init__(self, obj):
self.obj = obj
threading.Thread.__init__(self)
def run(self):
str = 'python file2.py'
args = shlex.split(str3)
tmp = subprocess.Popen(args, stdout=open('/dev/null','w'), stderr=open('/dev/null', 'w'))
.... rest of the code ....
在某些时候调用线程new_thread。
File2.py:
kolejka = nfqueue.queue()
此处创建,绑定和打开队列。然后执行无限循环的监听。结束它的唯一方法是取消绑定和关闭kolejka,但我希望file1.py这样做,因为它是一个“主”程序。在new_thread完成后,如何从文件中检索已初始化的kolejka以正确关闭队列?
当我尝试:
from file2 import kolejka
该脚本从头开始执行创建队列的所有过程(它尚未写为函数)。
答案 0 :(得分:4)
您不能 - 无法从特定地址读取数据。如果您没有(或无法检索)对您感兴趣的对象的引用,那么您就不幸了。
此外,即使你能够从某个地址读取数据,这也无济于事,因为除非你有参考,否则你无法知道要读取的地址。原始对象。然后,您不需要首先从内存中读取原始数据。
有一些方法可以在Python中的进程之间共享内存(例如multiprocessing模块)。但是,这对您的问题似乎有点过分。由于您从file2
开始new_thread
进程,最简单的解决方案可能是使用signal模块让new_thread
告诉file2
进程主程序退出时退出。
这允许file2.py
在关闭之前执行所需的任何清理,而且它也是一个干净的解决方案,因为file1.py
不需要知道有关如何关闭file2.py
的详细信息,使您的代码更加模块化,更易于维护。
def run(self):
...
child_process = subprocess.Popen(args, ...)
...
# time to quit - tell file2 to terminate
child_process.terminate()
import signal
import sys
...
kolejka = nfqueue.queue()
...
def sigterm_handler(signum, frame):
# close kolejka and do any other cleanup needed, then do:
sys.exit()
# Make sure sigterm_handler() is run when file1.py tells us
# to quit using child_process.terminate()
signal.signal(signal.SIGTERM, sigterm_handler)