est*_*est 8 perl loops file perl5
我需要从文件中读取,遍历它并将该行写入另一个文件.当行数达到阈值时,关闭输出文件句柄并打开一个新句柄.
每次从输入文件句柄读取一行时,如何避免打开和关闭输出文件句柄?
use autodie qw(:all);
my $tot = 0;
my $postfix = 'A';
my $threshold = 100;
open my $fip, '<', 'input.txt';
LINE: while (my $line = <$fip>) {
my $tot += substr( $line, 10, 5 );
open my $fop, '>>', 'output_' . $postfix;
if ( $tot < $threshold ) {
print {$fop} $line;
}
else {
$tot = 0;
$postfix++;
redo LINE;
}
close $fop;
}
close $fip;
Run Code Online (Sandbox Code Playgroud)
dan*_*111 11
只有在更改时才重新打开文件$postfix.此外,你可以更简单一些.
use warnings;
use strict;
use autodie qw(:all);
my $tot = 0;
my $postfix = 'A';
my $threshold = 100;
open my $fop, '>>', 'output_' . $postfix;
open my $fip, '<', 'input.txt';
while (my $line = <$fip>) {
$tot += substr( $line, 10, 5 );
if ($tot >= $threshold) {
$tot = 0;
$postfix++;
close $fop;
open $fop, '>>', 'output_' . $postfix;
}
print {$fop} $line;
}
close $fip;
close $fop;
Run Code Online (Sandbox Code Playgroud)