哈希表是Perl对象的典型初始值设定项。现在你的输入是不可靠的,因为你不知道对于任何给定的键是否有定义的值,也不知道键是否存在。现在你想要将这些不可靠的输入提供给Moose对象,虽然缺少键是完全没问题的,但你确实希望摆脱未定义的值,这样你就不会得到一个充满未定义属性的对象。
在实例化对象并过滤掉未定义的值时,您当然可以非常小心。但是,假设你想在构造函数中安装该过滤器,因为它在一个地方。您希望构造函数忽略未定义的值,但不要在遇到它们时死掉。
对于访问者方法,您可以使用around
来防止将该属性设置为undef
。但是那些method modifiers不是为构造函数调用的,仅用于访问者。在Moose中是否有类似的设施来实现对c'tor的相同效果,即阻止任何undef
属性被接受?
请注意,如果属性为undef,则Moose Any
类型将在对象中创建哈希键。我不希望这样,因为我希望%$self
不包含任何undef
值。
这是我做过的一些测试:
package Gurke;
use Moose;
use Data::Dumper;
has color => is => 'rw', isa => 'Str', default => 'green';
has length => is => 'rw', isa => 'Num';
has appeal => is => 'rw', isa => 'Any';
around color => sub {
# print STDERR Dumper \@_;
my $orig = shift;
my $self = shift;
return $self->$orig unless @_;
return unless defined $_[0];
return $self->$orig( @_ );
};
package main;
use Test::More;
use Test::Exception;
my $gu = Gurke->new;
isa_ok $gu, 'Gurke';
diag explain $gu;
ok ! exists $gu->{length}, 'attribute not passed, so not set';
diag q(attempt to set color to undef - we don't want it to succeed);
ok ! defined $gu->color( undef ), 'returns undef';
is $gu->color, 'green', 'value unchanged';
diag q(passing undef in the constructor will make it die);
dies_ok { Gurke->new( color => undef ) }
'around does not work for the constructor!';
lives_ok { $gu = Gurke->new( appeal => undef ) } 'anything goes';
diag explain $gu;
diag q(... but creates the undef hash key, which is not what I want);
done_testing;
答案 0 :(得分:13)
这正是MooseX::UndefTolerant所做的。如果你使你的类不可变,那么它将比编写你自己的BUILDARGS方法快得多,因为代码被内联到生成的构造函数中。
答案 1 :(得分:5)
只需提供您自己的BUILDARGS
子例程。
package Gurke;
...
around 'BUILDARGS' => sub{
my($orig,$self,@params) = @_;
my $params;
if( @params == 1 ){
($params) = @params;
}else{
$params = { @params };
}
for my $key ( keys %$params ){
delete $params->{$key} unless defined $params->{$key};
}
$self->$orig($params);
};
答案 2 :(得分:2)
我意识到这有点重复,但你可以用BUILDARGS
钩住ctor:
around BUILDARGS => sub {
my $orig = shift;
my $class = shift;
my %params = ref $_[0] ? %{$_[0]} : @_;
return $class->$orig(
map { $_ => $params{$_} }
grep { defined $params{$_} }
keys %params
);
};
编辑:编辑以支持传递给ctor的引用。
答案 3 :(得分:0)
虽然给出的例子澄清了这个问题的灵感来自于处理传递给构造函数的undef属性的愿望,但问题本身还意味着只将undef传递给构造函数,这是我遇到过的并且想要的东西解决。
,例如Class->new(undef)
。
我喜欢bvr's BUILDARGS answer。它可以扩展为处理将undef值而不是hashref作为构造函数的孤立参数传递的情况:
around BUILDARGS => sub {
my $orig = shift;
my $class = shift;
my %params = defined $_[0] ? ref $_[0] ? %{$_[0]} : @_ : ();
return $class->$orig(
map { $_ => $params{$_} }
grep { defined $params{$_} }
keys %params
);
};
MooseX :: UndefTolerant似乎不支持这种情况。