我有一个通过 REST 服务从 API 检索一些数据的子程序。代码比较简单,但是我需要将参数发布到 API 并且我需要使用 SSL,所以我必须通过LWP::UserAgent并且不能使用LWP::Simple。这是它的简化版本。
sub _request {
my ( $action, $params ) = @_;
# User Agent fuer Requests
my $ua = LWP::UserAgent->new;
$ua->ssl_opts( SSL_version => 'SSLv3' );
my $res = $ua->post(
$url{$params->{'_live'} ? 'live' : 'test'}, { action => $action, %$params }
);
if ( $res->is_success ) {
my $json = JSON->new;
return $json->decode( $res->decoded_content );
} else {
cluck $res->status_line;
return;
}
}
这是我的模块(不是 OOp)中唯一需要$ua
.
现在我想为此编写一个测试,经过一些研究决定最好使用Test::LWP::UserAgent,这听起来很有希望。不幸的是,有一个问题。在文档中,它说:
请注意,LWP::UserAgent 本身没有猴子补丁 - 您必须使用此模块(或子类)来发送您的请求,否则无法捕获和处理它。
换出用户代理实现的一种常见机制是通过延迟构建的 Moose 属性。如果在构建时没有提供覆盖,默认为 LWP::UserAgent->new(%options)。
哎呀。显然我不能做 Moose 的事情。我也不能只将 a 传递$ua
给 sub。我当然可以为 sub 添加一个可选的第三个参数$ua
,但我不喜欢这样做的想法。我觉得为了使其可测试而如此彻底地改变这种简单代码的行为是不合适的。
我基本上想做的是像这样运行我的测试:
use strict;
use warnings;
use Test::LWP::UserAgent;
use Test::More;
require Foo;
Test::LWP::UserAgent->map_response( 'www.example.com',
HTTP::Response->new( 200, 'OK',
[ 'Content-Type' => 'text/plain' ],
'[ "Hello World" ]' ) );
is_deeply(
Foo::_request('https://www.example.com', { foo => 'bar' }),
[ 'Hello World' ],
'Test foo'
);
有没有办法将 Test::LWP::UserAgent 功能猴子修补到 LWP::UserAgent 中,以便我的代码只使用 Test:: one?