1

我想知道是否有人知道将闪烁文本编程到 wxPython 中的方法?(我对 wxPython 相当陌生)它会每隔半秒左右在红色和正常之间闪烁一次,我使用的是 Python 2.7.3,而不是最新版本。

谢谢

克里斯

4

1 回答 1

1

您需要了解如何动态更改字体。通常,它只是调用小部件的 SetFont() 方法。既然您想定期执行此操作,那么您几乎肯定会想要使用 wx.Timer。如果您愿意,可以阅读我关于该主题的教程。我可能会使用 StaticText 小部件。

更新:这是一个愚蠢的例子:

import random
import time
import wx

########################################################################
class MyPanel(wx.Panel):
    """"""

    #----------------------------------------------------------------------
    def __init__(self, parent):
        """Constructor"""
        wx.Panel.__init__(self, parent)

        self.font = wx.Font(12, wx.DEFAULT, wx.NORMAL, wx.NORMAL)
        self.flashingText = wx.StaticText(self, label="I flash a LOT!")
        self.flashingText.SetFont(self.font)

        self.timer = wx.Timer(self)
        self.Bind(wx.EVT_TIMER, self.update, self.timer)
        self.timer.Start(1000)

    #----------------------------------------------------------------------
    def update(self, event):
        """"""
        now = int(time.time())
        mod = now % 2
        print now
        print mod
        if mod:
            self.flashingText.SetLabel("Current time: %i" % now)
        else:
            self.flashingText.SetLabel("Oops! It's mod zero time!")
        colors = ["blue", "green", "red", "yellow"]
        self.flashingText.SetForegroundColour(random.choice(colors))

########################################################################
class MyFrame(wx.Frame):
    """"""

    #----------------------------------------------------------------------
    def __init__(self):
        """Constructor"""
        wx.Frame.__init__(self, None, title="Flashing text!")
        panel = MyPanel(self)
        self.Show()

#----------------------------------------------------------------------
if __name__ == "__main__":
    app = wx.App(False)
    frame = MyFrame()
    app.MainLoop()
于 2012-08-07T15:55:26.930 回答