17

我试图找出一种无需通过循环即可初始化哈希的方法。我希望为此使用切片,但它似乎没有产生预期的结果。

考虑以下代码:

#!/usr/bin/perl
use Data::Dumper;

my %hash = ();
$hash{currency_symbol} = 'BRL';
$hash{currency_name} = 'Real';
print Dumper(%hash);

这确实按预期工作并产生以下输出:

$VAR1 = 'currency_symbol';
$VAR2 = 'BRL';
$VAR3 = 'currency_name';
$VAR4 = 'Real';

当我尝试如下使用切片时,它不起作用:

#!/usr/bin/perl
use Data::Dumper;

my %hash = ();
my @fields = ('currency_symbol', 'currency_name');
my @array = ('BRL','Real');
@hash{@array} = @fields x @array;

输出是:

$VAR1 = 'currency_symbol';
$VAR2 = '22';
$VAR3 = 'currency_name';
$VAR4 = undef;

显然有什么不对劲。

所以我的问题是:给定两个数组(键和值)初始化散列的最优雅的方法是什么?

4

4 回答 4

24
use strict;
use warnings;  # Must-haves

# ... Initialize your arrays

my @fields = ('currency_symbol', 'currency_name');
my @array = ('BRL','Real');

# ... Assign to your hash

my %hash;
@hash{@fields} = @array;
于 2010-08-24T11:54:13.637 回答
15

因此,您想要的是使用一个数组作为键,一个数组作为值来填充散列。然后执行以下操作:

#!/usr/bin/perl
use strict;
use warnings;

use Data::Dumper; 

my %hash; 

my @keys   = ("a","b"); 
my @values = ("1","2");

@hash{@keys} = @values;

print Dumper(\%hash);'

给出:

$VAR1 = {
          'a' => '1',
          'b' => '2'
        };
于 2010-08-24T11:54:54.903 回答
8
    %hash = ('current_symbol' => 'BLR', 'currency_name' => 'Real'); 

或者

my %hash = ();
my @fields = ('currency_symbol', 'currency_name');
my @array = ('BRL','Real');
@hash{@fields} = @array x @fields;
于 2010-08-24T11:48:16.227 回答
3

对于第一个,尝试

my %hash = 
( "currency_symbol" => "BRL",
  "currency_name" => "Real"
);
print Dumper(\%hash);

结果将是:

$VAR1 = {
          'currency_symbol' => 'BRL',
          'currency_name' => 'Real'
        };
于 2010-08-24T11:49:22.950 回答