我想在C ++程序中获取Linux命令的输出字符串以及命令输出状态。我在我的应用程序中执行Linux命令。
例如: 命令:
rmdir abcd
命令输出字符串:
rmdir:无法删除`abcd':没有这样的文件或目录
命令状态:
1(这意味着命令失败)
我尝试使用提供输出状态的Linux函数system()
和函数popen()
,它给出了一个命令的输出字符串,但这两个函数都没有给我
Linux命令的输出字符串和输出状态。
答案 0 :(得分:7)
输出字符串是标准输出或标准错误描述符(分别为1或2)。
您必须将这些流重定向(请查看dup
和dup2
函数)到一个可以阅读它们的地方(例如 - POSIX pipe
)。< / p>
在C中我会做这样的事情:
int pd[2];
int retValue;
char buffer[MAXBUF] = {0};
pipe(pd);
dup2(pd[1],1);
retValue = system("your command");
read(pd[0], buffer, MAXBUF);
现在,您在缓冲区中输出(的一部分),并在retValue中返回代码。
或者,您可以使用exec
中的函数(即execve
)并使用wait
或waitpid
获取返回值。
更新:这将仅重定向标准输出。要重定向标准错误,请使用dup2(pd[1],1)
。
答案 1 :(得分:3)
最简单的解决方案是使用system
,并将标准输出和标准错误重定向到临时文件,稍后可以删除。
答案 2 :(得分:2)
不幸的是,在Linux上的C中没有简单易行的方法来做到这一点。 Here's如何正确读取/写入子进程的stdout / stderr / stdin的示例。
当您想要接收退出代码时,您必须使用waitpid
(提供的页面底部提供了完整的示例):
endID = waitpid(childID, &status, WNOHANG|WUNTRACED);
现在你只需加入这两个:)
还有一本名为 A dvanced L inux P rogramming (ALP)的免费书籍,其中包含详细信息关于这些问题here。
答案 3 :(得分:1)
基于上面的Piotr Zierhoffer回答,这里有一个功能就是这样,并且还恢复了stdout和stderr的原始状态。
// Execute command <cmd>, put its output (stdout and stderr) in <output>,
// and return its status
int exec_command(string& cmd, string& output) {
// Save original stdout and stderr to enable restoring
int org_stdout = dup(1);
int org_stderr = dup(2);
int pd[2];
pipe(pd);
// Make the read-end of the pipe non blocking, so if the command being
// executed has no output the read() call won't get stuck
int flags = fcntl(pd[0], F_GETFL);
flags |= O_NONBLOCK;
if(fcntl(pd[0], F_SETFL, flags) == -1) {
throw string("fcntl() failed");
}
// Redirect stdout and stderr to the write-end of the pipe
dup2(pd[1], 1);
dup2(pd[1], 2);
int status = system(cmd.c_str());
int buf_size = 1000;
char buf[buf_size];
// Read from read-end of the pipe
long num_bytes = read(pd[0], buf, buf_size);
if(num_bytes > 0) {
output.clear();
output.append(buf, num_bytes);
}
// Restore stdout and stderr and release the org* descriptors
dup2(org_stdout, 1);
dup2(org_stderr, 2);
close(org_stdout);
close(org_stderr);
return status;
}
答案 4 :(得分:0)
您可以使用popen
系统调用,它会将输出重定向到文件,您可以从文件中将输出重定向到字符串。喜欢:
char buffer[MAXBUF] = {0};
FILE *fd = popen("openssl version -v", "r");
if (NULL == fd)
{
printf("Error in popen");
return;
}
fread(buffer, MAXBUF, 1, fd);
printf("%s",buffer);
pclose(fd);
有关详细信息,请参阅man
的{{1}}页。