我一直在研究一个命令行工具,我现在正在制作一个PyQT GUI。我想使用readline模块获取当前的自动完成实现,并将其放在QLineEdit文本框中。这可能吗?你有什么建议吗?
以下是我正在使用readline模块的一些示例:
import readline
values = ['these','are','my','autocomplete','words']
completions = {}
def completer(text,state):
try:
matches = completions[text]
except KeyError:
matches = [value for value in values if text.upper() in value.upper()]
completions[text] = matches
try:
return matches[state]
except IndexError:
return None
readline.set_completer(completer)
readline.parse_and_bind('tab: menu-complete')
whie 1:
text = raw_input('> ')
text.dostuff()
最终,如果我无法让readline模块在QLineEdit小部件中工作,那么我最终想要做的就是在单词列表上完成,并且能够将多个单词分隔为+等符号 - * /()等...
谢谢!
答案 0 :(得分:4)
我可以告诉你,首先,尝试围绕新功能包装QCompleter是一件巨大的痛苦。您必须能够满足所有QCompleter的接口,并围绕该realine代码进行桥接。
您必须手动更新QCompleter上设置的QStringListModel,并提供获取当前完成的实现,以及给定搜索前缀的完成总数。
这是一个与PopupCompletion模式兼容的工作示例:
import re
class ReadlineCompleter(QtGui.QCompleter):
def __init__(self, completeFn, *args, **kwargs):
super(ReadlineCompleter, self).__init__(*args, **kwargs)
self._completer = completeFn
self.setModel(QtGui.QStringListModel())
self.update()
def setCompletionPrefix(self, val):
super(ReadlineCompleter, self).setCompletionPrefix(val)
self.update()
def currentCompletion(self):
state = self.currentRow()
return self._completionAt(state)
def completionCount(self):
state = 0
while True:
result = self._completionAt(state)
if not result:
break
state += 1
return state
def update(self):
matches = [self._completionAt(i) for i in xrange(self.completionCount())]
self.model().setStringList(matches)
def _completionAt(self, state):
text = str(self.completionPrefix())
# regex to split on any whitespace, or the char set +*/^()-
match = re.match(r'^(.*)([\s+*/^()-]+)(.*)$', text)
if match:
prefix, sep, text = match.groups()
result = self._completer(str(text), state)
if result and match:
result = sep.join([prefix, result])
return '' if result is None else result
注意在_completionAt()
方法中,我添加了您想要的额外功能,用于检测分隔符模式。你可以明显地调整它。但它将拆分最后一部分并使用该值检查完成,然后再次使用前缀重新加入结果。
<强>用法强>
重要。您需要将QLineEdit中的textChanged
信号连接到完成者以强制更新。否则,将不会在完成者中使用任何功能。
line = QtGui.QLineEdit()
comp = ReadlineCompleter(completer)
comp.setCompletionMode(comp.PopupCompletion)
line.setCompleter(comp)
# important
line.textChanged.connect(comp.setCompletionPrefix)
有examples here显示其他人如何在自定义行编辑中填写功能,他们完全绕过完成者的标准信号并自行触发。你可以看到它的一点点努力。