这是我第一次以这种方式操纵哈希和数组 - 而且它正在运行。基本上,对于每个键,我想要记录多个值,然后以“key - > value - > value - > val ...”的形式打印出来。
我的代码如下。我很惊讶它有效,因此担心它会“误操作”。这是完成此任务的正确方法,还是有更有效或更合适的方法?
while ($source =~ m/(regex)/g) { #Get all key names from source
$listkey = $1; #Set current list key to the current regex result.
$list{$listkey} = ++$i unless $list{$listkey}; #Add the key to the hash unless it already exists.
$list{$listkey} = [] unless exists $list{$listkey}; #Add an array for the hash unless the hash already exists.
while ($loopcount==0) {
if ($ifcount==0) {
$listvalue=result_of_some_function_using_list_key; #Get the first list value by using the list key.
$ifcount++; #Increment so we only get the first list value once.
} else {
$listvalue=result_of_some_function_using_list_value; #Update the list value by using the last list value.
}
if ($listvalue) { #If the function returned a value...
push @{$list{$listkey}}, $listvalue; #...then add the value to the hash array for the key.
} else { #There are no more values and we need a new key.
$listkey=0; #Reset variable.
$listvalue=0; #Reset variable.
$loopcount++; #Increment loop counter to exit loop.
}
}
$ifcount=0; #Reset count variable so the next listvalue can be generated from the new key.
$loopcount=0; #Reset count variable so another loop can begin for a new key.
}
foreach $listkey (keys %list) { #For each key in the hash.
print "$listkey --> "; #Print the key.
@values = @{$list{$listkey}}; #Reference the arrays of the hash.
print join ' --> ', @values; #Print the values.
print "\n"; #Print new line.
}
答案 0 :(得分:2)
上面的代码有许多不必要的步骤。 Perl是一种非常富有表现力的语言,它允许非常简单地表达这样的逻辑:
# uncomment for some sample data
# sub function {"@_" !~ /^\[{3}/ and "[@_]"}
# my $source = 'one two three';
my %list;
while ($source =~ m/(\S+)/g) {
my $key = $1;
my $value = function($key);
while ($value) {
push @{ $list{$key} }, $value;
$value = function($value)
}
}
for my $key (keys %list) {
print join(' --> ' => $key, @{$list{$key}}), "\n";
}
答案 1 :(得分:2)
以下代码与您的代码相同,没有不必要的步骤。
while ($source =~ m/(regex)/g) { # Get all key names from source
$listkey = $1; # Grab current regex result.
$listvalue = result_of_some_function_using_list_key;
while ($listvalue) {
push @{$list{$listkey}}, $listvalue;
$listvalue = result_of_some_function_using_list_value;
}
$listkey = 0; # Reset variable.
$domain = 0; # Reset variable.
}
然而,正如其他人所评论的那样,在大多数情况下应该避免全局变量。相反,列表键和列表值应使用my()
进行词法范围限定,生成列表值的函数应将一个或多个参数(域,列表键和/或列表值)作为输入。
行
$list{$listkey} = ++$i unless $list{$listkey};
$list{$listkey} = [] unless exists $list{$listkey};
不需要原始代码中的,push @{ $list{$key} }, $value
初始化条目就足够了。
答案 2 :(得分:1)
都能跟得上!如果这样可行,那绝对是“错误的”。但显而易见的是,这不是你真正的代码,并且你在将其“翻译”成一个例子时又增加了几个错误,因此很难准确判断出意图是什么,但是从程序的骨架开始,它看起来很像喜欢它应该是这样的:
my %result;
while ($source =~ m/(regex)/g) {
my $key = $1;
my $value = mangle($key);
while ($value) {
push @{ $results{$key} }, $value;
$value = frob($value);
}
}
而且没有了。你初始化哈希的尝试没有按你认为的那样做(并且没有必要),你编写的while循环根本不是一个好主意,也不是所有的全局变量。