Perl的功能是将像文件句柄这样的字符串当作文件句柄:
# let this be some nice class I wrote
package Input {
sub awesome { ... }
}
因此,当我们执行
Input->awesome
或特别小心时:'Input'->awesome
,该方法将被调用。除非:# now somewhere far, far away, in package main, somebody does this:
open Input, "<&", \*STDIN or die $!; # normally we'd open to a file
此代码甚至不必执行,而只是为了使Perl从现在开始将Perl解释为文件句柄的解析器才能看到。因此,方法调用
'Input'
将消失,因为代表文件句柄的对象没有很棒的方法。由于我只能控制自己的类,而不能控制其他代码,所以我不能简单地决定只在各处使用词法文件句柄。
有什么方法可以强制
'Input'->awesome
始终是Input->awesome
程序包上的方法调用,但从来没有文件句柄(至少在我控制的范围内)?我认为不应有任何名称冲突,因为Input
包实际上是Input
藏匿处。重现问题的完整代码(另请参见此ideone):
use strict;
use warnings;
use feature 'say';
say "This is perl $^V";
package Input {
sub awesome {
say "yay, this works";
}
}
# this works
'Input'->awesome;
# the "open" is parsed, but not actually executed
eval <<'END';
sub red_herring {
open Input, "<&", \*STDIN or die $!;
}
END
say "eval failed: $@" if $@;
# this will die
eval {
'Input'->awesome;
};
say "Caught: $@" if $@;
输出示例:
This is perl v5.16.2
yay, this works
Caught: Can't locate object method "awesome" via package "IO::File" at prog.pl line 27.
最佳答案
对两个不同的事物(使用的类和文件句柄)使用相同的标识符会引起问题。如果您的类与使用文件句柄的代码中使用的其他类不同,则不会出现错误:
我的下午
package My1;
use warnings;
use strict;
sub new { bless [], shift }
sub awesome { 'My1'->new }
__PACKAGE__
My2.pm
package My2;
use warnings;
use strict;
use parent 'My1';
sub try {
my $self = shift;
return ('My1'->awesome, $self->awesome);
}
__PACKAGE__
script.pl
#!/usr/bin/perl
use warnings;
use strict;
use My2;
open My1, '<&', *STDIN;
my $o = 'My2'->new;
print $o->awesome, $o->try;