複数のシェル コマンド チェーンを実行するプログラムを実装しようとしています。
| --> cmd3 --> cmd4 -->
cmd2-->|
| --> cmd5 --> cmd6 -->|--> cmd7
|
|--> cmd8
等々...
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <errno.h>
#include <string.h>
#include <signal.h>
#include <fcntl.h>
#include <stdarg.h>
#include <sys/types.h>
typedef struct command {
char* name;
char** argv;
} command;
command parsecmd(char* cmd) {
command c;
char delimiter[] = " ";
char* buf = malloc(sizeof(char) * strlen(cmd));
strcpy(buf, cmd);
char **args = malloc(sizeof(char*));
char* token = strtok(buf, delimiter);
int i = 0;
while (token != NULL) {
if (i == 0) {
c.name = token;
}
args[i] = token;
token = strtok(NULL, delimiter);
++i;
}
args[i] = NULL;
c.argv = args;
return c;
}
int mkproc(char *cmd, int outfd)
{
command c = parsecmd(cmd);
int pipeleft[2];
pipe(pipeleft);
if(!fork()){
close(pipeleft[1]);
dup2(pipeleft[0], 0);
dup2(outfd, 1);
execvp(c.name, c.argv);
}
close(pipeleft[0]);
return pipeleft[1];
}
int mktree(char *cmd, int ofd0, ...)
{
int piperight[2];
pipe(piperight);
int cmdin = mkproc(cmd, piperight[1]);
close(piperight[1]);
if(!fork()){
uchar buf[4096];
int n;
while((n=read(piperight[0], buf, sizeof buf))>0){
va_list ap;
int fd;
va_start(ap, ofd0);
for(fd=ofd0; fd!=-1; fd=va_arg(ap, int)){
write(fd, buf, n);
}
va_end(ap);
}
}
return cmdin;
}
int main(int argc, char* argv[]) {
// THIS WORK
int chain_in = mkproc("cat foo.txt", mkproc("sort", mkproc("wc -l", 1)));
// THIS WORK
int tree_in1 = mktree("cat /tmp/test.log", mkproc("grep a", 1), mkproc("wc -l", 2), -1);
// NOT WORK -> HANG!
int tree_in2 = mktree("cat /tmp/test.log",
mktree("grep test",
mkproc("uniq", mkproc("wc -l", 1)),
mkproc("wc -l", 2), -1),
mkproc("sort", 2), -1);
}
サブプロセスでstraceを実行すると、パイプからの読み取りでスタックし、メインプロセスでスタースを実行すると、読み取りでもスタックします...パイプバッファーは64Kで、パイプごとに一度に4kしか書き込んでいません
どうしたの?!
ありがとう!!!