我想从perl子例程返回几个值并批量分配它们。
这在某些情况下有效,但在其中一个值为undef
时不起作用:
sub return_many {
my $val = 'hmm';
my $otherval = 'zap';
#$otherval = undef;
my @arr = ( 'a1', 'a2' );
return ( $val, $otherval, @arr );
}
my ($val, $otherval, @arr) = return_many();
Perl似乎连接了这些值,忽略了undef元素。像Python或OCaml这样的解构赋值是我所期待的。
是否有一种简单的方法可以为多个变量分配返回值?
编辑:这是我现在用来传递结构化数据的方式。正如MkV建议的那样,@ a数组需要通过引用传递。
use warnings;
use strict;
use Data::Dumper;
sub ret_hash {
my @a = (1, 2);
return (
's' => 5,
'a' => \@a,
);
}
my %h = ret_hash();
my ($s, $a_ref) = @h{'s', 'a'};
my @a = @$a_ref;
print STDERR Dumper([$s, \@a]);
答案 0 :(得分:7)
不确定这里的连接是什么意思:
use Data::Dumper;
sub return_many {
my $val = 'hmm';
my $otherval = 'zap';
#$otherval = undef;
my @arr = ( 'a1', 'a2' );
return ( $val, $otherval, @arr );
}
my ($val, $otherval, @arr) = return_many();
print Dumper([$val, $otherval, \@arr]);
打印
$VAR1 = [
'hmm',
'zap',
[
'a1',
'a2'
]
];
,同时:
use Data::Dumper;
sub return_many {
my $val = 'hmm';
my $otherval = 'zap';
$otherval = undef;
my @arr = ( 'a1', 'a2' );
return ( $val, $otherval, @arr );
}
my ($val, $otherval, @arr) = return_many();
print Dumper([$val, $otherval, \@arr]);
打印:
$VAR1 = [
'hmm',
undef,
[
'a1',
'a2'
]
];
唯一的区别是$ otherval现在是undef而不是'zap'。