私の Perl スクリプトは複数のスレッドを同時に実行する必要があります...
use threads ('yield', 'exit' => 'threads_only');
use threads::shared;
use strict;
use warnings;
no warnings 'threads';
use LWP::UserAgent;
use HTTP::Request;
use HTTP::Async;
use ...
...そして、そのようなスレッドは Web から何らかの情報を取得する必要があるため、HTTP::Async
が使用されます。
my $request = HTTP::Request->new;
$request->protocol('HTTP/1.1');
$request->method('GET');
$request->header('User-Agent' => '...');
my $async = HTTP::Async->new( slots => 100,
timeout => REQUEST_TIMEOUT,
max_request_time => REQUEST_TIMEOUT );
ただし、一部のスレッドは、他のスレッドがそう言っている場合にのみ Web にアクセスする必要があります。
my $start = [Time::HiRes::gettimeofday()];
my @threads = ();
foreach ... {
$thread = threads->create(
sub {
local $SIG{KILL} = sub { threads->exit };
my $url = shift;
if ($url ... ) {
# wait for "go" signal from other threads
}
my ($response, $data);
$request->url($url);
$data = '';
$async->add($request);
while ($response = $async->wait_for_next_response) {
threads->yield();
$data .= $response->as_string;
}
if ($data ... ) {
# send "go" signal to waiting threads
}
}
}, $_);
if (defined $thread) {
$thread->detach;
push (@threads, $thread);
}
}
「go」シグナルを待機している1 つ以上のスレッドが存在する可能性があり、そのような「go」シグナルが送信できるスレッドが1 つ以上存在する可能性があります。セマフォの状態は最初は「待ち」で、一旦「進行」になるとそのままです。
最後に、アプリは最大実行時間をチェックします。スレッドの実行時間が長すぎる場合、自己終了シグナルが送信されます。
my $running;
do {
$running = 0;
foreach my $thread (@threads) {
$running++ if $thread->is_running();
}
threads->yield();
} until (($running == 0) ||
(Time::HiRes::tv_interval($start) > MAX_RUN_TIME));
$running = 0;
foreach my $thread (@threads) {
if ($thread->is_running()) {
$thread->kill('KILL');
$running++;
}
}
threads->yield();
さて、要点です。私の質問は次のとおりです。
スクリプトで待機中の「セマフォ」を最も効果的にコーディングするにはどうすればよいですか (上記のスクリプトのコメントを参照)。 ダミーループで共有変数だけを使用する必要がありますか?
sleep
自己破壊のためにスレッドに時間を与えるために、アプリの最後にループを追加する必要がありますか?
sleep