我目前有一个小部件,它将搜索我的主文本框并突出显示与我的搜索匹配的单词。我遇到的问题是找到一种方法将光标移动到找到的第一个匹配项,然后将光标移动到下次输入时找到的下一个匹配项。
我有两种方法可以在文本框中搜索单词。
一种方法是查找每个匹配项并更改所搜索单词的字体,颜色和大小,以便从文本的其余部分中脱颖而出。这是我用来做的功能。
def searchTextbox(event=None):
root.text.tag_configure("search", background="green")
root.text.tag_remove('found', '1.0', "end-1c")
wordToSearch = searchEntry.get().lower()
idx = '1.0'
while idx:
idx = root.text.search(wordToSearch, idx, nocase=1, stopindex="end-1c")
if idx:
lastidx = '%s+%dc' % (idx, len(wordToSearch))
root.text.tag_add('found', idx, lastidx)
idx = lastidx
root.text.tag_config('found', font=("times", 16, "bold"), foreground ='orange')
我尝试过的另一种方法是突出显示所搜索单词的每个匹配项。这是功能。
def highlightTextbox(event=None):
root.text.tag_delete("search")
root.text.tag_configure("search", background="green")
start="1.0"
if len(searchEntry.get()) > 0:
root.text.mark_set("insert", root.text.search(searchEntry.get(), start))
root.text.see("insert")
while True:
pos = root.text.search(searchEntry.get(), start, END)
if pos == "":
break
start = pos + "+%dc" % len(searchEntry.get())
root.text.tag_add("search", pos, "%s + %dc" % (pos,len(searchEntry.get())))
在第二种方法中,我使用了方法' root.text.see(" insert")'而且我注意到它只会让我发现第一场比赛。我不知道为了将光标移动到下一个匹配等我应该做些什么。
我希望能够多次点击Enter键,并在将光标和屏幕移动到下一场比赛时向下移动列表。
也许我在这里错过了一些简单的东西,但我被困住了,不知道我应该怎么处理这个问题。我花了很多时间在网上搜索答案,但我找不到任何可以做我想做的事情。我发现的所有主题都与突出显示所有单词有关。
答案 0 :(得分:1)
您可以使用文本窗口小部件方法tag_next_range
和tag_prev_range
来获取具有给定标记的下一个或上一个字符的索引。然后,您可以将插入光标移动到该位置。
例如,假设您的匹配都具有“搜索”标记,您可以使用以下内容实现“转到下一个匹配”功能:
def next_match(event=None):
# move cursor to end of current match
while (root.text.compare("insert", "<", "end") and
"search" in root.text.tag_names("insert")):
root.text.mark_set("insert", "insert+1c")
# find next character with the tag
next_match = root.text.tag_nextrange("search", "insert")
if next_match:
root.text.mark_set("insert", next_match[0])
root.text.see("insert")
# prevent default behavior, in case this was called
# via a key binding
return "break"