When I use program like svn and I type in Gnome Terminal:
svn upd
and hit Tab it's autocompleted to:
svn update
Is it possible to do something like that in my custom bash script?
When I use program like svn and I type in Gnome Terminal:
svn upd
and hit Tab it's autocompleted to:
svn update
Is it possible to do something like that in my custom bash script?
You'll have to create a new file:
/etc/bash_completion.d/foo
For a static autocompletion (--help / --verbose for instance) add this:
_foo()
{
local cur prev opts
COMPREPLY=()
cur="${COMP_WORDS[COMP_CWORD]}"
prev="${COMP_WORDS[COMP_CWORD-1]}"
opts="--help --verbose --version"
if [[ ${cur} == -* ]] ; then
COMPREPLY=( $(compgen -W "${opts}" -- ${cur}) )
return 0
fi
}
foo <tab> <tab> would show autocomplete above wordlist
complete -F _foo foo
If you want simplest wordlist, use below instead:
#complete -W "--help --verbose --version" foo
COMP_WORDS is an array containing all individual words in the current command line.COMP_CWORD is an index of the word containing the current cursor position.COMPREPLY is an array variable from which Bash reads the possible completions.And the compgen command returns the array of elements from --help, --verbose and --version matching the current word "${cur}":
compgen -W "--help --verbose --version" -- "<userinput>"
Here is a complete tutorial.
Let's have an example of script called admin.sh to which you would like to have autocomplete working.
#!/bin/bash
while [ $# -gt 0 ]; do
arg=$1
case $arg in
option_1)
# do_option_1
;;
option_2)
# do_option_2
;;
shortlist)
echo option_1 option_2 shortlist
;;
*)
echo Wrong option
;;
esac
shift
done
Note the option shortlist. Calling the script with this option will print out all possible options for this script.
And here you have the autocomplete script:
_script()
{
_script_commands=$(/path/to/your/script.sh shortlist)
local cur
COMPREPLY=()
cur="${COMP_WORDS[COMP_CWORD]}"
COMPREPLY=( $(compgen -W "${_script_commands}" -- ${cur}) )
return 0
}
complete -o nospace -F _script ./admin.sh
Note that the last argument to complete is the name of the script you want to add autocompletion to. All you need to do is to add your autocomplete script to bashrc as :
source /path/to/your/autocomplete.sh
or copy it to :
/etc/bash_completion.d
You can use the Programmable Completion. Have look at /etc/bash_completion and /etc/bash_completion.d/* for some examples.
All of the bash completions are stored in /etc/bash_completion.d/. So if you're building software with bash_completion it would be worthwhile to have the deb/make install drop a file with the name of the software in that directory. Here's an example bash completion script for Rsync:
# bash completion for rsync
have rsync &&
_rsync()
{
# TODO: _split_longopt
local cur prev shell i userhost path
COMPREPLY=()
cur=`_get_cword`
prev=${COMP_WORDS[COMP_CWORD-1]}
_expand || return 0
case "$prev" in
--@(config|password-file|include-from|exclude-from))
_filedir
return 0
;;
-@(T|-temp-dir|-compare-dest))
_filedir -d
return 0
;;
-@(e|-rsh))
COMPREPLY=( $( compgen -W 'rsh ssh' -- "$cur" ) )
return 0
;;
esac
case "$cur" in
-*)
COMPREPLY=( $( compgen -W '-v -q -c -a -r -R -b -u -l -L -H \
-p -o -g -D -t -S -n -W -x -B -e -C -I -T -P \
-z -h -4 -6 --verbose --quiet --checksum \
--archive --recursive --relative --backup \
--backup-dir --suffix= --update --links \
--copy-links --copy-unsafe-links --safe-links \
--hard-links --perms --owner --group --devices\
--times --sparse --dry-run --whole-file \
--no-whole-file --one-file-system \
--block-size= --rsh= --rsync-path= \
--cvs-exclude --existing --ignore-existing \
--delete --delete-excluded --delete-after \
--ignore-errors --max-delete= --partial \
--force --numeric-ids --timeout= \
--ignore-times --size-only --modify-window= \
--temp-dir= --compare-dest= --compress \
--exclude= --exclude-from= --include= \
--include-from= --version --daemon --no-detach\
--address= --config= --port= --blocking-io \
--no-blocking-io --stats --progress \
--log-format= --password-file= --bwlimit= \
--write-batch= --read-batch= --help' -- "$cur" ))
;;
*:*)
# find which remote shell is used
shell=ssh
for (( i=1; i < COMP_CWORD; i++ )); do
if [[ "${COMP_WORDS[i]}" == -@(e|-rsh) ]]; then
shell=${COMP_WORDS[i+1]}
break
fi
done
if [[ "$shell" == ssh ]]; then
# remove backslash escape from :
cur=${cur/\\:/:}
userhost=${cur%%?(\\):*}
path=${cur#*:}
# unescape spaces
path=${path//\\\\\\\\ / }
if [ -z "$path" ]; then
# default to home dir of specified
# user on remote host
path=$(ssh -o 'Batchmode yes' $userhost pwd 2>/dev/null)
fi
# escape spaces; remove executables, aliases, pipes
# and sockets; add space at end of file names
COMPREPLY=( $( ssh -o 'Batchmode yes' $userhost \
command ls -aF1d "$path*" 2>/dev/null | \
sed -e 's/ /\\\\\\\ /g' -e 's/[*@|=]$//g' \
-e 's/[^\/]$/& /g' ) )
fi
;;
*)
_known_hosts_real -c -a "$cur"
_filedir
;;
esac
return 0
} &&
complete -F _rsync $nospace $filenames rsync
# Local variables:
# mode: shell-script
# sh-basic-offset: 4
# sh-indent-comment: t
# indent-tabs-mode: nil
# End:
# ex: ts=4 sw=4 et filetype=sh
It would likely be worthwhile to review one of the bash completion files in there that most closely matches your program. One of the simplest examples is the rrdtool file.
If all you want is a simple word based auto-completion (so no subcommand completion or anything), the complete command has a -W option that just does the right thing.
For example, I have the following lines in my .bashrc to autocomplete a program called jupyter:
# gleaned from `jupyter --help`
_jupyter_options='console qtconsole notebook' # shortened for this answer
complete -W "${_jupyter_options}" 'jupyter'
Now jupyter <TAB> <TAB> autocompletes for me.
The docs at gnu.org are helpful.
It does seem to rely on the IFS variable being set correctly, but that hasn't caused any issues for me.
To add filename completion and default BASH completion, use the -o option:
complete -W "${_jupyter_options}" -o bashdefault -o default 'jupyter'
To use this in zsh, add the following code before running the complete command in your ~/.zshrc:
# make zsh emulate bash if necessary
if [[ -n "$ZSH_VERSION" ]]; then
autoload bashcompinit
bashcompinit
fi
Just adding this here in case it helps anyone.
Examples aside, the definitive source/reference to learn more about this topic is the bash manual itself (i.e. type man bash in a terminal)
Search for headings "Completing" and "Programmable Completion". (in the current version of the bash documentation, these appear around lines 2219 and 2332 respectively), and also the relevant bash builtin keywords referenced in those sections (e.g. compgen (line 2627), complete (line 2637), etc)
None of these answers gave me the 'type some random stuff and it just works' feel I was looking for so I used a different approach that I think works much better using fzf (sudo apt install fzf)
Let's take a simple case first.
Let's say we want to echo some word from a dictionary (/usr/share/dict/words) with auto-suggestions of the words.
We can do this with this bash function:
function ppp(){ echo "Your word is: $(cat /usr/share/dict/words | fzf -q "$1" --prompt "hi> ")";};
Paste that into your shell then try:
ppp fuzz [hit enter]
Choose your word by typing more letters or using arrow keys, hit enter, and:
Your word is: fuzzball
Perfect.
Now let's take a more interesting example - let's do auto-completion for a package.json file's "script" commands
First sudo apt get install jq fzf then copy/paste this function:
function ppp(){ pnpm $(jq -r ".scripts|keys[]"<$(pnpm root|sed 's/node_modules//')package.json|fzf -q "$1" --prompt "pnpm> ");};
Now go into a node project folder (or subfolder) and
ppp tes
This works for anything for the pattern of filter/choose/run command.
Add the function to your .bashrc and happy days.
I wrote a script that makes it automatic to do this.
All you need to do just mark the function and arguments with #@. After that you get script with auto-complete! [[ -n "$XARGPARES_VERSION" ]] || . "$(which xargparse)"
#@
function simple_fun()
{
a=A #@
b=B #@
____ "$@"
echo "a=$a"
echo "b=$b"
}
main "$@"
Take a look at this https://github.com/dezhaoli/xargparse This script named xargparse can help you easy to write user-friendly command-line interfaces, and also automatically generates help and usage messages and issues errors.