我在Python中使用cmd.Cmd
类为我的程序提供了一个简单的readline接口。
自包含的例子:
from cmd import Cmd
class CommandParser(Cmd):
def do_x(self, line):
pass
def do_xy(self, line):
pass
def do_xyz(self, line):
pass
if __name__ == "__main__":
parser = CommandParser()
parser.cmdloop()
按两次选项卡将显示可能性。再次按下标签也是如此。
我的问题是,如何在第三个标签按下循环选项?在readline术语中,我认为这称为Tab: menu-complete
,但我无法看到如何将其应用于Cmd
实例。
我已经尝试过:
readline.parse_and_bind('Tab: menu-complete')
实例化解析器实例之前和之后。没有运气。
我也尝试将"Tab: menu-complete"
传递给Cmd
构造函数。在这里也没有运气。
任何人都知道它是如何完成的?
干杯!
答案 0 :(得分:1)
不幸的是,似乎唯一的方法就是从cmdloop
类中修改方法cmd.Cmd
,或者自己动手。
正确的方法是使用"Tab: menu-complete"
,但是如第115行所示,它被类覆盖:readline.parse_and_bind(self.completekey+": complete")
,它永远不会被激活。 (对于第115行和整个cmd
包,请参阅:https://hg.python.org/cpython/file/2.7/Lib/cmd.py)。我在下面展示了该功能的编辑版本,以及如何使用它:
import cmd
# note: taken from Python's library: https://hg.python.org/cpython/file/2.7/Lib/cmd.py
def cmdloop(self, intro=None):
"""Repeatedly issue a prompt, accept input, parse an initial prefix
off the received input, and dispatch to action methods, passing them
the remainder of the line as argument.
"""
self.preloop()
if self.use_rawinput and self.completekey:
try:
import readline
self.old_completer = readline.get_completer()
readline.set_completer(self.complete)
readline.parse_and_bind(self.completekey+": menu-complete") # <---
except ImportError:
pass
try:
if intro is not None:
self.intro = intro
if self.intro:
self.stdout.write(str(self.intro)+"\n")
stop = None
while not stop:
if self.cmdqueue:
line = self.cmdqueue.pop(0)
else:
if self.use_rawinput:
try:
line = raw_input(self.prompt)
except EOFError:
line = 'EOF'
else:
self.stdout.write(self.prompt)
self.stdout.flush()
line = self.stdin.readline()
if not len(line):
line = 'EOF'
else:
line = line.rstrip('\r\n')
line = self.precmd(line)
stop = self.onecmd(line)
stop = self.postcmd(stop, line)
self.postloop()
finally:
if self.use_rawinput and self.completekey:
try:
import readline
readline.set_completer(self.old_completer)
except ImportError:
pass
# monkey-patch - make sure this is done before any sort of inheritance is used!
cmd.Cmd.cmdloop = cmdloop
# inheritance of the class with the active monkey-patched `cmdloop`
class MyCmd(cmd.Cmd):
pass
一旦你修改了类方法(或实现了自己的类),它就会提供正确的行为(尽管没有突出显示和反向标记,但是这些可以根据需要使用其他键实现)。
答案 1 :(得分:1)
最简单的技巧是在menu-complete
之后添加一个空格:
parser = CommandParser(completekey="tab: menu-complete ")
执行的绑定表达式
readline.parse_and_bind(self.completekey+": complete")
将成为
readline.parse_and_bind("tab: menu-complete : complete")
第二个空格后的所有内容都被实际忽略,因此它与tab: menu-complete
相同。
如果你不想依赖于readline解析的行为(我没有看到它的文档记录)你可以使用str
的子类拒绝扩展为完整的键:
class stubborn_str(str):
def __add__(self, other):
return self
parser = CommandParser(completekey=stubborn_str("tab: menu-complete"))
self.completekey+": complete"
现在与self.completekey
相同。