4

我尝试使用 perl 替换超时(centos5 中需要)

这里的脚本:

#!/usr/bin/perl
use strict;
my $pid=$$;
my $timeout=shift;
my @args=@ARGV;
eval {
        local $SIG{ALRM} = sub {
          print "Timed OUT!\n";
          exit 142;
          kill 9,$pid;
        };
        alarm($timeout);
        system(@args);
};
exit $?;

在测试时我发现:

这里一切都好

time /tmp/timeout 3 sleep 6
Timed OUT!

real    0m3.007s
user    0m0.000s
sys     0m0.004s

但这里都不好

time echo `/tmp/timeout 3 sleep 6`
Timed OUT!

real    0m6.009s
user    0m0.000s
sys     0m0.004s

在我测试过的debian系统上/usr/bin/timeout

time echo `/usr/bin/timeout 3 sleep 6`


real    0m3.004s
user    0m0.000s
sys     0m0.000s

所以问题

  • 为什么 perl 脚本工作如此奇怪?
  • 是否有任何真正的工作方式可以在 perl 上写入超时,这将与二进制超时相同?

请注意,我知道/usr/share/doc/bash-3.2/scripts/timeout并且我还发现它与我的 perl 方法相同

另请注意,我无法在针对此脚本的服务器上安装来自 CPAN 的模块

我试过了,exec()但在那种情况下,它不能处理 sub 中的信号。

UPD

使用来自@rhj 的脚本(必须稍作修正)

#!/usr/bin/perl
use strict;
use warnings;
my $PID=$$;
my $timeout=shift;
my @args=@ARGV;

my $pid = fork();
defined $pid or die "fork: $!";
$pid == 0 && exec(@args);

my $timed_out = 0;
$SIG{ALRM} = sub { $timed_out = 1; die; };
alarm $timeout;
eval { waitpid $pid, 0 };
alarm 0;
if ($timed_out) {
    print "Timed out!\n";
    kill 9, $pid;
    kill 9, $PID;
}
elsif ($@) {
    warn "error: $@\n";
}

它通过了上述测试,但在调用外部脚本的情况下失败:

运行脚本

#!/bin/sh
sleep 6

测试.sh

#!/bin/sh
a=`./timeout.pl 2 ./run_script.sh`

输出

$ time ./test.sh 

real    0m6.020s
user    0m0.004s
sys     0m0.008s
4

2 回答 2

1

此版本应始终有效:

#!/usr/bin/perl
use strict;
use warnings;
my $pid=$$;
my $timeout=shift;
my @args=@ARGV;

my $pid = fork();
defined $pid or die "fork: $!";
$pid == 0 && exec(@args);

my $timed_out = 0;
$SIG{ALRM} = sub { $timed_out = 1; die; };
alarm $timeout;
eval { waitpid $pid, 0 };
alarm 0;
if ($timed_out) {
    print "Timed out!\n";
    kill 9, $pid;
}
elsif ($@) {
    warn "error: $@\n";
}

但是,它不处理 exec() 调用中的错误。

于 2013-02-23T16:31:01.757 回答
0

必须使用 IPC::Cmd;

#!/usr/bin/perl -w 
use strict;
use IPC::Cmd qw(run_forked);
my $timeout=shift;
my $stdout;
my $hashref = run_forked(@ARGV, { timeout => $timeout});
print $hashref->{'stdout'};
print STDERR $hashref->{'stderr'}; 
if ($hashref->{'timeout'}) {            
        print STDERR "Timed out!\n";
        exit 142;
}
exit $hashref->{'exit_code'};

我不得不使用 rpmforge 安装 IPC::Cmd 的坏事。

于 2013-02-24T04:33:18.767 回答