如何在使用以下程序中的哈希计算实际列表的顺序后维护实际列表的顺序?例如,<DATA>
是
a
b
e
a
c
d
a
c
d
b
etc.
使用哈希,我计算了每个元素的出现次数。
我想要的是:
a 3
b 2
e 1
c 2
d 2
但是以下程序显示了我。
my (%count, $line, @array_1, @array_2);
while ($line = <DATA>) {
$count{$line}++ if ( $line =~ /\S/ );
}
@array_1 = keys(%count);
@array_2 = values(%count);
for(my $i=0; $i<$#array_1; $i++)
{
print "$array_1[$i]\t $array_2[$i]";
}
答案 0 :(得分:34)
没有订购哈希,但像往常一样,CPAN提供了一个解决方案:Tie::IxHash
use Tie::IxHash;
my %count;
tie %count, 'Tie::IxHash';
while ($line = <DATA>) {
$count{$line}++ if ( $line =~ /\S/ );
}
while( my( $key, $value)= each %count) {
print "$key\t $value";
}
答案 1 :(得分:15)
哈希表中的数据按键的哈希码的顺序存储,对于大多数目的而言,哈希码就像一个随机顺序。您还希望存储每个键的第一个外观的顺序。这是解决此问题的一种方法:
my (%count, $line, @display_order);
while ($line = <DATA>) {
chomp $line; # strip the \n off the end of $line
if ($line =~ /\S/) {
if ($count{$line}++ == 0) {
# this is the first time we have seen the key "$line"
push @display_order, $line;
}
}
}
# now @display_order holds the keys of %count, in the order of first appearance
foreach my $key (@display_order)
{
print "$key\t $count{$key}\n";
}
答案 2 :(得分:10)
从perlfaq4回答"How can I make my hash remember the order I put elements into it?"
如何让哈希记住我将元素放入其中的顺序?
使用CPAN的Tie :: IxHash。
use Tie::IxHash;
tie my %myhash, 'Tie::IxHash';
for (my $i=0; $i<20; $i++) {
$myhash{$i} = 2*$i;
}
my @keys = keys %myhash;
# @keys = (0,1,2,3,...)
答案 3 :(得分:5)
简单地:
my (%count, @order);
while(<DATA>) {
chomp;
push @order, $_ unless $count{$_}++;
}
print "$_ $count{$_}\n" for @order;
__DATA__
a
b
e
a
c
d
a
c
d
b
答案 4 :(得分:5)
另一个选择是David Golden的(@xdg)简单的纯perl Hash::Ordered
模块。您获得了顺序,但它更慢,因为哈希成为幕后的对象,您使用方法来访问和修改哈希元素。
有些基准测试可以量化模块比常规哈希值慢多少,但它是一种很酷的方式,可以在小脚本中使用键/值数据结构,并且在这种应用程序中足够快。该文档还提到了其他几种排序哈希的方法。
答案 5 :(得分:4)
我不相信这总是一种更好的技术,但我有时会使用它。而不是仅仅看到&#34;&#34;&#34;哈希的类型,它可以存储注意到的计数和顺序。
基本上,$count{$line}
代替$count{$line}{count}
次,而$count{$line}{order}
是看到的时间,而my %count;
while (my $line = <DATA>) {
chomp $line;
if ($line =~ /\S/) {
$count{$line} ||= { order => scalar(keys(%count)) };
$count{$line}{count}++;
}
}
for my $line (sort { $count{$a}{order} <=> $count{$b}{order} } keys %count ) {
print "$line $count{$line}{count}\n";
}
是看到它的顺序。
{{1}}
答案 6 :(得分:1)
在Perl中分配哈希之前,它们只是数组,因此,如果将其转换为数组,则可以按其原始顺序对其进行迭代:
my @array = ( z => 6,
a => 8,
b => 4 );
for (my $i=0; $ar[$i]; ++$i) {
next if $i % 2;
my $key = $ar[$i];
my $val = $ar[$i+1];
say "$key: $val"; # in original order
}
如果您这样做显然会失去哈希索引的好处。但是由于散列只是一个数组,因此您可以通过将数组分配给散列来创建一个散列:
my %hash = @array;
say $hash{z};
这可能只是“使用数组作为索引”解决方案的一种变体,但是我认为它比较整洁,因为您无需手动(或以其他方式)输入索引,而是直接从源数组。