我正在开发一个利用Net::FTP和Parallel::ForkManager的 Perl 程序。在我使用 ForkManager 创建的每个子进程中,我调用了许多 Net::FTP 方法。不幸的是,这些偶尔会失败,我相信是由于连接问题。
在 Net::FTP 文档中,他们清楚地表明您可以/应该处理失败的方法调用,如下所示:
$ftp = Net::FTP->new("some.host.name", Debug => 0) or die "Cannot connect to some.host.name: $@";
这可以很好地检测错误,但会杀死我在 ForkManager 中的子进程。这让我很难确保每个孩子都跑完或再次尝试直到成功。
我正在尝试做的是,如果 Net::FTP 方法失败,则会发出警告(与上面的 die 消息类似的消息)和 return 0
来自子例程的警告。我的想法是,这将允许我重新连接到 FTP 并重试,而不会杀死我的子进程。像这样(这只是一个代码片段):
foreach my $page (sort (keys %pages)) {
my $pid = $pm1->start($page) and next;
my $ok;
my $attempts = 1;
while (!($ok)) {
print "Attempts on $page: $attempts\n";
$ok = ftp_server_process($page);
$attempts++;
}
$pm1->finish;
}
使用相关的子程序:
sub ftp_server_process {
my $ftp = Net::FTP->new("some.ip", Debug => 0, Passive => 1, BlockSize => 1048576) or warn "Cannot connect to some.ip for page $page: $@" and return 0;
$ftp->login("username", "password") or warn "Cannot login to some.ip\n", $ftp->message and return 0;
$ftp->binary or warn "opening binary mode failed\n", $ftp->message and return 0;
$ftp->cwd($ftp_input_folder) or warn "changing directory failed\n", $ftp->message and return 0;
$ftp->put($pages{$page}{"ftp_upload_name"}) or warn "putting page $page failed\n", $ftp->message and return 0;
$ftp->quit;
return 1;
}
这是解决这个问题的合理方法吗?语法是否object->method or warn "a message" and return 0;
正确,或者那里有我遗漏的问题?它似乎运行良好,但感觉不稳定,我想知道是否有更成熟的模式来解决确保每个子进程在工作完成之前存活的问题。
欢迎任何建议。谢谢!