1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58
| # trois manières de définir un hash
my %hash1;
$hash1{'animal'} = 'lapin';
$hash1{'végétal'} = 'chêne';
my %hash2 = ( 'animal' => 'lapin',
'végétal' => 'chêne' );
my %hash3 = ( 'animal', 'lapin', 'végétal', 'chêne' );
print $hash3{'animal'}, " ", # lapin
$hash3{'végétal'}, "\n\n"; # chêne
# clefs et valeurs d'un hash (pas d'ordre)
print join(' ', keys(%hash3)), "\n";
print join(' ', values(%hash3)), "\n\n";
# pour créer des structures complexes on utilise les références.
# 1. hash de listes
my @animal = ('lapin', 'renard', 'fouine');
my %hash4 = ( 'animal' => \@animal,
'végétal' => ['chêne', 'fougère', 'herbe'] );
print $hash4{'animal'}, "\n";
print join(' ', @{ $hash4{'animal'} }), "\n",
join(' ', @{ $hash4{'végétal'} }), "\n",
$hash4{'animal'}[2], ' ', $hash4{'végétal'}[1], "\n\n";
# 2. hash de hashes
my %animal = ( 'carnivore' => 'lion',
'herbivore' => 'vache' );
my %hash5 = ( 'animal' => {%animal},
'plante' => { 'vivace' => 'crocus',
'annuelle' => 'pensée' } );
print $hash5{'animal'}, "\n";
print $hash5{'animal'}{'herbivore'}, ' ',
$hash5{'plante'}{'vivace'}, "\n\n";
# 3. liste de listes
my @couleur = ('rouge', 'bleu', 'vert', 'jaune');
my @saveur = ('salé', 'sucré', 'amère', 'gluant');
my @liste1 = ( [@couleur], [@saveur] );
print $liste1[1], "\n";
print $liste1[0][1], ' ', $liste1[1][3], "\n\n";
# 4. liste de hashes
my @liste2 = ( {'chat' => 'miaou', 'chien' => 'ouaf'},
{'adieu', 'veau', 'vache', 'cochon'} );
print $liste2[0], "\n";
print $liste2[0]{'chien'}, ' ', $liste2[1]{'vache'}, "\n\n"; |
Partager