我在我的C ++应用程序中使用库并尝试捕获文件中的所有输出。我试图将stderr重定向到stdout,然后将stdout重定向到这样的文件:
./a.out 2>&1 > out.txt
这可以捕获我应用程序中的所有内容,但控制台上仍然有一些与我正在使用的库相关的输出。我的问题是:
注意:如果有人熟悉,则称为SystemC(这是一个基于C ++的事件驱动仿真库/语言,主要用于系统/硬件设计)。
答案 0 :(得分:2)
您必须在任何流到流重定向之前设置输出文件,否则bash无法检测要输出的文件名。在您的情况下,您可以看到stderr输出。
请参阅bash redirections参考手册。
解决方案:
./a.out >out.txt 2>&1
或者只是:
./a.out &>out.txt
答案 1 :(得分:2)
C
函数,我打电话将我的代码变成一个守护进程,我从一本名为The Linux Programming Interface的书中得到了这个,我强烈推荐。
#define BD_NO_CHDIR 01 /* Don't chdir("/") */
#define BD_NO_CLOSE_FILES 02 /* Don't close all open files */
#define BD_NO_REOPEN_STD_FDS 04 /* Don't reopen stdin, stdout, and
stderr to /dev/null */
#define BD_NO_UMASK0 010 /* Don't do a umask(0) */
#define BD_MAX_CLOSE 8192 /* Maximum file descriptors to close if
sysconf(_SC_OPEN_MAX) is indeterminate */
int becomeDaemon(int flags){
int maxfd, fd, new_stdout;
switch (fork()) { /* Become background process */
case -1: return -1;
case 0: break; /* Child falls through... */
default: _exit(EXIT_SUCCESS); /* while parent terminates */
}
if (setsid() == -1) /* Become leader of new session */
return -1;
switch (fork()) { /* Ensure we are not session leader */
case -1: return -1;
case 0: break;
default: _exit(EXIT_SUCCESS);
}
if (!(flags & BD_NO_UMASK0))
umask(0); /* Clear file mode creation mask */
if (!(flags & BD_NO_CHDIR))
chdir("/"); /* Change to root directory */
if (!(flags & BD_NO_CLOSE_FILES)) { /* Close all open files */
maxfd = sysconf(_SC_OPEN_MAX);
if (maxfd == -1) /* Limit is indeterminate... */
maxfd = BD_MAX_CLOSE; /* so take a guess */
for (fd = 0; fd < maxfd; fd++)
close(fd);
}
if (!(flags & BD_NO_REOPEN_STD_FDS)) {
/*
STDIN = 0
STDOUT = 1
STDERR = 2
*/
close(0); /* Reopen standard fd's to /dev/null */
fd = open("/dev/null", O_RDWR);
if (fd != 0) /* 'fd' should be 0 */
return -1;
if (dup2(0, 1) != 1)
return -1;
if (dup2(0, 2) != 2)
return -1;
}
return 0;
}
现在我想您可以将行open("/dev/null", O_RDWR)
更改为open("/home/you/output.txt", O_RDWR)
并将输出重定向到那里。那么你当然不能直接从终端输入你的程序,但是从你收到的错误信息的声音中我认为你正在使用套接字,所以可以写一个客户端为你这样做如果有必要的话。
希望有所帮助。