Perl6:检查STDIN是否有数据

byt*_*nit 6 perl6

在我的Perl 6脚本中,我想对标准输入进行(最好是非阻塞)检查以查看数据是否可用.如果是这种情况,那么我想处理它,否则我想做其他的事情.

示例(consumer.p6):

#!/usr/bin/perl6
use v6.b;
use fatal;
sub MAIN() returns UInt:D {
    while !$*IN.eof {
        if some_fancy_check_for_STDIN() { #TODO: this needs to be done.
            for $*IN.lines -> $line {
                say "Process '$line'";
            }
        }
        say "Do something Else.";
    }
    say "I'm done.";
    return 0;
}
Run Code Online (Sandbox Code Playgroud)

作为STDIN-Generator我写了另一个Perl6脚本(producer.p6):

#!/usr/bin/perl6
use v6.b;
use fatal;

sub MAIN() returns UInt:D {
    $*OUT.say("aaaa aaa");
    sleep-until now+2;

    $*OUT.say("nbbasdf");
    sleep-until now+2;

    $*OUT.say("xxxxx");
    sleep-until now+2;

    return 0;
}
Run Code Online (Sandbox Code Playgroud)

如果consumer.p6按预期工作,它应该产生以下输出,如果通过以下方式调用./producer.p6 | ./consumer.p6:

Process 'aaaa aaa'
Do something Else.
Process 'nbbasdf'
Do something Else.
Process 'xxxxx'
Do something Else.
I'm done.
Run Code Online (Sandbox Code Playgroud)

但实际上,它会产生以下输出(如果if条件被注释掉):

Process 'aaaa aaa'
Process 'nbbasdf'
Process 'xxxxx'
Do something Else.
I'm done.
Run Code Online (Sandbox Code Playgroud)

Bra*_*ert 8

您使用的是旧版本的Perl 6,正如v6.b该语言正式发布之前的版本.
因此,我在下面的一些内容可能需要更新的版本才能工作.

你也为什么用sleep-until now+2而不是sleep 2


一种方法是将其.lines转换为频道,然后就可以使用.poll.

#!/usr/bin/env perl6
use v6.c;

sub MAIN () {
    # convert it into a Channel so we can poll it
    my $lines = $*IN.Supply.lines.Channel;

    my $running = True;
    $lines.closed.then: {$running = False}

    while $running {
        with $lines.poll() -> $line {
            say "Process '$line'";
        }
        say "Do something Else.";
        sleep ½;
    }
    say "I'm done.";
}
Run Code Online (Sandbox Code Playgroud)

注意上面的代码在my $lines = …当前的行处阻塞; 因此,在第一行进入之前它不会开始做某事.为了解决这个问题,你可以做到以下几点

my $lines = supply {
    # unblock the $*IN.Supply.lines call
    whenever start $*IN.Supply {
        whenever .lines { .emit }
    }
}.Channel;
Run Code Online (Sandbox Code Playgroud)