
![]() | ![]() |
16.8. Controlling Input and Output of Another Program
16.8.1. Problem
You want to both write to and read
from another program. The open function lets you
do one or the other, but not both.
16.8.2. Solution
Use the standard IPC::Open2 module:use IPC::Open2;
$pid = open2(*README, *WRITEME, $program);
print WRITEME "here's your input\n";
$output = <README>;
close(WRITEME);
close(README);
waitpid($pid, 0);
16.8.3. Discussion
Wanting simultaneous read and write access to another program is very
common, but surprisingly perilous. That's one reason the built-in
open doesn't permit:open(my $double_handle, "| program args |") # WRONG
The big problem here is buffering. Because you can't force the other
program to unbuffer its output, you can't guarantee that your reads
won't block. If you block trying to read at the same time the other
process blocks waiting for you to send something, you've achieved the
unholy state of deadlock. There you'll both stay, wedged, until
someone kills your process or the machine reboots.If you control the other process's buffering because you wrote the
other program and know how it works, then IPC::Open2 may be the
module for you. If you pass undefined scalar values as the first two
arguments, open2 creates new filehandles:use IPC::Open2;
$pid = open2(my $reader, my $writer, $program);
Alternatively, you can pass in arguments that look like
"<&OTHERFILEHANDLE" or
">&OTHERFILEHANDLE", which specify existing
filehandles for the child process to read from or write to. These
filehandles don't have to be controlled by your program—they
may be connected to other programs, files, or sockets.You can specify the program either as a list (where the first element
is the program name and the remaining elements are arguments to the
program) or as a single string (which is passed to the shell as a
command to start the program). If you also want control over the
process's standard error, use the IPC::Open3 module and see the next
recipe.If an error occurs, open2 and
open3 do not return. Instead, they
die with an error message that begins with
"open2" or "open3". To test for
failure, use the eval BLOCK
construct:eval {
$pid = open2($readme, $writeme, @program_and_arguments);
};
if ($@) {
if ($@ =~ /^open2/) {
warn "open2 failed: $!\n$@\n";
return;
}
die; # reraise unforeseen exception
}
You must call waitpid, as we do in the Solution,
because IPC::Open2 doesn't reap the child process after it exits. See
Recipe 16.19 for details.
16.8.4. See Also
The documentation for the IPC::Open2 and IPC::Open3 modules; Recipe 10.12; the eval function in
Chapter 29 of Programming Perl and in
perlfunc(1); the $@ variable
in the section on "Special Variables in Alphabetical Order" in
Chapter 28 of Programming Perl and in
perlvar(1)
![]() | ![]() | ![]() |
16.7. Reading STDERR from a Program | ![]() | 16.9. Controlling the Input, Output, and Error of Another Program |

Copyright © 2003 O'Reilly & Associates. All rights reserved.