问题的根源
您尝试的命令不起作用的原因是它们仅在$PATH
变量中查找可执行文件。首先,让我们检验我们的假设。
dummy:~$ mkdir test
dummy:~$ cd test
dummy:~/test$ echo '#!/bin/sh' >test.sh
dummy:~/test$ chmod +x test.sh
dummy:~/test$ cd
dummy:~$ command -v test.sh
dummy:~$ PATH+=:/home/dummy/test/
dummy:~$ command -v test.sh
/home/dummy/test/test.sh
这印证了我上面的说法。
现在,让我们看看$PATH
不同用户的情况:
dummy:~$ echo $PATH
/usr/local/bin:/usr/bin:/bin:/usr/local/games:/usr/games
dummy:~$ su
root:~# echo $PATH
/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin
因此,为了检查给定用户是否可以使用给定命令(在您的问题中,即:root),您需要知道他的$PATH
环境变量。
解决方案
Debian 上此类环境变量的值通常可以/etc/profile
在/etc/environment/
文件中找到。没有简单的方法可以通过从文件中获取这些值。
最基本的解决方案是将已知目录临时添加到您的$PATH
变量中,然后使用command -v
:
dummy~$ OLDPATH=$PATH
dummy~$ PATH=$OLDPATH:/sbin:/usr/sbin/:/usr/local/sbin/
dummy~$ command -v poweroff
/sbin/poweroff
dummy~$ PATH=$OLDPATH
这个解决方案有一个问题:如果你想便携,你真的不知道应该连接哪些文件夹。不过,在大多数情况下,这种方法应该就足够了。
替代解决方案
您可以做的是编写一个使用setuid bit的脚本程序。Setuid 位是 Linux 操作系统的一个有点隐藏的功能,它允许程序以其所有者权限执行。所以你写了一个程序,它像超级用户一样执行一些命令,除了它可以由普通用户运行。这样你就可以看到像根一样的输出。command -v poweroff
不幸的是,使用 shebang 的东西不能有 setuid bit,所以你不能为此创建一个 shell 脚本,你需要一个 C 程序。这是一个可以完成这项工作的示例程序:
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <unistd.h>
int main(int argc, char** argv)
{
if (argc <= 1)
{
fprintf(stderr, "No arguments.\n");
return 1;
}
//validate the argv
char* prog = argv[1];
int i;
for (i = 0; i < strlen(prog); i ++)
{
if (prog[i] < 'a' || prog[i] > 'z')
{
fprintf(stderr, "%s contains invalid characters (%c), exiting.", prog, prog[i]);
return 1;
}
}
//here's the `which` command. We start it in new interactive shell,
//since this program inherits environment variables from its
//parent shell. We need to start *new* shell that will initialize
//and overwrite existing PATH environment variable.
char* command = (char*) malloc(strlen(prog) + 30);
if (!command)
{
fprintf(stderr, "No memory!\n");
return 1;
}
sprintf(command, "bash -cli 'command -v %s'", prog);
int exists = 0;
//first we try to execute the command as a dummy user.
exists |= system(command) == 0;
if (!exists)
{
//then we try to execute the command as a root user.
setuid(0);
exists |= system(command) == 0;
}
return exists ? 0 : 1;
}
安全说明:上面的版本有非常简单的参数验证(它只允许匹配字符串^[a-z]*$
)。真正的程序可能应该包括更好的验证。
测试
假设我们将文件保存在test.c
. 我们编译它并添加 setuid 位:
root:~# gcc ./test.c -o ./test
root:~# chown root:root ./test
root:~# chmod 4755 ./test
请注意,chown
在前面 chmod
。4
以前常见的755
模式是setuid位。
现在我们可以以普通用户的身份测试程序了。
dummy:~$ ./test ls; echo $?
alias ls='ls -vhF1 --color=auto --group-directories-first'
0
dummy:~$ ./test blah; echo $?
1
dummy:~$ ./test poweroff; echo $?
/sbin/poweroff
0
最重要的是 - 它足够便携,可以毫无问题地在 cygwin 上工作。:)