Bash: 处理找不到命令
在最近的操作系统版本升级(到 openSUSE 11.2)之后,我注意到 bash 在我做了一些愚蠢的事情时开始变得更加智能:当我输入不在我的 PATH 中但在 "sbin" 目录中的命令的名称时,它开始给我一个有用的错误消息。 我当时的反应是“嗯,这很好”,但今天我决定我需要更多信息。
作为这种行为的一个例子,如果我输入ifconfig在没有以 root 身份登录时,我会得到以下信息
$ ifconfig
Absolute path to 'ifconfig' is '/sbin/ifconfig', so running it may require superuser privileges (eg. root).
这肯定比“找不到命令”的消息更有用。
事实证明,此功能是 bash 的标准功能。 来自 bash 的手册页
... 只有当命令在哈希表中找不到时,才会对 PATH 中的目录进行完整搜索。 如果搜索不成功,shell 会搜索名为 command_not_found_handle 的已定义的 shell 函数。 如果该函数存在,则使用原始命令和原始命令的参数作为其参数来调用它,并且该函数的退出状态成为 shell 的退出状态。 如果未定义该函数,则 shell 会打印一条错误消息并返回退出状态 127。
我不确定这是否是 bash 的新功能,或者只是最近在 openSUSE 中实现的功能。
在 /etc 中快速 grep 发现了它发生的位置。 该函数本身位于/etc/bash_command_not_found并且该函数(如果存在)通过以下方式包含在您的 bash 会话中/etc/bash.bashrc.
该函数本身并不复杂,但我想指出几个有用的花絮作为旁白。 以下代码确定调用 shell 是从 Midnight Commander 执行的还是从管道获取输入
# do not run when inside Midnight Commander or within a Pipe
if test -n "$MC_SID" -o ! -t 1 ; then
echo $"$1: command not found"
return 127
fi
以下确定调用 shell 是否为子 shell
# do not run when within a subshell
read pid cmd state ppid pgrp session tty_nr tpgid rest < /proc/self/stat
if test $$ -eq $tpgid ; then
echo "$1: command not found"
return 127
fi
旁白结束。
在函数结束时,有一些代码使用/usr/bin/command-not-found(一个 python 脚本)来查找可安装软件包中的命令(通过 zypper),但您需要设置一个环境变量 (COMMAND_NOT_FOUND_AUTO) 来激活它,当然您需要安装 python。 要测试这一点,请尝试以下操作
$ export COMMAND_NOT_FOUND_AUTO=1
$ pascal
pascal: command not found
$ gcj
The program 'gcj' can be found in the following package:
* gcc-java [ path: /usr/bin/gcj, repository: zypp (repo-oss) ]
Try installing with:
sudo zypper install gcc-java
由于此 command-not-found 功能由 bash 函数处理,因此您当然可以用您自己设计的函数替换系统安装的函数(如果您的系统上存在一个)。 您所需要的只是将其包含在您的.bashrc脚本中。 openSUSE 脚本的完整版本如下
command_not_found_handle() {
export TEXTDOMAIN=command-not-found
local cmd state rest
local -i pid ppid pgrp session tty_nr tpgid
# do not run when inside Midnight Commander or within a Pipe
if test -n "$MC_SID" -o ! -t 1 ; then
echo $"$1: command not found"
return 127
fi
# do not run when within a subshell
read pid cmd state ppid pgrp session tty_nr tpgid rest < /proc/self/stat
if test $$ -eq $tpgid ; then
echo "$1: command not found"
return 127
fi
# test for /usr/sbin and /sbin
if test -x "/usr/sbin/$1" -o -x "/sbin/$1" ; then
if test -x "/usr/sbin/$1" ; then prefix='/usr' ; else prefix='' ; fi
echo $"Absolute path to '$1' is '$prefix/sbin/$1', so running it may require superuser privileges (eg. root)."
return 127
fi
if test -n "$COMMAND_NOT_FOUND_AUTO" ; then
# call command-not-found directly
test -x /usr/bin/python && test -x /usr/bin/command-not-found && /usr/bin/python /usr/bin/command-not-found "$1" zypp
else
# print only info about command-not-found
echo -e $"If '$1' is not a typo you can use command-not-found to lookup the package that contains it, like this:\n cnf $1"
fi
return 127
}