如何无限制地进行数组循环?

时间:2018-01-15 05:52:38

标签: arrays perl loops infinite-loop

我有一个名单:

@names = qw(John Peter Michael);

我想从中获取2个值,所以我得到约翰和彼得。如果我想再拿两个 - 我得到迈克尔和约翰。还有1个 - 彼得。还有3个 - 迈克尔约翰和彼得,等等。

我已经开始编写一个子程序,其中将设置和记住全局索引ID,并且一旦达到数组的标量限制就会将其自身重置为零,但后来我在某处读到了Perl数组“记住”它们的位置循环播放。

这是真的还是我误解了什么?有没有办法轻松完成我的任务?

2 个答案:

答案 0 :(得分:6)

推出自己的迭代器并不难,但perlfaq4已满足您的需求:

  

如何处理循环列表?

     

(由brian d foy提供)

     

如果你想循环遍历一个数组,你可以增加   index modulo数组中元素的数量:

my @array = qw( a b c );
my $i = 0;
while( 1 ) {
    print $array[ $i++ % @array ], "\n";
    last if $i > 20;
} 
     

您还可以使用Tie::Cycle来使用始终具有圆形数组的下一个元素的标量:

use Tie::Cycle;
tie my $cycle, 'Tie::Cycle', [ qw( FFFFFF 000000 FFFF00 ) ];
print $cycle; # FFFFFF
print $cycle; # 000000
print $cycle; # FFFF00
     

Array::Iterator::Circular为圆形数组创建一个迭代器对象:

use Array::Iterator::Circular;
my $color_iterator = Array::Iterator::Circular->new(
    qw(red green blue orange)
    );
foreach ( 1 .. 20 ) {
    print $color_iterator->next, "\n";
}

滚动自己的品种

子程序非常简单(在下面的代码中实现为circularize)。 $i的值保留在$colors的范围内,因此不需要状态变量:

sub circularize {
  my @array = @_;
  my $i = 0;
  return sub { $array[ $i++ % @array ] }
}

my $colors = circularize( qw( red blue orange purple ) ); # Initialize

print $colors->(), "\n" for 1 .. 14; # Use

答案 1 :(得分:3)

我从未完全理解这种机制(仅适用于foreach?)。我只想使用状态值,例如:

my @names = qw(John Peter Michael);

sub GetNames($) {
  my $count = shift;
  my @result = ();

  state $index = 0;
  state $length = scalar(@names);

  while($count--) {
    push(@result, $names[($index++ % $length)]);
  }
  return @result;
}


print join(", ", GetNames(2)), "\n\n";
print join(", ", GetNames(4)), "\n";

输出:

约翰,彼得

迈克尔,约翰,彼得,迈克尔