1

def balloon_tip(title, msg)在我的代码中多次调用。这个 def 显示系统托盘通知气球。我希望任何时候我调用这个 def,它都应该在单独的进程或线程中处理这个 def。我尝试将此def设置为线程,但是它不起作用,因为它包含注册和注销WindowsBalloonTip的类。

 class WindowsBalloonTip:
    def __init__(self, title, msg):
        message_map = {
                win32con.WM_DESTROY: self.OnDestroy,
        }
        # Register the Window class.
        iconPathName= rootLocation + os.sep + d['iconPathName']

        wc = WNDCLASS()
        hinst = wc.hInstance = GetModuleHandle(None)
        wc.lpszClassName = "PythonTaskbar"
        wc.lpfnWndProc = message_map # could also specify a wndproc.
        classAtom = RegisterClass(wc)
        # Create the Window.
        style = win32con.WS_OVERLAPPED | win32con.WS_SYSMENU
        self.hwnd = CreateWindow( classAtom, "Taskbar", style, \
                0, 0, win32con.CW_USEDEFAULT, win32con.CW_USEDEFAULT, \
                0, 0, hinst, None)
        UpdateWindow(self.hwnd) 
        print iconPathName
        icon_flags = win32con.LR_LOADFROMFILE | win32con.LR_DEFAULTSIZE
        try:
            hicon = LoadImage(hinst,iconPathName, win32con.IMAGE_ICON, 16, 16,icon_flags)
        except:
            hicon = LoadIcon(0, win32con.IDI_APPLICATION)
            logging.debug("Image adding fail")
        flags = NIF_ICON | NIF_MESSAGE | NIF_TIP
        nid = (self.hwnd, 0, flags, win32con.WM_USER+20, hicon, "TITLE")
        Shell_NotifyIcon(NIM_ADD, nid)
        Shell_NotifyIcon(NIM_MODIFY, \
                         (self.hwnd, 0, NIF_INFO, win32con.WM_USER+20,\
                          hicon, "Balloon  tooltip",msg,200,title))
        # self.show_balloon(title, msg)
        global sleep
        time.sleep(sleep)
        DestroyWindow(self.hwnd)
        UnregisterClass(wc.lpszClassName, None)
    def OnDestroy(self, hwnd, msg, wparam, lparam):
        nid = (self.hwnd, 0)
        Shell_NotifyIcon(NIM_DELETE, nid)
        PostQuitMessage(0)
        # Terminate the app.

def balloon_tip(title, msg):
    w=WindowsBalloonTip(title, msg)
4

1 回答 1

1

我不确定你在问什么,但如果你只是想在线程中运行一个函数,这里是如何做到的

import threading

thread = threading.Thread(target=your_function, args=(1, 2, 3))  # args is optional
thread.start()

# thread.join()  # if needed
# thread.join(timeout=2.0)  # if needed

此外:

  • 您应该真正使用一些更高级别的窗口工具包,而不是原始 WIN32API;此外,由于您显然只在 Windows 上进行部署,您甚至可以考虑使用IronPython来完全访问所有 .NET UI 框架。
  • f.close()如果您已经使用 with 打开文件,则不应调用它 - 它会自动关闭它
  • 您不需要在使用它们的地方使用反斜杠,因为括号已经足够了:

    some_function_call(arg1, arg,    # <-- no `\`; expression wrapped in `()`
                       arg3, arg4)
    
  • 你应该从 Python 2.x 继承你的类object,否则你会得到一个不太好的旧式类:

    class WindowsBalloonTip(object):
        ...
    

    在 Python 3.x 中,这已经是默认设置了。

于 2013-10-03T11:13:06.860 回答