我一直在玩quick (Canonical创建的用于快速开发Python + GTK应用程序的程序),我希望我开始开发的这个特定应用程序等待至少一个接口"up",并通过DHCP为其分配默认路由。
下面是目前为止的代码:import gettext
import subprocess
import time
from multiprocessing import Process, Queue, current_process
from gettext import gettext as _
gettext.textdomain('launcher')
import gtk
import logging
logger = logging.getLogger('launcher')
from launcher_lib import Window
from launcher.AboutLauncherDialog import AboutLauncherDialog
from launcher.PreferencesLauncherDialog import PreferencesLauncherDialog
# See launcher_lib.Window.py for more details about how this class works
class LauncherWindow(Window):
__gtype_name__ = "LauncherWindow"
def finish_initializing(self, builder): # pylint: disable=E1002
"""Set up the main window"""
super(LauncherWindow, self).finish_initializing(builder)
self.AboutDialog = AboutLauncherDialog
self.PreferencesDialog = PreferencesLauncherDialog
self.ui.status_label.set_text("Waiting for the interface to come up")
while True:
if subprocess.call(["/sbin/ifconfig | grep Bcast"], shell=True) == 0 and subprocess.call(["netstat -rn | grep UG | grep 0.0.0.0"], shell=True) == 0:
break
self.ui.status_label.set_text("Loaded")
# There is more code after this, but this should be all that I
# need to get the GUI to show a status line saying the interface
# is up... right???
现在,这一切都很好,但它阻塞了应用程序的启动,所以它看起来只是挂起,直到进程返回true。
我想做的是把它推到一个单独的进程中,然而,我有点^h^w^h很多Python新手,虽然我已经找到了多处理库,但我似乎无法推self.ui。status_label转换成任何我可以从生成的进程中重用的东西。
例如,我是否这样定义一个变量:
# after line:
logger = logging.getLogger('launcher')
# add this
status_label = None
然后像这样引用:
# after line:
self.PreferencesDialog = PreferencesLauncherDialog
# add this
status_label = self.ui.status_label
# Then set it like this:
status_label.set_text("Waiting for the interface to come up")
或者,我应该创建一个只处理更新状态窗口的新类(如果是这样,我应该如何做到这一点),或者…我是不是应该丢掉self。ui。status_label周围,每当我想设置它?我试过这样做:
def update_status(me):
me.ui.status_label.set_text("Update me!")
return True
# And then in the finish_initializing() code
update_status(self)
但这只是说
NameError: global name 'self' is not defined
我尽了最大的努力,但我现在很困惑,而且,正如我提到的,Python不是一种我完全不熟悉的语言,但我要试一试:)
注:,我认为这应该有标签"快速",但是,我还没有声誉,还没有创建这个标签。
我会使用线程模块而不是多处理模块:http://docs.python.org/library/threading.html
这样做的原因是新线程将在与主程序相同的上下文中执行,因此当子进程具有不同的上下文中时,交换数据将容易得多。这样做的方法是创建一个提供run()方法的小类(比如InterfaceListener)。然后在InterfaceListener类的构造函数中,确保传递标签并存储它。然后在run方法中,等待接口出现,当它出现时,更新标签。比如:
class InterfaceListener(object):
def __init__(self, label):
self.__label = label
def run(self):
while True:
if subprocess.call(["/sbin/ifconfig | grep Bcast"], shell=True) == 0 and
subprocess.call(["netstat -rn | grep UG | grep 0.0.0.0"], shell=True) == 0:
break
self.__label.set_text("Loaded")
然后在上面的finish_initializing方法中,就在第一个self.ui.status_label之后。Set_text,添加如下内容:
t = threading.Thread(target=InterfaceListener(self.ui.status_label))
t.start()
我还没有测试过这个,所以你可能不得不适应。另一种选择是使用Timer对象定期检查接口,而不是使用while True循环。