在perl中重定向输出时fork exec kill的问题

时间:2010-06-03 10:31:14

标签: perl redirect fork kill

我在perl中创建了一个脚本来运行超时的程序。如果正在执行的程序需要更长的时间,那么超时将超过脚本杀死此程序并返回消息“TIMEOUT”。

脚本工作得很好,直到我决定重定向执行程序的输出。

当stdout和stderr被重定向时,脚本执行的程序没有被杀死,因为它的pid与我从fork得到的pid不同。

似乎perl执行了一个在重定向的情况下执行我的程序的shell。

我想要输出重定向,但是在超时的情况下仍然能够终止程序。

关于我如何做到这一点的任何想法?

我的脚本的简化代码是:

#!/usr/bin/perl

use strict;
use warnings;
use POSIX ":sys_wait_h";

my $timeout = 5;
my $cmd = "very_long_program 1>&2 > out.txt";

my $pid = fork();
if( $pid == 0 )
{
   exec($cmd) or print STDERR "Couldn't exec '$cmd': $!";
   exit(2);
}
my $time = 0;
my $kid = waitpid($pid, WNOHANG);
while ( $kid == 0 )
{
   sleep(1);
   $time ++;
   $kid = waitpid($pid, WNOHANG);
   print "Waited $time sec, result $kid\n";
   if ($timeout > 0 && $time > $timeout)
   {
      print "TIMEOUT!\n";
      #Kill process
      kill 9, $pid;
      exit(3);
   }
}

if ( $kid == -1)
{
   print "Process did not exist\n";
   exit(4);
}
print "Process exited with return code $?\n";
exit($?);

感谢您的帮助。

2 个答案:

答案 0 :(得分:11)

尝试从

更改$cmd
my $cmd = "very_long_program 1>&2 > out.txt";

my $cmd = "exec very_long_program 1>&2 > out.txt";

exec会告诉外壳由perl生成,用very_long_program替换自己,而不是像孩子一样运行very_long_program。

(在这种情况下perl产生shell的原因是因为$cmd包含重定向字符 - 而且perl不知道如何自己处理它们。另一种解决问题的方法是在在fork()之后但在调用exec()之前perl本身 - 但这有点棘手,所以首先尝试exec解决方法!)

答案 1 :(得分:2)

另一种方法是在fork之后重定向STDOUT和STDERR并在没有重定向的情况下运行命令:

open(STDOUT, ">", "out.txt") or die "Err: $!";
open(STDERR, ">&STDOUT");
exec("very_long_command");
die "Failed to exec very_long_command: $!";