我想做sort(1)的倒数:在Perl中将 stdin 的每一行随机化为 stdout 。
答案 0 :(得分:10)
我敢打赌,真正的Perl黑客会把它拆开,但在这里仍然存在。
use strict;
use warnings;
use List::Util 'shuffle';
my @lines = ();
my $bufsize = 512;
while(<STDIN>) {
push @lines, $_;
if (@lines == $bufsize) {
print shuffle(@lines);
undef @lines;
}
}
print shuffle(@lines);
这个和其他解决方案之间的区别:
答案 1 :(得分:5)
这个perl片段可以解决这个问题:
#! /usr/bin/perl
# randomize cat
# fisher_yates_shuffle code copied from Perl Cookbook
# (By Tom Christiansen & Nathan Torkington; ISBN 1-56592-243-3)
use strict;
my @lines = <>;
fisher_yates_shuffle( \@lines ); # permutes @array in place
foreach my $line (@lines) {
print $line;
}
# fisher_yates_shuffle( \@array ) : generate a random permutation
# of @array in place
sub fisher_yates_shuffle {
my $array = shift;
my $i;
for ($i = @$array; --$i; ) {
my $j = int rand ($i+1);
next if $i == $j;
@$array[$i,$j] = @$array[$j,$i];
}
}
__END__
答案 2 :(得分:5)
use List::Util 'shuffle';
print shuffle <>
或者如果你担心缺少\ n的最后一行,
chomp(my @lines = <>);
print "$_\n" for shuffle @lines;