Bash 别名 本质上只是一个键盘快捷方式,一个缩写,一种避免输入长命令序列的方法。 例如,如果我们在 ~/.bashrc 文件 中包含 alias lm="ls -l | more",那么每个lm [1] 在命令行中键入的内容将自动被替换为 ls -l | more。 这可以节省大量的命令行输入,并避免记住复杂的命令和选项组合。 设置 alias rm="rm -i"(交互模式删除)可以避免很多麻烦,因为它可以防止意外删除重要文件。
在脚本中,别名的用途非常有限。 如果别名可以承担 C 预处理器的一些功能,例如宏展开,那就太好了,但不幸的是,Bash 不会在别名主体中展开参数。 [2] 此外,脚本本身无法在 “复合结构”(例如 if/then 语句、循环和函数)中展开别名。 另一个限制是别名不会递归展开。 几乎总是,我们希望别名执行的任何操作都可以通过 函数 更有效地完成。
示例 25-1. 脚本中的别名
#!/bin/bash # alias.sh shopt -s expand_aliases # Must set this option, else script will not expand aliases. # First, some fun. alias Jesse_James='echo "\"Alias Jesse James\" was a 1959 comedy starring Bob Hope."' Jesse_James echo; echo; echo; alias ll="ls -l" # May use either single (') or double (") quotes to define an alias. echo "Trying aliased \"ll\":" ll /usr/X11R6/bin/mk* #* Alias works. echo directory=/usr/X11R6/bin/ prefix=mk* # See if wild card causes problems. echo "Variables \"directory\" + \"prefix\" = $directory$prefix" echo alias lll="ls -l $directory$prefix" echo "Trying aliased \"lll\":" lll # Long listing of all files in /usr/X11R6/bin stating with mk. # An alias can handle concatenated variables -- including wild card -- o.k. TRUE=1 echo if [ TRUE ] then alias rr="ls -l" echo "Trying aliased \"rr\" within if/then statement:" rr /usr/X11R6/bin/mk* #* Error message results! # Aliases not expanded within compound statements. echo "However, previously expanded alias still recognized:" ll /usr/X11R6/bin/mk* fi echo count=0 while [ $count -lt 3 ] do alias rrr="ls -l" echo "Trying aliased \"rrr\" within \"while\" loop:" rrr /usr/X11R6/bin/mk* #* Alias will not expand here either. # alias.sh: line 57: rrr: command not found let count+=1 done echo; echo alias xyz='cat $0' # Script lists itself. # Note strong quotes. xyz # This seems to work, #+ although the Bash documentation suggests that it shouldn't. # # However, as Steve Jacobson points out, #+ the "$0" parameter expands immediately upon declaration of the alias. exit 0 |
unalias 命令移除先前设置的 别名。
示例 25-2. unalias: 设置和取消设置别名
#!/bin/bash # unalias.sh shopt -s expand_aliases # Enables alias expansion. alias llm='ls -al | more' llm echo unalias llm # Unset alias. llm # Error message results, since 'llm' no longer recognized. exit 0 |
bash$ ./unalias.sh total 6 drwxrwxr-x 2 bozo bozo 3072 Feb 6 14:04 . drwxr-xr-x 40 bozo bozo 2048 Feb 6 14:04 .. -rwxr-xr-x 1 bozo bozo 199 Feb 6 14:04 unalias.sh ./unalias.sh: llm: command not found |
[1] | ... 作为命令字符串的第一个词。 显然,别名仅在命令的开头才有意义。 |
[2] | 然而,别名似乎确实会展开位置参数。 |