3

我有一个简单的打印脚本

my $pdf_data = $agent->content;
open my $ofh, '>:raw', "test.pdf"
or die "Could not write: $!";
print {$ofh} $pdf_data;
close $ofh;

有时我会收到“宽字符警告”,我知道为什么会收到此消息,并且希望能够取消打印而不是打印损坏的失败。就像是

if(wideCharWarning)
{
delete "test.pdf"
}
else{
print {$ofh} $pdf_data;
}
4

3 回答 3

6

如果你想检测你的字符串是否包含宽字符,你可以使用这样的正则表达式:

/[^\x00-\xFF]/;

(如下 ikegami 所述,我的第一个建议不正确:/[^[:ascii:]]/;会产生误报)

于 2012-05-03T18:51:24.767 回答
5

您指定要打印字节(:raw),但不是。

$ perl -we'
   open(my $fh, ">:raw", "file") or die $!;
   for (0..258) {
      print "$_\n";
      print $fh chr($_);
   }
'
...
249
250
251
252
253
254
255
256
Wide character in print at -e line 5.
257
Wide character in print at -e line 5.
258
Wide character in print at -e line 5.

要“取消打印”,您只需检查您打印的内容是否不包含非字节。

die if $to_print =~ /[^\x00-\xFF]/;
于 2012-05-03T18:49:21.633 回答
1

您可以设置一个__WARN__信号处理程序并根据警告消息执行任何您想做的事情。

my $wideCharWarningsIssued = 0;
$SIG{__WARN__} = sub {
    $wideCharWarningsIssued += "@_" =~ /Wide character in .../;
    CORE::warn(@_);     # call the builtin warn as usual
};

print {$ofh} $data;
if ($wideCharWarningsIssued) {
    print "Never mind\n";
    close $ofh;
    unlink "test.pdf";
}
于 2012-05-03T18:51:49.417 回答