您的位置:首页 > 运维架构 > Shell

system() 执行 shell 命令

2015-12-16 15:11 381 查看

实现原理

strace 跟踪结果:

clone(child_stack=0, flags=CLONE_PARENT_SETTID|SIGCHLD, parent_tidptr=0x7fff936fc388) = 15661
wait4(15661, [{WIFEXITED(s) && WEXITSTATUS(s) == 0}], 0, NULL) = 15661
实际的过程:

1. 父进程 - clone() 一个子进程

2. 父进程 - wait4() 子进程退出(如果 SIGCHLD 处理方式为 SIG_DFL, 则阻塞等待指子进程退出;如果是 SIG_IGN, 则立马返回 -1)

3. 子进程 - execl(/bin/sh -c command)

返回值

返回值可能的情况:

-1: system() 执行失败,例如 clone() 失败、wait4() 失败(SIG_IGN 时返回 -1)

>=0: system() 执行成功,命令执行成功或失败,通过 WEXITSTATUS() 获取命令执行的返回码

正确的使用方法

1. 处理 SIGCHLD 信号

2. WIFEXITED() 和 WEXITSTATUS()

#include <errno.h>
#include <string.h>
#include <stdlib.h>
#include <signal.h>

#include <string>
#include <iostream>

int main(int argc, char* argv[])
{
char cmd[] = "su www -c 'kdir -p -m 755 /data/inst-123456 &>/dev/null '";
sighandler_t old_sighandler = signal(SIGCHLD, SIG_DFL);
int rv = system(cmd);
signal(SIGCHLD, old_sighandler);
if (-1 == rv)
{
std::cout << "error: " << strerror(errno) << std::endl;
return -1;
}

std::cout << "return value: " << rv << std::endl;

if (WIFEXITED(rv))
{
std::cout << "subprocess exited, exit code: " << WEXITSTATUS(rv) << std::endl;
if (0 == WEXITSTATUS(rv))
{
// if command returning 0 means succeed
std::cout << "command succeed" << std::endl;
}
else
{
if(127 == WEXITSTATUS(rv))
{
std::cout << "command not found" << std::endl;
return WEXITSTATUS(rv);
}
else
{
std::cout << "command failed: " << strerror(WEXITSTATUS(rv)) << std::endl;
return WEXITSTATUS(rv);
}
}
}
else
{
std::cout << "subprocess exit failed" << std::endl;
return -1;
}

return 0;
}


命令后台执行

如果想命令在后台执行,可以在命令后面加 "&", 但是这样做的后果是:只要 system() 执行成功,不管命令是否存在、命令执行是否成功,返回值都为 0.

popen

http://blog.csdn.net/duyiwuer2009/article/details/50688493
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: