Tkinter:根据关键字突出显示/颜色特定的文本行

时间:2013-07-24 09:10:58

标签: python python-2.7 python-3.x tkinter

我正在寻找一种简单的搜索文本行的方法,如果它包含特定的单词,则突出显示该行。我有一个tkinter文本框,有很多行,如:

“等等等等等等等等等等。” “等等,等等等等等等等等。”

我想将“失败”行的背景颜色设置为红色。到目前为止我有:

for line in results_text:
   if "Failed" in line:
      txt.tag_config("Failed", bg="red")
      txt.insert(0.0,line)
   else:
      txt.insert(0.0,line)

这会打印出我想要的所有东西,但对颜色没有任何作用

这显然是改变文字颜色的错误方法。请帮忙!!

1 个答案:

答案 0 :(得分:6)

使用Text.search

from Tkinter import *

root = Tk()
t = Text(root)
t.pack()
t.insert(END, '''\
blah blah blah Failed blah blah
blah blah blah Passed blah blah
blah blah blah Failed blah blah
blah blah blah Failed blah blah
''')
t.tag_config('failed', background='red')
t.tag_config('passed', background='blue')

def search(text_widget, keyword, tag):
    pos = '1.0'
    while True:
        idx = text_widget.search(keyword, pos, END)
        if not idx:
            break
        pos = '{}+{}c'.format(idx, len(keyword))
        text_widget.tag_add(tag, idx, pos)

search(t, 'Failed', 'failed')
search(t, 'Passed', 'passed')

#t.tag_delete('failed')
#t.tag_delete('passed')

root.mainloop()