Tkinter重叠网格小部件

时间:2019-01-14 14:01:37

标签: python python-2.7 tkinter

每个人。我是Python的新手,尝试学习它,因为我未来的工作将需要我知道它。我正在与Tkinter一起玩,试图使ping命令起作用。该脚本的结果将在第0列中显示服务器列表,并在第1列中显示服务器状态为up或down。除了一件事,它可以正常工作:小部件重叠,导致此脚本成为内存消耗。例如,如果网站“ google.com”响应为“ UP”,而我断开了互联网连接,它将显示为“ DOWN”。但是,只要重新插入我的互联网,它就会显示为“ UP”,但是我可以在标签后面看到“ DOWN”一词的残留。我尝试过各种方法在每次使用前都销毁小部件,但无法使其正常工作。我知道我的代码是否有点凌乱,所以我肯定会受到批评。下面是我在“主机”变量中列出的一些示例站点的代码:

import pyping
import Tkinter as tk
from Tkinter import *
import time

host = ["google.com", "yahoo.com", "espn.com"]

root = tk.Tk()

class PingTest:

    result = []
    resultfc = []

    def __init__(self, hostname, inc):
        self.hostname = hostname
        self.inc = inc
        self.ping(hostname)

    def results(self, result1, resultfc1):
        self.result = result1
        self.resultfc = resultfc1

    def ping(self, y):
        self.y = y
        q = ""
        try:
            x = pyping.ping(self.y, count=1)
            q = x.ret_code
        except Exception:
            pass
        finally:
            if q == 0:
                self.results("UP", "green")
            else:
                self.results("DOWN", "red")

        self.window()

    def window(self):

        self.label1 = Label(root, text=self.hostname)
        self.label2 = Label(root, text=self.result, fg=self.resultfc, bg="black")

        a = Label(root, text=self.hostname)
        b = Label(root, text=self.result, fg=self.resultfc, bg="black")
        b.update()
        b.update_idletasks()
        if b == TRUE:
            b.grid_forget() # These two lines don't seem to help my cause
            b.destroy()
        a.grid(row=self.inc, column=0)
        b.grid(row=self.inc, column=1)


while TRUE:
    i = 0
    for h in host:
        PingTest(h, i)
        i += 1
    time.sleep(1)

1 个答案:

答案 0 :(得分:1)

我会更新标签,而不是销毁标签。

我们可以使用线程检查每个站点,而不必阻止mainloop()。 通过创建标签列表,您可以使用列表的索引在GUI上设置标签,与此同时,我们可以为列表中的每个对象启动一个线程,以检查站点状态并返回站点是否正常运行。我选择使用urllibthreading来完成这项工作。

import tkinter as tk
import urllib.request
import threading
import time

host = ["google.com", "yahoo.com", "espn.com"]

class CheckURL:
    def __init__(self, host, widget):
        self.host = host
        self.widget = widget
        self.update_labels()

    def update_labels(self):
        if urllib.request.urlopen("http://www." + self.host).getcode() == 200:
            self.widget.config( text='UP', fg='green')
        else:
            self.widget.config(text='DOWN', fg='red')
        time.sleep(5)
        self.update_labels()

root = tk.Tk()
labels = []

for ndex, x in enumerate(host):
    tk.Label(root, text=x).grid(row=ndex, column=0)
    labels.append(tk.Label(root, text='DOWN', fg='red'))
    labels[-1].grid(row=ndex, column=1)
    threading._start_new_thread(CheckURL, (x, labels[-1]))

root.mainloop()