Matplotlib图与多处理一起使用时没有响应

时间:2014-06-10 21:59:48

标签: python matplotlib multiprocessing

我正在尝试创建一个非常基本的应用程序,它将从流数据源更新matplotlib中的图表。数据在单独的过程中接收。但即使是最基本的显示器,我的matplotlib图也一直在我身上。 matplotlib窗口失去交互性并转变为“图1(无响应)”。我是否需要明确地给matplotlib一些CPU时间,以使其与multiprocessing很好地协同工作?

这是一个在Windows 7,64Bit,Python 2.7.3 32Bit上几乎所有后端都死掉的基本示例。我正在使用来自here的scipy-stack的非官方二进制文件:

编辑:它似乎也不适用于Ubuntu(32位)。

import time

from multiprocessing import Process

import matplotlib.pyplot as plt

def p1_func():
    while True:
        time.sleep(1)


def p2_func():
    plt.ion()
    plt.plot([1.6, 2.7])
    while True:
        time.sleep(1)

if __name__ == '__main__':

    p1_proc = Process(target=p1_func)
    p2_proc = Process(target=p2_func)

    p1_proc.start()
    p2_proc.start()

    p1_proc.join()
    p2_proc.join()

我做错了什么?

您如何通常将实时数据和线程(多处理或其他)共存的matplotlib交互式图表共存?

4 个答案:

答案 0 :(得分:3)

下面是一个简单的例子

import time
from multiprocessing import Process, Pipe

import numpy as np
import matplotlib.pyplot as plt

class DataStreamProcess(Process):
    def __init__(self, connec, *args, **kwargs):
        self.connec = connec
        Process.__init__(self, *args, **kwargs)

    def run(self):
        random_gen = np.random.mtrand.RandomState(seed=127260)
        for _ in range(30):
            time.sleep(0.01)
            new_pt = random_gen.uniform(-1., 1., size=2)
            self.connec.send(new_pt)


def main():
    conn1, conn2  = Pipe()
    data_stream = DataStreamProcess(conn1)
    data_stream.start()

    plt.gca().set_xlim([-1, 1.])
    plt.gca().set_ylim([-1, 1.])
    plt.gca().set_title("Running...")
    plt.ion()

    pt = None
    while True:
        if not(conn2.poll(0.1)):
            if not(data_stream.is_alive()):
                break
            else:
                continue
        new_pt = conn2.recv()
        if pt is not None:
            plt.plot([pt[0], new_pt[0]], [pt[1], new_pt[1]], "bs:")
            plt.pause(0.001)
        pt = new_pt

    plt.gca().set_title("Terminated.")
    plt.draw()
    plt.show(block=True)

if __name__ == '__main__':
    main()

答案 1 :(得分:3)

我在matplotlib.animation中使用multiprocessing.Pool时遇到问题(进程会无声地崩溃)我可以通过遵循@deinonychusaur的建议来解决它们,即使用非交互式后端

将此添加到您的导入中:

import matplotlib
matplotlib.use('AGG')  # Do this BEFORE importing matplotlib.pyplot
import matplotlib.pyplot as plt

在此处了解后端:http://matplotlib.org/faq/usage_faq.html#what-is-a-backend

答案 2 :(得分:1)

您也可以使用线程,我使用pylab进行绘图。

import pylab
from threading import Thread


def threaded_function(arg):
    pylab.plot(range(1,10))
    pylab.show(block=True)


if __name__ == "__main__":
    thread = Thread(target = threaded_function, args = (10, ))
    thread.start()
    thread.join()
    print("thread finished...exiting")

答案 3 :(得分:0)

join()等待整个过程完成。在这种情况下,代码正在等待无限循环:)

在@ tcaswell的评论的基础上,混合GUI循环和多处理的东西是冒险的。首先尝试这个,而不是上面的连接代码:

   procs = [p1_proc, p2_proc]
   while any( (p.is_alive() for p in procs) ):
      time.sleep(1)