Section 15.3. popen and pclose Functions

team bbl


15.3. popen and pclose Functions

Since a common operation is to create a pipe to another process, to either read its output or send it input, the standard I/O library has historically provided the popen and pclose functions. These two functions handle all the dirty work that we've been doing ourselves: creating a pipe, forking a child, closing the unused ends of the pipe, executing a shell to run the command, and waiting for the command to terminate.

 #include <stdio.h> FILE *popen(const char *cmdstring, const char *type);

Returns: file pointer if OK, NULL on error

 int pclose(FILE *fp); 

Returns: termination status of cmdstring, or 1 on error


The function popen does a fork and exec to execute the cmdstring, and returns a standard I/O file pointer. If type is "r", the file pointer is connected to the standard output of cmdstring (Figure 15.9).

Figure 15.9. Result of fp = popen(cmdstring, "r")


If type is "w", the file pointer is connected to the standard input of cmdstring, as shown in Figure 15.10.

Figure 15.10. Result of fp = popen(cmdstring, "w")


One way to remember the final argument to popen is to remember that, like fopen, the returned file pointer is readable if type is "r" or writable if type is "w".

The pclose function closes the standard I/O stream, waits for the command to terminate, and returns the termination status of the shell. (We described the termination status in Section 8.6. The system function, described in Section 8.13, also returns the termination status.) If the shell cannot be executed, the termination status returned by pclose is as if the shell had executed exit(127).

The cmdstring is executed by the Bourne shell, as in

 sh -c cmdstring 

This means that the shell expands any of its special characters in cmdstring. This allows us to say, for example,

    fp = popen("ls *.c", "r"); or    fp = popen("cmd 2>&1", "r"); 

Example

Let's redo the program from Figure 15.6, using popen. This is shown in Figure 15.11.

Using popen reduces the amount of code we have to write.

The shell command ${PAGER:-more} says to use the value of the shell variable PAGER if it is defined and non-null; otherwise, use the string more.

Figure 15.11. Copy file to pager program using popen
 #include "apue.h" #include <sys/wait.h> #define PAGER   "${PAGER:-more}" /* environment variable, or default */ int main(int argc, char *argv[]) {     char    line[MAXLINE];     FILE    *fpin, *fpout;     if (argc != 2)         err_quit("usage: a.out <pathname>");     if ((fpin = fopen(argv[1], "r")) == NULL)         err_sys("can't open %s", argv[1]);     if ((fpout = popen(PAGER, "w")) == NULL)         err_sys("popen error");     /* copy argv[1] to pager */     while (fgets(line, MAXLINE, fpin) != NULL) {         if (fputs(line, fpout) == EOF)             err_sys("fputs error to pipe");     }     if (ferror(fpin))         err_sys("fgets error");     if (pclose(fpout) == -1)         err_sys("pclose error");     exit(0); } 

Examplepopen and pclose Functions

Figure 15.12 shows our version of popen and pclose.

Although the core of popen is similar to the code we've used earlier in this chapter, there are many details that we need to take care of. First, each time popen is called, we have to remember the process ID of the child that we create and either its file descriptor or FILE pointer. We choose to save the child's process ID in the array childpid, which we index by the file descriptor. This way, when pclose is called with the FILE pointer as its argument, we call the standard I/O function fileno to get the file descriptor, and then have the child process ID for the call to waitpid. Since it's possible for a given process to call popen more than once, we dynamically allocate the childpid array (the first time popen is called), with room for as many children as there are file descriptors.

Calling pipe and fork and then duplicating the appropriate descriptors for each process is similar to what we did earlier in this chapter.

POSIX.1 requires that popen close any streams that are still open in the child from previous calls to popen. To do this, we go through the childpid array in the child, closing any descriptors that are still open.

What happens if the caller of pclose has established a signal handler for SIGCHLD? The call to waitpid from pclose would return an error of EINTR. Since the caller is allowed to catch this signal (or any other signal that might interrupt the call to waitpid), we simply call waitpid again if it is interrupted by a caught signal.

Note that if the application calls waitpid and obtains the exit status of the child created by popen, we will call waitpid when the application calls pclose, find that the child no longer exists, and return 1 with errno set to ECHILD. This is the behavior required by POSIX.1 in this situation.

Some early versions of pclose returned an error of EINTR if a signal interrupted the wait. Also, some early versions of pclose blocked or ignored the signals SIGINT, SIGQUIT, and SIGHUP during the wait. This is not allowed by POSIX.1.

Figure 15.12. The popen and pclose functions
 #include "apue.h" #include <errno.h> #include <fcntl.h> #include <sys/wait.h> /*  * Pointer to array allocated at run-time.  */ static pid_t    *childpid = NULL; /*  * From our open_max(), Figure 2.16.  */ static int      maxfd; FILE * popen(const char *cmdstring, const char *type) {     int     i;     int     pfd[2];     pid_t   pid;     FILE    *fp;     /* only allow "r" or "w" */     if ((type[0] != 'r' && type[0] != 'w') || type[1] != 0) {         errno = EINVAL;     /* required by POSIX */         return(NULL);     }     if (childpid == NULL) {     /* first time through */         /* allocate zeroed out array for child pids */         maxfd = open_max();         if ((childpid = calloc(maxfd, sizeof(pid_t))) == NULL)             return(NULL);     }     if (pipe(pfd) < 0)         return(NULL);   /* errno set by pipe() */     if ((pid = fork()) < 0) {         return(NULL);   /* errno set by fork() */     } else if (pid == 0) {                           /* child */         if (*type == 'r') {             close(pfd[0]);             if (pfd[1] != STDOUT_FILENO) {                 dup2(pfd[1], STDOUT_FILENO);                 close(pfd[1]);             }         } else {             close(pfd[1]);             if (pfd[0] != STDIN_FILENO) {                 dup2(pfd[0], STDIN_FILENO);                 close(pfd[0]);             }         }         /* close all descriptors in childpid[] */         for (i = 0; i < maxfd; i++)             if (childpid[i] > 0)                 close(i);         execl("/bin/sh", "sh", "-c", cmdstring, (char *)0);         _exit(127);     }     /* parent continues... */     if (*type == 'r') {         close(pfd[1]);         if ((fp = fdopen(pfd[0], type)) == NULL)             return(NULL);     } else {         close(pfd[0]);         if ((fp = fdopen(pfd[1], type)) == NULL)             return(NULL);     }     childpid[fileno(fp)] = pid; /* remember child pid for this fd */     return(fp); } int pclose(FILE *fp) {     int     fd, stat;     pid_t   pid;     if (childpid == NULL) {         errno = EINVAL;         return(-1);     /* popen() has never been called */     }     fd = fileno(fp);     if ((pid = childpid[fd]) == 0) {         errno = EINVAL;         return(-1);     /* fp wasn't opened by popen() */     }     childpid[fd] = 0;     if (fclose(fp) == EOF)         return(-1);     while (waitpid(pid, &stat, 0) < 0)         if (errno != EINTR)             return(-1); /* error other than EINTR from waitpid() */     return(stat);   /* return child's termination status */ } 

Note that popen should never be called by a set-user-ID or set-group-ID program. When it executes the command, popen does the equivalent of

     execl("/bin/sh", "sh", "-c", command, NULL); 

which executes the shell and command with the environment inherited by the caller. A malicious user can manipulate the environment so that the shell executes commands other than those intended, with the elevated permissions granted by the set-ID file mode.

One thing that popen is especially well suited for is executing simple filters to transform the input or output of the running command. Such is the case when a command wants to build its own pipeline.

Example

Consider an application that writes a prompt to standard output and reads a line from standard input. With popen, we can interpose a program between the application and its input to transform the input. Figure 15.13 shows the arrangement of processes.

The transformation could be pathname expansion, for example, or providing a history mechanism (remembering previously entered commands).

Figure 15.14 shows a simple filter to demonstrate this operation. The filter copies standard input to standard output, converting any uppercase character to lowercase. The reason we're careful to fflush standard output after writing a newline is discussed in the next section when we talk about coprocesses.

We compile this filter into the executable file myuclc, which we then invoke from the program in Figure 15.15 using popen.

We need to call fflush after writing the prompt, because the standard output is normally line buffered, and the prompt does not contain a newline.

Figure 15.13. Transforming input using popen


Figure 15.14. Filter to convert uppercase characters to lowercase
 #include "apue.h" #include <ctype.h> int main(void) {     int     c;     while ((c = getchar()) != EOF) {         if (isupper(c))             c = tolower(c);         if (putchar(c) == EOF)             err_sys("output error");         if (c == '\n')             fflush(stdout);     }     exit(0); } 

Figure 15.15. Invoke uppercase/lowercase filter to read commands
 #include "apue.h" #include <sys/wait.h> int main(void) {     char    line[MAXLINE];     FILE    *fpin;     if ((fpin = popen("myuclc", "r")) == NULL)         err_sys("popen error");     for ( ; ; ) {         fputs("prompt> ", stdout);         fflush(stdout);         if (fgets(line, MAXLINE, fpin) == NULL) /* read from pipe */             break;         if (fputs(line, stdout) == EOF)             err_sys("fputs error to pipe");     }     if (pclose(fpin) == -1)         err_sys("pclose error");     putchar('\n');     exit(0); } 

    team bbl



    Advanced Programming in the UNIX Environment
    Advanced Programming in the UNIX Environment, Second Edition (Addison-Wesley Professional Computing Series)
    ISBN: 0321525949
    EAN: 2147483647
    Year: 2005
    Pages: 370

    flylib.com © 2008-2017.
    If you may any questions please contact us: flylib@qtcs.net