web-dev-qa-db-ja.com

execからの出力の取得

コマンド出力を取得する必要のあるものを書き、それを不当に扱い、別のプログラムに渡そうとしているのです。

問題があれば、コマンド出力を取得して以下に保存する方法を見つけることができません。

if(fork() == 0){
   execl("/bin/ls", "ls", "-1", (char *)0);
   /* hopefully do something with the output here*/
}else{
  *other stuff goes here*
 }`

だから基本的には、「execl」から出力を取得して他のものに渡すことができる方法があるかどうか疑問に思っています(たとえば、ある種のバッファに格納することによって)。

どんな提案も素晴らしいでしょう。みんなありがとう.. `

19
TrewTzu

pipe()を使用して、親プロセスから子へのパイプを作成する必要があります。次に、dupまたはstandard ouputを使用してerror output(STDOUT_FILENO)およびdup2(STDERR_FILENO)をパイプにリダイレクトし、親プロセスでパイプから読み取る必要があります。うまくいくはずです。

#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>

#define die(e) do { fprintf(stderr, "%s\n", e); exit(EXIT_FAILURE); } while (0);

int main() {
  int link[2];
  pid_t pid;
  char foo[4096];

  if (pipe(link)==-1)
    die("pipe");

  if ((pid = fork()) == -1)
    die("fork");

  if(pid == 0) {

    dup2 (link[1], STDOUT_FILENO);
    close(link[0]);
    close(link[1]);
    execl("/bin/ls", "ls", "-1", (char *)0);
    die("execl");

  } else {

    close(link[1]);
    int nbytes = read(link[0], foo, sizeof(foo));
    printf("Output: (%.*s)\n", nbytes, foo);
    wait(NULL);

  }
  return 0;
}
34
Aif

パイプを開き、そのパイプに一致するようにstdoutを変更します。

 #include <sys/types.h>
 #include <unistd.h>
 #include <stdio.h>
 #include <stdlib.h>

 int pipes[2];

 pipe(pipes); // Create the pipes

 dup2(pipe[1],1); // Set the pipe up to standard output

その後、(printfなどを介して)stdoutに送られるものはすべてpipe [0]から出力されます。

FILE *input = fdopen(pipe[0],"r");

これで、通常のファイル記述子のように出力を読み取ることができます。詳細については、 this を参照してください

20
Darcy Rayner

Jonathan Lefflerに感謝します。上記のコードを最適化すると、一度にすべての応答を読み取ることができません。

#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <string.h>
#include <sys/wait.h>

#define die(e) do { fprintf(stderr, "%s\n", e); exit(EXIT_FAILURE); } while (0);

int main() {
  int link[2];
  pid_t pid;
  char foo[4096 + 1];
  memset(foo, 0, 4096);

  if (pipe(link)==-1)
    die("pipe");

   if ((pid = fork()) == -1)
    die("fork");

  if(pid == 0) {

    dup2 (link[1], STDOUT_FILENO);
    close(link[0]);
    close(link[1]);
    execl("/bin/ls", "ls", "-1", (char *)0);
    die("execl");
  } else {
    close(link[1]);
    int nbytes = 0;
    std::string totalStr;
    while(0 != (nbytes = read(link[0], foo, sizeof(foo)))) {
        totalStr = totalStr + foo;
        printf("Output: (%.*s)\n", nbytes, foo);
        memset(foo, 0, 4096);
    }
    wait(NULL);
  }
  return 0;
}
2
user2420449