1

我有一个用Data::Dumper打印的对象:

$VAR1 = {
          'record' => [
                      {
                        'text' => 'booting kernel',
                        'version' => '2',
                        'iso8601' => '2011-06-23 11:57:14.250 +02:00',
                        'event' => 'system booted',
                        'modifier' => 'na'
                      },
                      {
                        'text' => 'successful login',
                        'subject' => {
                                     'sid' => '999',
                                     'uid' => 'user',
                                     'audit-uid' => 'user',
                                     'tid' => '0 0 unknown',
                                     'ruid' => 'user',
                                     'rgid' => 'gsp',
                                     'pid' => '999',
                                     'gid' => 'gsp'
                                   },
                        'version' => '2',
                        'iso8601' => '2011-06-23 11:58:00.151 +02:00',
                        'event' => 'login - local',
                        'return' => {
                                    'retval' => '0',
                                    'errval' => 'success'
                                  },
                        'host' => 'unknown'
                      },
                    ],
          'file' => {
                    'iso8601' => '2011-06-23 11:57:40.064 +02:00'
                  }
        };

我想打印导航这样一个哈希的每个值。我的理解是一个带有两个键(记录、文件)的散列,记录指向一个散列数组。

你能帮助达到这个结构的每一个价值吗?

我试过:

my @array=$VAR1{'record'};
foreach (@array) {
    print $_{'text'};    
}

……但它不起作用。

4

3 回答 3

3

如果您只想迭代它,您可以执行以下操作:

iterate($VAR1);

sub iterate {
    my $input = shift;
    unless (ref $input) {
        print "$input\n";
    } elsif (ref $input eq 'ARRAY') {
        iterate($_) for @$input;
    } elsif (ref $input eq 'HASH') {
        for (keys %$input) {
            print "$_\n";
            iterate($input->{$_});
        }
    } else {
        print ref $input,"\n";
    }
}

This doesn't exactly pretty print it like Data::Dumper does, but the technique might be useful if you want to do anything else with an arbitrary nested structure you don't know much about.

于 2011-11-23T21:14:15.147 回答
1

$VAR1{record}是数组引用,而不是数组。要访问数组,您需要取消引用:

my @array = @{ $VAR1->{record} };

数组中的每个元素都是一个哈希引用,因此:

for my $record ( @array ) {
    print $record->{text};
}
于 2011-11-23T17:10:30.410 回答
0

$VAR1是参考。你需要取消引用它。 $VAR1->{record}是参考。你也需要取消引用它。 $_也是一个参考,所以你需要取消参考。

perldoc perlreftut

my @array = @{ $VAR1->{'record'} };
foreach (@array) { 
    print $_->{'text'}; 
}
于 2011-11-23T17:14:53.707 回答