Perl - 对象数组

时间:2011-08-09 19:48:10

标签: perl

Noob问题。

我确定答案是创建对象,并将它们存储在数组中,但我想知道是否有更简单的方法。

在JSON表示法中,我可以创建一个对象数组,如下所示:

[
  { width : 100, height : 50 },
  { width : 90, height : 30 },
  { width : 30, height : 10 }
]

美好而简单。没有争论。

我知道Perl不是JS,但是有一种更简单的方法来复制一个对象数组,然后创建一个新的“类”,新建对象,并将它们推入一个数组中吗?

我想这会使这成为可能的是JS提供的对象文字类型表示法。

或者,是否存在另一种存储两个值的方法,如上所述?我想我可以只有两个数组,每个数组都有标量值,但这看起来很难看......但比创建一个单独的类,以及所有那些废话容易得多。如果我正在编写Java或其他东西,那么没问题,但是当我只是编写一个小脚本时,我不想被所有这些困扰。

3 个答案:

答案 0 :(得分:15)

这是一个开始。 @list数组的每个元素都是对带有“width”和“height”键的哈希的引用。

#!/usr/bin/perl

use strict;
use warnings;

my @list = (
    { width => 100, height => 50 },
    { width => 90, height => 30 },
    { width => 30, height => 10 }
);

foreach my $elem (@list) {
    print "width=$elem->{width}, height=$elem->{height}\n";
}

答案 1 :(得分:3)

一个哈希数组会做到这一点,就像这样

my @file_attachments = (
   {file => 'test1.zip',  price  => '10.00',  desc  => 'the 1st test'},
   {file => 'test2.zip',  price  => '12.00',  desc  => 'the 2nd test'},
   {file => 'test3.zip',  price  => '13.00',  desc  => 'the 3rd test'},
   {file => 'test4.zip',  price  => '14.00',  desc  => 'the 4th test'}
   );

然后像这样访问它

$file_attachments[0]{'file'}

有关详细信息,请查看此链接http://htmlfixit.com/cgi-tutes/tutorial_Perl_Primer_013_Advanced_data_constructs_An_array_of_hashes.php

答案 2 :(得分:3)

与在JSON中执行它的方式非常相似,实际上,使用JSONData::Dumper模块生成您可以在Perl代码中使用的JSON输出:

use strict;
use warnings;
use JSON;
use Data::Dumper;
# correct key to "key"
my $json = <<'EOJSON';
[
  { "width" : 100, "height" : 50 },
  { "width" : 90, "height" : 30 },
  { "width" : 30, "height" : 10 }
]
EOJSON

my $data = decode_json($json);
print Data::Dumper->Dump([$data], ['*data']);

输出

@data = (
          {
            'width' => 100,
            'height' => 50
          },
          {
            'width' => 90,
            'height' => 30
          },
          {
            'width' => 30,
            'height' => 10
          }
        );

并且缺少的是 my