使用 cmd 实现文件名补全有点棘手,因为底层的 readline 库将特殊字符(例如“/”和“-”(以及其他))解释为分隔符,并且这会设置行中的哪个子字符串将被补全替换。
例如,
> load /hom<tab>
调用 complete_load() 与
text='hom', line='load /hom', begidx=6, endidx=9
text is line[begidx:endidx]
'text' 不是“/hom”,因为 readline 库解析了该行并返回了 '/' 分隔符之后的字符串。complete_load() 应该返回以“hom”而不是“/hom”开头的完成字符串列表,因为完成将替换从 begidx 开始的子字符串。如果 complete_load() 函数错误地返回 ['/home'],则该行变为,
> load //home
这不好。
其他字符被 readline 视为分隔符,而不仅仅是斜杠,因此您不能假设 'text' 之前的子字符串是父目录。例如:
> load /home/mike/my-file<tab>
调用 complete_load() 与
text='file', line='load /home/mike/my-file', begidx=19, endidx=23
假设 /home/mike 包含文件 my-file1 和 my-file2,补全应该是 ['file1', 'file2'],而不是 ['my-file1', 'my-file2'],也不是 ['/home /mike/my-file1','/home/mike/my-file2']。如果返回完整路径,结果是:
> load /home/mike/my-file/home/mike/my-file1
我采用的方法是使用 glob 模块来查找完整路径。Glob 适用于绝对路径和相对路径。找到路径后,我删除了“固定”部分,它是 begidx 之前的子字符串。
首先,解析固定部分参数,即空格和 begidx 之间的子字符串。
index = line.rindex(' ', 0, begidx) # -1 if not found
fixed = line[index + 1: begidx]
参数在空格和行尾之间。附加一个星号来制作一个全局搜索模式。
我在作为目录的结果中附加了一个“/”,因为这样可以更轻松地通过制表符完成遍历目录(否则您需要为每个目录按两次制表键),并且它使用户清楚哪些完成项是目录,哪些是文件。
最后删除路径的“固定”部分,因此 readline 将仅替换“文本”部分。
import os
import glob
import cmd
def _append_slash_if_dir(p):
if p and os.path.isdir(p) and p[-1] != os.sep:
return p + os.sep
else:
return p
class MyShell(cmd.Cmd):
prompt = "> "
def do_quit(self, line):
return True
def do_load(self, line):
print("load " + line)
def complete_load(self, text, line, begidx, endidx):
before_arg = line.rfind(" ", 0, begidx)
if before_arg == -1:
return # arg not found
fixed = line[before_arg+1:begidx] # fixed portion of the arg
arg = line[before_arg+1:endidx]
pattern = arg + '*'
completions = []
for path in glob.glob(pattern):
path = _append_slash_if_dir(path)
completions.append(path.replace(fixed, "", 1))
return completions
MyShell().cmdloop()