3

每个操作系统都有一个活动指示器。OS X 和 iOS 都有一朵花,它会以圆形图案点亮和淡化每个踏板。Windows 有一个旋转的蓝色磁盘。Android有一个灰盘的东西(我认为它也可以有各种其他颜色 - IDK,我不太使用Android。)

在 Tkinter 中使用这些图标的最佳方式是什么?是否有一些提供此功能的内置小部件?是否有一个变量可以让我指向一个 Image 小部件以使其显示此图标(并为其设置动画?)

我知道 Tkinter 提供了一个进度条,它有一个不确定的模式。我不想使用它 - 我需要适合小正方形区域的东西,而不是长方形区域。第一段中描述的活动指标将是完美的。

还是我最好的选择就是滚动我自己的画布动画?

4

1 回答 1

0

这对于您尝试做的事情应该足够了。我会创建自己的动画或从互联网上逐帧下载您想要显示的动画。画布更适合与用户进行交互,这就是我使用标签来显示图像的原因......

import tkinter as tk

class Activity(tk.Label):
    def __init__(self, master = None, delay = 1000, cnf = {}, **kw):
        self._taskID = None
        self.delay = delay
        return super().__init__(master, cnf, **kw)

    # starts the animation
    def start(self):
        self.after(0, self._loop)

    # calls its self after a specific <delay>
    def _loop(self):
        currentText = self["text"] + "."

        if currentText == "....":
            currentText = ""

        self["text"] = currentText

        self._taskID = self.after(self.delay, self._loop)

    # stopps the loop method calling its self
    def stop(self):
        self.after_cancel(self._taskID)
        # Depends if you want to destroy the widget after the loop has stopped
        self.destroy()


class AcitivityImage(Activity):
    def __init__(self, imagename, frames, filetype, master = None, delay = 1000, cnf = {}, **kw):
        self._frames = []
        self._index = 0
        for i in range(frames):
            self._frames.append(tk.PhotoImage(file = imagename+str(i)+'.'+str(filetype)))

        return super().__init__(master, delay, cnf, **kw)

    def _loop(self):
        self["image"] = self._frames[self._index]

        # add one to index if the index is less then the amount of frames
        self._index = (self._index + 1 )% len(self._frames)

        self._taskID = self.after(self.delay, self._loop)


root = tk.Tk()
root.geometry("500x500")

# create a activity image widget
#root.b = AcitivityImage("activity", 3, "png", root)
#root.b.pack()

# create the activity widget
root.a = Activity(root, 500, bg = "yellow")
root.a.pack()

# start the loop
root.a.start()
#root.b.start()

# stop the activity loop after 7 seconds
root.after(7000, root.a.stop)
#root.after(8000, root.b.stop)

root.mainloop().
于 2016-03-02T16:53:50.113 回答