popen

(PHP 3, PHP 4, PHP 5)

popen -- 打开进程文件指针

说明

resource popen ( string command, string mode )

打开一个指向进程的管道,该进程由派生给定的 command 命令执行而产生。

返回一个和 fopen() 所返回的相同的文件指针,只不过它是单向的(只能用于读或写)并且必须用 pclose() 来关闭。此指针可以用于 fgets()fgetss()fwrite()

如果出错返回 FALSE

注: 如果需要双向支持,使用 proc_open()

例子 1. popen() 例子

<?php
$handle
= popen("/bin/ls", "r");
?>

注: 如果未找到要执行的命令,会返回一个合法的资源。这看上去很怪,但有道理。它允许你访问 shell 返回的任何错误信息:

<?php
error_reporting
(E_ALL);

/* 加入重定向以得到标准错误输出 stderr。 */
$handle = popen('/path/to/spooge 2>&1', 'r');
echo
"'$handle'; " . gettype($handle) . "\n";
$read = fread($handle, 2096);
echo
$read;
pclose($handle);
?>

注: 在打开了安全模式时,只能执行在 safe_mode_exec_dir 之内的程序。为实用起见目前不能在指向程序的路径中包含 .. 成分。

警告

在打开了安全模式时,初始命令字符串之后的所有词都被看成一个单一的参数。因此,echo y | echo x 就成了 echo "y | echo x"

参见 pclose()fopen()proc_open()


add a note add a note User Contributed Notes
Nate
21-Oct-2006 07:21
Note that under Windows, if you are trying to write data to be available to your pipe's STDIN, you may need to execute php directly, rather than depending on file associations.

<?
  
// with $cmd set to 'foo.php', STDIN comes up blank.
   // with $cmd set to 'php foo.php', STDIN gets filled
   //    (assuming php.exe is in your path)
  
$cmd = 'foo.php';

   if ( (
$fh = popen($cmd, 'w')) === false )
       die(
"Open failed: ${php_errormsg}\n");

  
fwrite($fh, "Line one\nLine two\n");

  
pclose($fh);
?>
nospam at spamalot dot com
30-Aug-2006 09:19
popen() seems to have problems dealing with binary data (piping audio data to the standard input of an encoding application). I changed to proc_open() instead and now everything is working fine.
php dot net_manual at reimwerker dot de
03-Jun-2006 07:45
If you are going to allow data coming from user input to be passed to this function, then you should keep in mind the following warning that also applies to exec() and system():

http://www.php.net/manual/en/function.exec.php
http://www.php.net/manual/en/function.system.php

Warning:

If you are going to allow data coming from user input to be passed to this function, then you should be using escapeshellarg() or escapeshellcmd() to make sure that users cannot trick the system into executing arbitrary commands.
eric dot liu dot yi at gmail dot com
16-May-2006 01:32
popen() can be used to directly communicate with tools like GNUplot. (And it is platform independent~). To facilitate my work, I made a PHP interface to GNUPlot here:
http://celeste.cn/PHP-GNUPlot/
Christian
10-May-2006 02:33
Thanks a lot to tr4nc3 at msn dot com..
when using apache on Windows XP, on 'console mode' commands work fine, but as a system service, commands like 'popen' stop functioning, to resolve this:

Start>Run>services.msc
Right click "Apache...", select properties.
Click on the "LOG ON" tab
Check the box "Allow this service to interact with desktop"
Click OK
Restart Apache
don at digithink dot com
20-Dec-2005 08:28
// The above import function can be easily extended using
// /usr/local/bin/xls2csv (part of catdoc ) and popen
// to read excell files directly.
// In our particular application the first line was the file heading.
function importxls($file,$head=true,$throwfirst=true,$delim=",",$len=1000) {
   $return = false;
   $handle = popen("/usr/local/bin/xls2csv $file", "r");
// or die if not there.
   if ($throwfirst) {
       $throw = fgetcsv($handle, $len, $delim);
   }
   if ($head) {
       $header = fgetcsv($handle, $len, $delim);
   }
   while (($data = fgetcsv($handle, $len, $delim)) !== FALSE) {
       if ($head AND isset($header)) {
           foreach ($header as $key=>$heading) {
               $row[$heading]=(isset($data[$key])) ? $data[$key] : '';
               print "<li>". $heading ."=>" . $row[$heading]."</li>";
           }
           $return[]=$row;
       } else {
           $return[]=$data;
       }
   }
   fclose($handle);
   return $return;
}
rjl at xs4all dot nl
24-Nov-2005 05:16
Truncated output from ps command?

The solution lies in the way ps displays it's info
specifically the -w option which:
'uses 132 columns to display information,
instead of the default which is your window size.'....
somehow with fgets in php that results in 74 characters
regardless off the init length parameter

a bit of code:

echo '<table width="99%"><tr><td>cron</td></tr>' . "\n";
$fp=popen("/bin/ps -waux","r");
while (!feof($fp)) {
   $buffer = fgets($fp, 4096);
   $croninf .= '<tr><td>' . $buffer . '</td></tr>' . "\n";
}
pclose($fp);
echo $croninf;
echo '</table><br><br>' . "\n";

Ciao,

Rene =<>=
erb at agricola-gymnasium dot de
06-Oct-2005 08:48
Writing and executing a bash script is as simple as that:

$f = popen ("/bin/bash","w");
fwrite($f, "export KRB5CCNAME=`tempfile`\n");
fwrite($f, "export KRBTKFILE=`tempfile`\n");
fwrite($f, "$KINIT --keytab=$GLOBALS["KADMIN_KEYFILE"] --use-keytab --afslog $GLOBALS["KADMIN_PRINC"]\n");
fwrite($f, "pts delete $uid\n");
fwrite($f, "fs rmmount $rwhome\n");
fwrite($f, "vos remove sanjo b user.$uid\n");
fwrite($f, "$KDESTROY\n");
pclose($f);
Cride5
09-Sep-2005 08:39
Here is a nice little script for monitoring your http access log.

<?php

$handle
= popen("tail -f /etc/httpd/logs/access.log 2>&1", 'r');
while(!
feof($handle)) {
  
$buffer = fgets($handle);
   echo
"$buffer<br/>\n";
  
ob_flush();
  
flush();
}
pclose($handle);

?>

----
www.eviltree.co.uk
www.solidsites.co.uk
www.mongbong.com
atampone at NOSPAMFORME dot trdsupra dot com
20-Jun-2005 09:26
If you want to fork a process under windows, this is the function to use.  I created a batch file called runcmd.bat with the following line

start %1 %2 %3 %4

then I have the folowing function

<?
define
('RUNCMDPATH', 'c:\\htdocs\\nonwebspace\\runcmd.bat');

function
runCmd($cmd) {
  
$externalProcess=popen(RUNCMDPATH.' '.$cmd, 'r');
  
pclose($externalProcess);
}   
?>

with this, doing something like

<? runCmd('php.exe printWorkOrder.php 3498'); ?>
will launch php.exe outside of apache and allow the script calling the runCmd() function to continue without waiting for the command line process to return.  The process will run under the same user account that Apache (or whatever webserver you're running) is running under, so make sure it has permissions to do whatever you need to do.  Also, make sure that the batch file has enough %n s in order to pass all the command line variables that you might need to pass.

Special thanks to kicken from the devshed forums for coming up with the idea.
electronerd at monolith3d dot com
26-May-2005 02:46
In response to shaun at nospam dot phplabs dot com:

fread() does not guarantee that all the expected data is read. The length argument is only an upper limit. If there isn't more data immediately available, fread() may return early.
PGP Dude
07-May-2005 01:52
I should say, my host uses a modified form of safe mode, so I don't know if that might have caused a problem with "popen" as opposed to "proc_open".  The warning below does NOT appear on the proc_open page:

quote:
With safe mode enabled, all words following the initial command string are treated as a single argument. Thus, echo y | echo x becomes echo "y | echo x".
PGP Dude
07-May-2005 03:30
LinixDude010's srcipt did not work for me.  Seems wrong to read and write with popen, according to the manual.

The script produced pgp text, but there was something wrong with the text and I could not decode it.

This replacement script, using proc_open, which can read and write, DOES work:

<?php
function pgp_encrypt($keyring_location, $public_key_id, $plain_text) {
 
$encrypted_text='';
 
$key_id = EscapeShellArg($public_key_id);
 
putenv("PGPPATH=$keyring_location");

 
// encrypt the message
 
$descriptorspec = array(
  
0 => array("pipe", "r"),  // stdin
  
1 => array("pipe", "w"),  // stdout
  
2 => array("pipe", "w"// stderr ?? instead of a file
 
);
 
$process = proc_open("pgpe -r $key_id -af", $descriptorspec, $pipes);
  if (
is_resource($process)) {
  
fwrite($pipes[0], $plain_text);
  
fclose($pipes[0]);
   while(
$s= fgets($pipes[1], 1024)) {
        
// read from the pipe
        
$encrypted_text .= $s;
   }
  
fclose($pipes[1]);
  
// optional:
  
while($s= fgets($pipes[2], 1024)) {
    
$encrypted_text.= "\n<p>Error: $s</p>\n";
   }
  
fclose($pipes[2]);
  }
  return
$encrypted_text;
}

$message = pgp_encrypt("/home/username/.pgp", "to@domain.com", "dummy text to be encrypted");
print
nl2br($message);

?>
shaun at nospam dot phplabs dot com
27-Feb-2005 09:52
Note that there appears to be a limit to the amount of data that fread() will return from a handle opened with popen(). A call to fread() may not return as much as you ask for.

For example, suppose I have a file "myfile.txt" which is more than 10KB in size. The following code works as expected:

<?php
$fp
= fopen('myfile.txt', 'r');
$data = fread($fp, 10240);
echo
strlen($data);
?>

The output is '10240.' However, popen() behaves differently:

<?php
$fp
= popen('/bin/cat myfile.txt', 'r');
$data = fread($fp, 10240);
echo
strlen($data);
?>

On my system, this code prints out '8192' instead of the expected '10240.'
webmaster at elcurriculum dot com
10-Dec-2004 04:05
This function send an email in html format.

function SendEmail($to,$asunto,$html,$from) {
   $fd = popen("/usr/sbin/sendmail -t", "w");
   fputs($fd, "Content-type: text/html\r\n");
   fputs($fd, "To: $to\r\n");
   fputs($fd, "From: TRYKE <" . $from . ">\r\n");
   fputs($fd, "Subject: $asunto\r\n");
   fputs($fd, "X-Mailer: PHP3\r\n\r\n");
   fputs($fd, $html);
   pclose($fd);
}

Examples:
SendEmail("tryke@hot.com","My Subject","<h1>Hi,<br>How are you?</h1>","miemail@midomain.com");

More:
http://tryke.blogcindario.com
kalvinb602 at hotmail dot com
07-Jul-2004 06:42
If you're having trouble with the server (Apache) hanging when issuing system commands consider the following bug report:

http://bugs.php.net/bug.php?id=22526

basically, if you're using sessions issue a

session_write_close();

command before you execute your system command to keep the server from hanging.

This may also correct the problem when using other system command executing functions like exec.

Ben
Michel Machado
07-Mar-2004 09:53
Yet another workaround for not having bidirectional pipes in php.

$Cmd =
"bc 2>&1 << END\n" .
"100+221\n" .
"1+3*3\n" .
"quit\n" .
"END\n";

$fp = popen($Cmd, 'r');
$read = fread($fp, 1024);
echo $read;
pclose($fp);
http://vmlinuz.nl/about/contact/
12-Nov-2002 12:58
From the popen linux programmers manual:
<quote>The  command  argument  is  a pointer to a null-terminated string containing a shell command line.  This  command  is passed  to  /bin/sh  using the -c flag.</quote>

Since php uses this popen function, you need to be sure /bin/sh exists. This file may not exist in chroot()ed environments.
ajv-php at erkle dot org
09-Aug-2002 02:02
I noticed that some of the examples above seem to advocate passing unencrypted data to gpg via the pipe shell escape, in the absence of a bi-directional popen (on some OSes).

The approach I've taken is similar to:

  $prefix = 'example';
  $command = '/usr/local/bin/gpg --encrypt --armor --no-tty --batch --no-secmem-warning --recipient "joe.soap@example.com"';
  $tmpfile = tempnam('/tmp', $prefix);
  $pipe = popen("$command 2>&1 >$tmpfile", 'w');
  if (!$pipe) {
   unlink($tmpfile);
  } else {
   fwrite($pipe, $plaintxt, strlen($plaintxt));
   pclose($pipe);
   $fd = fopen($tmpfile, "rb");
   $output = fread($fd, filesize($tmpfile));
   fclose($fd);
   unlink($tmpfile);
  }
  return $output;

This means that unencrypted information is not passed via a (potentially readable) shell command, and only encrypted information gets stored on disc.
12-Jul-2002 05:33
Here is a workaround for not having bidirectional pipes in php.

If you have bidirectional pipe support, don't bother with this.

The trick here is to send the input on the command line to the target application.  In particular I wanted to use openssl without using temp files or named pipes.  This solution should also be thread/process safe.

This does work on Linux (RedHat 7).

function filterThroughCmd($input, $commandLine) {
  $pipe = popen("echo \"$input\"|$commandLine" , 'r');
  if (!$pipe) {
   print "pipe failed.";
   return "";
  }
  $output = '';
  while(!feof($pipe)) {
   $output .= fread($pipe, 1024);
  }
  pclose($pipe);
  return $output;
}

# example:
print filterThroughCmd("hello", "cat");
# Piping to cat has the effect of echoing your input.
cyberlot at cyberlot dot net
01-Jul-2002 04:29
The below code works for both way processing ;) Have fun folks

<?
   system
("mkfifo pipeout");
  
$pipe = popen("./nwserver -module Chapter1E > pipeout","w");
  
$pipeout = fopen("pipeout", "r");
   while (
$s = fgets($pipeout,1024)) {
   echo
$s;
   }

?>
linuxdude010 at yahoo dot com
25-May-2002 02:49
I had all kinds of trouble encrypting a message with PGP, but I finanlly got it to work.  The trick was to 'chmod o+r pubring.pkr' so that the apache server could read the public keys!!!  Then, this function worked fine:

<?PHP
function pgp_encrypt($keyring_location, $public_key_id, $plain_text) {

      
$key_id = EscapeShellArg($public_key_id);
      
putenv("PGPPATH=$keyring_location");

      
// encrypt the message
      
$pipe = popen("pgpe -r $key_id -af", "r");             
      
fwrite($pipe, $plain_text);
      
$encrypted_text = '';
       while(
$s = fgets($pipe, 1024)) {
              
// read from the pipe
              
$encrypted_text .= $s;
       }
      
pclose($pipe);

       return
$encrypted_text;
}

$message = pgp_encrypt("/home/username/.pgp", "to@domain.com", "dummy text to be encrypted");
print
nl2br($message);

?>
nricciardi at mindspring dot com
09-Mar-2002 08:38
ive tried using popen using bidirectional pipes without working for obvious reasons, but i managed to create a simple script that managed to take care of the problem.  This example is for gpg encryption.

<?
   $message
= "this is the text to encrypt with gpg";
  
$sendto = 'Dummy Key <another@fake.email>';

  
system("mkfifo pipein");
  
system("mkfifo pipeout");
  
system("gpg --encrypt -a -r '$sendto' > pipeout < pipein &");
  
$fo = fopen("pipeout", "r");
  
$fi = fopen("pipein", "w");
  
fwrite($fi, $message, strlen($message));
  
fclose($fi);
   while (!
feof($fo)) {
    
$buf .= fread($fo, 1024);
   }
   echo
$buf;
  
unlink("pipein");
  
unlink("pipeout");
?>

If anyone has a better way of doing this I would love to see it.
kevin at pricetrak dot com
30-Jun-2001 02:26
Just a quick note about your environment. None of the apache specific environment variables are available to the called program.
trevor at verite dot com
17-Feb-2001 04:42
Just make sure that you check the user information being passed into the command (if any) before it executes.
bevmo at gmx dot de
02-Dec-2000 02:27
Try this if you want to use sendmail...
$mailer = popen ("/usr/sbin/sendmail -t -i","w");
fwrite ($mailer,"Subject:
From:
To:

*insert text*
");
pclose ($mailer);
stevet at linuxfan dot com
14-Nov-2000 11:17
In PHP3, I could do:

$query = "echo hello world | mycmd"
$fp = ($query, "r");

Under PHP4, this just produces "hello world | mycmd" as the output - the pipe is not executed.

Instead, use:

$query = "hello world";
$cmd = "mycmd";
$fp = popen($cmd, "w+");
fwrite($fp, $query);
lexzeus at mifinca dot com
09-Nov-2000 01:53
Try this (if you're familiar with vi editor) :

<?php
$f
=popen("vi newfile.txt","w");
sleep(1);
fputs($f,"i");  // insert

sleep(1);
fputs($f,"Hello world\r"); // write the text to vi Editor

sleep(1);
fputs($f,chr(27));  // cancel action

sleep(1);
fputs($f,":wq\r");  // write and quit

pclose($f); // back to php

exit;
?>

heh heh heh,

LexZEUS
matthew at leftcoast dot com
04-Oct-2000 09:16
Note that your OS must support bi-direction pipes for popen to be bi-directional. 

FreeBSD and BSDI are known to support bi-pipes. 

Not sure about Linux.