zcat在命令行中工作,但不在perl脚本中工作

时间:2016-09-26 11:02:17

标签: perl zcat

以下是我脚本的一部分:

foreach $i ( @contact_list ) {

    print "$i\n";

    $e = "zcat $file_list2| grep $i";
    print "$e\n";

    $f = qx($e);
    print "$f";                                       
}

$e打印正确,但即使$f$file_list2匹配,$i也会显示空行。

谁能告诉我为什么?

2 个答案:

答案 0 :(得分:0)

你的问题让我们猜测了许多事情,但更好的整体方法似乎只是打开文件一次,并在Perl本身处理每一行。

open(F, "zcat $file_list |") or die "$0: could not zcat: $!\n";
LINE:
while (<F>) {
    ######## FIXME: this could be optimized a great deal still
    foreach my $i (@contact_list) {
        if (m/$i/) {
            print $_;
            next LINE;
        }
    }
}
close (F);

如果你想从内循环中挤出更多内容,在循环之前将@contact_list的正则表达式编译成一个单独的数组,或者如果你关心的是它们中的一个,可能将它们组合成一个正则表达式匹配。另一方面,如果你想知道一个模式的所有匹配只在最后知道它们是什么时,每个搜索表达式将匹配收集到一个数组中,然后循环它们并在你输入整个输入集时打印文件。

如果没有关于$i中的内容的信息,您的问题是不可重现的,但我可以猜测它包含一些shell元字符,导致它在grep运行之前由shell处理。

答案 1 :(得分:0)

使用Perl的grep而不是使用pipe总是更好:

@lines = `zcat $file_list2`;    # move output of zcat to array
die('zcat error') if ($?);      # will exit script with error if zcat is problem
# chomp(@lines)                 # this will remove "\n" from each line

foreach $i ( @contact_list ) {

    print "$i\n";

    @ar = grep (/$i/, @lines);
    print @ar;
#   print join("\n",@ar)."\n";      # in case of using chomp
}

最佳解决方案不是调用zcat,而是使用zlib库: http://perldoc.perl.org/IO/Zlib.html

use IO::Zlib;

# ....
# place your defiiniton of $file_list2 and @contact list here.
# ...

$fh = new IO::Zlib; $fh->open($file_list2, "rb")
    or die("Cannot open $file_list2");
@lines = <$fh>;
$fh->close;

#chomp(@lines);                    #remove "\n" symbols from lines
foreach $i ( @contact_list ) {

    print "$i\n";
    @ar = grep (/$i/, @lines);
    print (@ar);
#   print join("\n",@ar)."\n";    #in case of using chomp
}