29

有没有人有一个如何将 Python 中的日志记录设置到 Tkinter 文本小部件的示例?我已经在几个应用程序中看到了这一点,但无法弄清楚如何将日志记录定向到日志文件以外的任何内容。

4

6 回答 6

16

In addition to the above answers: even though there are a lot of proposed solutions for this (here and also in this other thread), I was struggling quite a bit to make this work myself. Eventually I ran into this text handler class by Moshe Kaplan, which uses a ScrolledText widget (which is probably easier than the ScrollBar method).

It took me some time to figure out how to actually use Moshe's class in a threaded application. In the end I created a minimal demo script that shows how to make it all work. As it might be helpful to others I'm sharing it below. In my particular case I wanted to log to both the GUI and to a text file; if you don't need that just remove the filename attribute in logging.basicConfig.

import time
import threading
import logging
try:
    import tkinter as tk # Python 3.x
    import tkinter.scrolledtext as ScrolledText
except ImportError:
    import Tkinter as tk # Python 2.x
    import ScrolledText

class TextHandler(logging.Handler):
    # This class allows you to log to a Tkinter Text or ScrolledText widget
    # Adapted from Moshe Kaplan: https://gist.github.com/moshekaplan/c425f861de7bbf28ef06

    def __init__(self, text):
        # run the regular Handler __init__
        logging.Handler.__init__(self)
        # Store a reference to the Text it will log to
        self.text = text

    def emit(self, record):
        msg = self.format(record)
        def append():
            self.text.configure(state='normal')
            self.text.insert(tk.END, msg + '\n')
            self.text.configure(state='disabled')
            # Autoscroll to the bottom
            self.text.yview(tk.END)
        # This is necessary because we can't modify the Text from other threads
        self.text.after(0, append)

class myGUI(tk.Frame):

    # This class defines the graphical user interface 

    def __init__(self, parent, *args, **kwargs):
        tk.Frame.__init__(self, parent, *args, **kwargs)
        self.root = parent
        self.build_gui()

    def build_gui(self):                    
        # Build GUI
        self.root.title('TEST')
        self.root.option_add('*tearOff', 'FALSE')
        self.grid(column=0, row=0, sticky='ew')
        self.grid_columnconfigure(0, weight=1, uniform='a')
        self.grid_columnconfigure(1, weight=1, uniform='a')
        self.grid_columnconfigure(2, weight=1, uniform='a')
        self.grid_columnconfigure(3, weight=1, uniform='a')

        # Add text widget to display logging info
        st = ScrolledText.ScrolledText(self, state='disabled')
        st.configure(font='TkFixedFont')
        st.grid(column=0, row=1, sticky='w', columnspan=4)

        # Create textLogger
        text_handler = TextHandler(st)

        # Logging configuration
        logging.basicConfig(filename='test.log',
            level=logging.INFO, 
            format='%(asctime)s - %(levelname)s - %(message)s')        

        # Add the handler to logger
        logger = logging.getLogger()        
        logger.addHandler(text_handler)

def worker():
    # Skeleton worker function, runs in separate thread (see below)   
    while True:
        # Report time / date at 2-second intervals
        time.sleep(2)
        timeStr = time.asctime()
        msg = 'Current time: ' + timeStr
        logging.info(msg) 

def main():

    root = tk.Tk()
    myGUI(root)

    t1 = threading.Thread(target=worker, args=[])
    t1.start()

    root.mainloop()
    t1.join()

main()

Github Gist link to above code here:

https://gist.github.com/bitsgalore/901d0abe4b874b483df3ddc4168754aa

于 2017-01-31T14:14:21.600 回答
10

您应该子类化logging.Handler,例如:

import logging
from Tkinter import INSERT

class WidgetLogger(logging.Handler):
    def __init__(self, widget):
        logging.Handler.__init__(self)
        self.widget = widget

    def emit(self, record):
        # Append message (record) to the widget
        self.widget.insert(INSERT, record + '\n')
于 2012-11-10T07:35:38.667 回答
10

我以 Yuri 的想法为基础,但需要进行一些更改才能使事情正常进行:

import logging
import Tkinter as tk

class WidgetLogger(logging.Handler):
    def __init__(self, widget):
        logging.Handler.__init__(self)
        self.setLevel(logging.INFO)
        self.widget = widget
        self.widget.config(state='disabled')

    def emit(self, record):
        self.widget.config(state='normal')
        # Append message (record) to the widget
        self.widget.insert(tk.END, self.format(record) + '\n')
        self.widget.see(tk.END)  # Scroll to the bottom
        self.widget.config(state='disabled')

请注意,将状态从“正常”到“禁用”来回切换是使Text小部件只读的必要条件。

于 2013-12-18T23:58:18.940 回答
2

在福特的答案的基础上,这里有一个滚动的文本小部件,它跟踪日志。logging_handler成员是您添加到记录器的内容。

import logging
from Tkinter import END, N, S, E, W, Scrollbar, Text
import ttk

class LoggingHandlerFrame(ttk.Frame):

    class Handler(logging.Handler):
        def __init__(self, widget):
            logging.Handler.__init__(self)
            self.setFormatter(logging.Formatter("%(asctime)s: %(message)s"))
            self.widget = widget
            self.widget.config(state='disabled')

        def emit(self, record):
            self.widget.config(state='normal')
            self.widget.insert(END, self.format(record) + "\n")
            self.widget.see(END)
            self.widget.config(state='disabled')

    def __init__(self, *args, **kwargs):
        ttk.Frame.__init__(self, *args, **kwargs)

        self.columnconfigure(0, weight=1)
        self.columnconfigure(1, weight=0)
        self.rowconfigure(0, weight=1)

        self.scrollbar = Scrollbar(self)
        self.scrollbar.grid(row=0, column=1, sticky=(N,S,E))

        self.text = Text(self, yscrollcommand=self.scrollbar.set)
        self.text.grid(row=0, column=0, sticky=(N,S,E,W))

        self.scrollbar.config(command=self.text.yview)

        self.logging_handler = LoggingHandlerFrame.Handler(self.text)
于 2016-02-12T14:55:35.970 回答
2

也建立在福特的基础上,但添加了彩色文字!

class WidgetLogger(logging.Handler):
    def __init__(self, widget):
        logging.Handler.__init__(self)
        self.setLevel(logging.DEBUG)
        self.widget = widget
        self.widget.config(state='disabled')
        self.widget.tag_config("INFO", foreground="black")
        self.widget.tag_config("DEBUG", foreground="grey")
        self.widget.tag_config("WARNING", foreground="orange")
        self.widget.tag_config("ERROR", foreground="red")
        self.widget.tag_config("CRITICAL", foreground="red", underline=1)

        self.red = self.widget.tag_configure("red", foreground="red")
    def emit(self, record):
        self.widget.config(state='normal')
        # Append message (record) to the widget
        self.widget.insert(tk.END, self.format(record) + '\n', record.levelname)
        self.widget.see(tk.END)  # Scroll to the bottom
        self.widget.config(state='disabled') 
        self.widget.update() # Refresh the widget
于 2016-05-12T13:38:35.740 回答
1

我遇到了同样的问题。找到的常见解决方案就像这个线程中提到的那样,将小部件从 GUI 模块带到 Logging.Handler。
它被批评为不安全,因为小部件被传递到另一个线程(日志记录)。
找到的最佳解决方案是使用 Benjamin Bertrand 制作的队列: https ://beenje.github.io/blog/posts/logging-to-a-tkinter-scrolledtext-widget/ 。
我对其进行了一些改进:应该在日志处理程序中创建队列,并将其传递给 GUI 小部件。

导入记录器
导入队列


类队列处理程序(记录。处理程序):
    def __init__(self):
        超级().__init__()
        self.log_queue = queue.Queue()

    def 发射(自我,记录):
        # 将格式化的消息放入队列
        self.log_queue.put(self.format(record))


queue_handler = 队列处理程序()
logger.addHandler(queue_handler)

所以我们有一般可用的记录器,来自任何模块的每条日志消息都将与其他处理程序一起传递到 queue_handler - 到文件等。现在我们可以将 queue_handler 导入到小部件。
大部分代码取自上面的链接,我只是更改了原始日志队列的位置。

从 tkinter.scrolledtext 导入 ScrolledText
从 some_logging_module 导入 queue_handler

类控制台UI:
    """从日志队列轮询消息并将它们显示在滚动的文本小部件中"""

    def __init__(self, frame, queue):
        self.frame = 框架
        # 创建一个 ScrolledText wdiget
        self.console = ScrolledText(frame)
        self.console.configure(font='TkFixedFont')
        self.console.pack(padx=10, pady=10, fill=BOTH, expand=True)
        self.log_queue = 队列
        # 开始轮询队列中的消息
        self.frame.after(100, self.poll_log_queue)

    默认显示(自我,味精):
        self.console.configure(state='normal')
        self.console.insert(END, msg + '\n')
        self.console.configure(state='disabled')
        # 自动滚动到底部
        self.console.yview(END)

    def poll_log_queue(self):
        # 每100ms检查队列中是否有新消息要显示
        而不是 self.log_queue.empty():
            msg = self.log_queue.get(block=False)
            自我显示(味精)
        self.frame.after(100, self.poll_log_queue)

结果,小部件显示应用程序的所有日志记录数据。

于 2018-11-19T08:51:39.883 回答