当命令应该包含冒号时,我在创建 Bash 完成函数时遇到了问题。当您键入命令并按 Tab 键时,Bash 会将命令行的内容插入到一个数组中,只有这些数组由冒号分隔。所以命令:
假富:苹果
将变为:('dummy''foo'':''apple')
我知道一种解决方案是更改 COMP_WORDBREAKS,但这不是一个选项,因为它是一个团队环境,我可能会通过弄乱 COMP_WORDBREAKS 来破坏其他代码。
然后这个答案建议使用_get_comp_words_by_ref
and__ltrim_colon_completions
变量,但是从答案中我并不清楚如何使用这些变量。
所以我在下面尝试了不同的解决方案。基本上,将命令行读取为字符串,并通过计算“偏移量”来确定用户光标当前正在选择的单词。如果命令行中有一个冒号,其左侧或右侧有文本,它将在偏移量上各加 1,然后从COMP_CWORD
变量中减去它。
1 #!/bin/bash
2 _comp() {
3 #set -xv
4 local a=("${COMP_WORDS[@]}")
5 local index=`expr $COMP_CWORD`
6 local c_line="$COMP_LINE"
7
8 # Work out the offset to change the cursor by
9 # This is needed to compensate for colon completions
10 # Because COMP_WORDS splits words containing colons
11 # E.g. 'foo:bar' becomes 'foo' ':' 'bar'.
12
13 # First delete anything in the command to the right of the cursor
14 # We only need from the cursor backwards to work out the offset.
15 for ((i = ${#a[@]}-1 ; i > $index ; i--));
16 do
17 regex="*([[:space:]])"${a[$i]}"*([[:space:]])"
18 c_line="${c_line%$regex}"
19 done
20
21 # Count instances of text adjacent to colons, add that to offset.
22 # E.g. for foo:bar:baz, offset is 4 (bar is counted twice.)
23 # Explanation: foo:bar:baz foo
24 # 0 12 34 5 <-- Standard Bash behaviour
25 # 0 1 <-- Desired Bash behaviour
26 # To create the desired behaviour we subtract offset from cursor index.
27 left=$( echo $c_line | grep -o "[[:alnum:]]:" | wc -l )
28 right=$( echo $c_line | grep -o ":[[:alnum:]]" | wc -l )
29 offset=`expr $left + $right`
30 index=`expr $COMP_CWORD - $offset`
31
32 # We use COMP_LINE (not COMP_WORDS) to get an array of space-separated
33 # words in the command because it will treat foo:bar as one string.
34 local comp_words=($COMP_LINE)
35
36 # If current word is a space, add an empty element to array
37 if [ "${COMP_WORDS[$COMP_CWORD]}" == "" ]; then
38 comp_words=("${comp_words[@]:0:$index}" "" "${comp_words[@]:$index}" )
39 fi
40
41
42 local cur=${comp_words[$index]}
43
44 local arr=(foo:apple foo:banana foo:mango pineapple)
45 COMPREPLY=()
46 COMPREPLY=($(compgen -W "${arr[*]}" -- $cur))
47 #set +xv
48 }
49
50 complete -F _comp dummy
问题是,这仍然无法正常工作。如果我输入:
dummy pine<TAB>
然后它将正确完成dummy pineapple
。如果我输入:
dummy fo<TAB>
然后它将显示三个可用选项,foo:apple foo:banana foo:mango
。到目前为止,一切都很好。但如果我输入:
dummy foo:<TAB>
然后我得到的输出是dummy foo:foo:
And then further tabs don't work,因为它解释foo:foo:
为 cur,它不匹配任何完成。
当我自己测试 compgen 命令时,如下所示:
compgen -W 'foo:apple foo:banana foo:mango pineapple' -- foo:
然后它将返回三个匹配结果:
foo:apple
foo:banana
foo:mango
所以我假设正在发生的是 Bash 补全看到它有一个空字符串和三个可用的补全候选,所以将前缀添加foo:
到命令行的末尾 - 即使foo:
已经是要完成的光标。
我不明白如何解决这个问题。当不涉及冒号时,这很好用——“pine”总是会变成菠萝。如果我去更改数组以添加更多选项:
local arr=(foo:apple foo:banana foo:mango pineapple pinecone pinetree)
COMPREPLY=()
COMPREPLY=($(compgen -W "${arr[*]}" -- $cur))
然后当我打字时dummy pine<TAB>
它仍然很高兴地显示给我pineapple pinecone pinetree
,并且不会尝试在pine
最后添加多余的东西。
这种行为有什么解决办法吗?