如何在GUI线程上调用方法?

时间:2016-10-12 09:43:24

标签: python multithreading audio pyglet

我正在制作一个小型程序,从网上商店获得最新收入,如果它超过之前发出的数量,我使用的是Pyglet,但是我得到错误,因为它没有从主线程调用。我想知道如何在主线程上调用方法。见下面的错误:

  

'导入pyglet.app'的线程RuntimeError:EventLoop.run()必须   从导入pyglet.app

的同一个线程调用
    def work ():
        threading.Timer(5, work).start()
        file_Name = "save.txt"
        lastRevenue = 0
        data = json.load(urllib2.urlopen(''))
        newRevenue = data["revenue"]
        if (os.path.getsize(file_Name) <= 0):
            with open(file_Name, "wb") as f:
                f.write('%d' % newRevenue)
                f.flush()
        with open(file_Name, "rb") as f:
            lastRevenue = float(f.readline().strip())
            print lastRevenue
            print newRevenue
            f.close()
            if newRevenue > lastRevenue:
                with open(file_Name, "wb") as f:
                    f.write('%f' % newRevenue)
                    f.flush()
                    playsound()  


    def playsound():
        music = pyglet.resource.media('cash.wav')
        music.play()
        pyglet.app.run()    

    work()

1 个答案:

答案 0 :(得分:1)

它并不特别奇怪。 work正在作为导入pyglet的单独线程执行。

导入时

pyglet.app设置了很多上下文变量,而不是。我说什么不是因为我实际上并没有考虑更深入地检查它实际设置的内容。

OpenGL不能从它自己的上下文(它所在的主线程)中执行。因为你不允许在相邻的线程上浏览OpenGL。如果这是有道理的。

但是,如果您创建自己的.run()函数并使用基于类的方法来激活Pyglet,则可以从该线程启动GUI。

这是一个如何设置它的工作示例:

import pyglet
from pyglet.gl import *
from threading import *

# REQUIRES: AVBin
pyglet.options['audio'] = ('alsa', 'openal', 'silent')

class main(pyglet.window.Window):
    def __init__ (self):
        super(main, self).__init__(300, 300, fullscreen = False)
        self.x, self.y = 0, 0

        self.bg = pyglet.sprite.Sprite(pyglet.image.load('background.jpg'))
        self.music = pyglet.resource.media('cash.wav')
        self.music.play()
        self.alive = 1

    def on_draw(self):
        self.render()

    def on_close(self):
        self.alive = 0

    def render(self):
        self.clear()
        self.bg.draw()
        self.flip()

    def run(self):
        while self.alive == 1:
            self.render()

            if not self.music.playing:
                self.alive = 0
            # -----------> This is key <----------
            # This is what replaces pyglet.app.run()
            # but is required for the GUI to not freeze
            #
            event = self.dispatch_events()

class ThreadExample(Thread):
    def __init__(self):
        Thread.__init__(self)
        self.start()

    def run(self):
        x = main()
        x.run()

Test_One = ThreadExample()

请注意,您仍然需要从线程中启动实际的GUI代码。

我强烈建议你做这件事

看到混合线程和GUI调用是一个滑坡,我建议你采取更谨慎的路径。

from threading import *
from time import sleep

def is_main_alive():
    for t in enumerate():
        if t.name == 'MainThread':
            return t.isAlive()

class worker(Thread):
    def __init__(self, shared_dictionary):
        Thread.__init__(self)
        self.shared_dictionary
        self.start()

    def run(self):
        while is_main_alive():
            file_Name = "save.txt"
            lastRevenue = 0
            data = json.load(urllib2.urlopen(''))
            newRevenue = data["revenue"]
            if (os.path.getsize(file_Name) <= 0):
                with open(file_Name, "wb") as f:
                    f.write('%d' % newRevenue)
                    f.flush()
            with open(file_Name, "rb") as f:
                lastRevenue = float(f.readline().strip())
                print lastRevenue
                print newRevenue
                f.close()
                if newRevenue > lastRevenue:
                    with open(file_Name, "wb") as f:
                        f.write('%f' % newRevenue)
                        f.flush()
                        #playsound()
                        # Instead of calling playsound() here,
                        # set a flag in the shared dictionary.
                        self.shared_dictionary['Play_Sound'] = True
            sleep(5)

def playsound():
    music = pyglet.resource.media('cash.wav')
    music.play()
    pyglet.app.run()    

shared_dictionary = {'Play_Sound' : False}
work_handle = worker(shared_dictionary)

while 1:
    if shared_dictionary['Play_Sound']:
        playsound()
        shared_dictionary['Play_Sound'] = False
    sleep(0.025)

这是你正在寻找的草稿 基本上是某种事件/标志驱动的后端,线程和GUI可以用来相互通信。

基本上你有一个工作线程(就像你之前一样),它每5秒检查一次你想要的文件,如果它检测到newRevenue > lastRevenue,它会将特定标志设置为True。您的主循环将检测到此更改,播放声音并将标志恢复为False。

我绝不会故意包含任何错误处理,我们在这里帮助而不是创建完整的解决方案。我希望这能帮助你朝着正确的方向前进。