昨天我写了一个小子程序来解析我的 / etc / hosts 文件并从中获取主机名。
这是子程序:
sub getnames {
my ($faculty, $hostfile) = @_;
open my $hosts ,'<', $hostfile;
my @allhosts = <$hosts>;
my $criteria = "mgmt." . $faculty;
my @hosts = map {my ($ip, $name) = split; $name} grep {/$criteria/} @allhosts; # <-this line is the question
return @hosts;
}
我将其称为getnames('foo','/etc/hosts')
,并取回了与mgmt.foo
正则表达式匹配的主机名。
问题是,为什么我必须在$name
表达式中单独编写map
?如果我不写,请回到整行。变量是否评估其值?
答案 0 :(得分:8)
map
的列表上下文结果是评估每个匹配主机的块的所有结果的串联。请记住,块的返回值是最后一个表达式的值,无论您的代码是否包含明确的return
。如果没有最终$name
,则最后一个表达式 - 也就是块的返回值 - 是split
的结果。
另一种写作方式是
my @hosts = map {(split)[1]} grep {/$criteria/} @allhosts;
你可以融合map
和grep
来获取
my @hosts = map { /$criteria/ ? (split)[1] : () } @allhosts;
也就是说,如果给定的主机符合您的条件,则将其拆分。否则,该主机没有结果。