Logo

Programming-Idioms

  • Kotlin
  • Perl

Idiom #319 Generator function

Write a function g that behaves like an iterator.
Explain if it can be used directly in a for loop.

sub _upto (&) { return $_[0]; }  # prototype & is for a function param
sub upto {
    my ($start, $end) = @_;

    my $n = $start;

    return _upto {
        return
            wantarray ? $start .. $end    :
            $n > $end ? ($n = $start, ()) :
            $n++
            ;
        };
}
my $it = upto(3, 5);
foreach ( $it->() ) { print ' ' . $_ }

Sub upto generates an anonymous sub that is a closure over parameters $start and $end. To work in a foreach each loop, inner sub upto must be predeclared to take an anonymous sub argument; hence the (%). See demo for more detail.
List<int> g(int start) sync* {
  while (true) {
    yield start;
    start++;
  }
}

Infinite lazy list of ints starting from a specific integer

New implementation...
< >
willard