如何在不使用Perl循环的情况下过滤数组?

时间:2010-10-18 14:09:38

标签: arrays perl

这里我试图仅过滤没有子串world的元素,并将结果存储回同一个数组。在Perl中执行此操作的正确方法是什么?

$ cat test.pl
use strict;
use warnings;

my @arr = ('hello 1', 'hello 2', 'hello 3', 'world1', 'hello 4', 'world2');

print "@arr\n";
@arr =~ v/world/;
print "@arr\n";

$ perl test.pl
Applying pattern match (m//) to @array will act on scalar(@array) at
test.pl line 7.
Applying pattern match (m//) to @array will act on scalar(@array) at
test.pl line 7.
syntax error at test.pl line 7, near "/;"
Execution of test.pl aborted due to compilation errors.
$

我想将数组作为参数传递给子例程。

我知道一种方法是这样的

$ cat test.pl 
use strict;
use warnings;

my @arr = ('hello 1', 'hello 2', 'hello 3', 'world1', 'hello 4', 'world2');
my @arrf;

print "@arr\n";

foreach(@arr) {
    unless ($_ =~ /world/i) {
       push (@arrf, $_); 
    }
}
print "@arrf\n";

$ perl test.pl
hello 1 hello 2 hello 3 world1 hello 4 world2
hello 1 hello 2 hello 3 hello 4
$

我想知道是否有办法在没有循环的情况下进行(使用一些简单的过滤)。

4 个答案:

答案 0 :(得分:35)

那将是grep()

#!/usr/bin/perl

use strict;
use warnings;

my @arr = ('hello 1', 'hello 2', 'hello 3', 'world1', 'hello 4', 'world2');
my @narr = ( );

print "@arr\n";
@narr = grep(!/world/, @arr);
print "@narr\n";

答案 1 :(得分:11)

使用grep

sub remove_worlds { grep !/world/, @_ }

例如:

@arrf = remove_worlds @arr;

使用grep最适合您的特定问题,但为了完整起见,您也可以使用map执行此操作:

sub remove_worlds { map /world/ ? () : $_, @_ }

这里有点笨拙,但map会为您提供一个钩子,以防您在丢弃它们之前处理过滤后的元素。

答案 2 :(得分:10)

使用grep

@no_world_for_tomorrow = grep { !/world/ } @feathers;

详情请perldoc -f grep

答案 3 :(得分:5)

您可以将grep功能用作:

@arrf =  grep(!/world/, @arr);

为数组!/world/的每个元素计算表达式@arr,并返回表达式求值为true的元素列表。

表达式/world/搜索单词world,并且确实存在。如果字符串!/world/不存在,则表达式world为真。