package WWW::Mechanize;
#ABSTRACT: Handy web browsing in a Perl object
use strict;
use warnings;
our $VERSION = '2.17';
use Tie::RefHash ();
use HTTP::Request 1.30 ();
use HTML::Form 1.00 ();
use HTML::TokeParser ();
use Scalar::Util qw( tainted );
use base 'LWP::UserAgent';
our $HAS_ZLIB;
BEGIN {
$HAS_ZLIB = eval { require Compress::Zlib; 1; };
}
sub new {
my $class = shift;
my %parent_params = (
agent => "WWW-Mechanize/$VERSION",
cookie_jar => {},
);
my %mech_params = (
autocheck => ( $class eq 'WWW::Mechanize' ? 1 : 0 ),
onwarn => \&WWW::Mechanize::_warn,
onerror => \&WWW::Mechanize::_die,
quiet => 0,
stack_depth => 8675309, # Arbitrarily humongous stack
headers => {},
noproxy => 0,
strict_forms => 0, # pass-through to HTML::Form
verbose_forms => 0, # pass-through to HTML::Form
marked_sections => 1,
);
my %passed_params = @_;
# Keep the mech-specific params before creating the object.
while ( my ( $key, $value ) = each %passed_params ) {
if ( exists $mech_params{$key} ) {
$mech_params{$key} = $value;
}
else {
$parent_params{$key} = $value;
}
}
my $self = $class->SUPER::new(%parent_params);
bless $self, $class;
# Use the mech params now that we have a mech object.
for my $param ( keys %mech_params ) {
$self->{$param} = $mech_params{$param};
}
$self->{page_stack} = [];
$self->env_proxy() unless $mech_params{noproxy};
# libwww-perl 5.800 (and before, I assume) has a problem where
# $ua->{proxy} can be undef and clone() doesn't handle it.
$self->{proxy} = {} unless defined $self->{proxy};
push( @{ $self->requests_redirectable }, 'POST' );
$self->_reset_page();
return $self;
}
# overriding LWP::UA's static method
sub _agent { "WWW-Mechanize/$VERSION" }
my %known_agents = (
'Windows IE 6' => 'Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.1)',
'Windows Mozilla' =>
'Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.4b) Gecko/20030516 Mozilla Firebird/0.6',
'Mac Safari' =>
'Mozilla/5.0 (Macintosh; U; PPC Mac OS X; en-us) AppleWebKit/85 (KHTML, like Gecko) Safari/85',
'Mac Mozilla' =>
'Mozilla/5.0 (Macintosh; U; PPC Mac OS X Mach-O; en-US; rv:1.4a) Gecko/20030401',
'Linux Mozilla' =>
'Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.4) Gecko/20030624',
'Linux Konqueror' => 'Mozilla/5.0 (compatible; Konqueror/3; Linux)',
);
sub agent_alias {
my $self = shift;
my $alias = shift;
if ( defined $known_agents{$alias} ) {
return $self->agent( $known_agents{$alias} );
}
else {
$self->warn(qq{Unknown agent alias "$alias"});
return $self->agent();
}
}
sub known_agent_aliases {
my @aliases = sort keys %known_agents;
return @aliases;
}
sub get {
my $self = shift;
my $uri = shift;
$uri = $self->_uri_with_base($uri);
# It appears we are returning a super-class method,
# but it in turn calls the request() method here in Mechanize
return $self->SUPER::get( $uri->as_string, @_ );
}
sub post {
my $self = shift;
my $uri = shift;
$uri = $self->_uri_with_base($uri);
# It appears we are returning a super-class method,
# but it in turn calls the request() method here in Mechanize
return $self->SUPER::post( $uri->as_string, @_ );
}
sub put {
my $self = shift;
my $uri = shift;
$uri = $self->_uri_with_base($uri);
# It appears we are returning a super-class method,
# but it in turn calls the request() method here in Mechanize
return $self->_SUPER_put( $uri->as_string, @_ );
}
# Added until LWP::UserAgent has it.
sub _SUPER_put {
require HTTP::Request::Common;
my ( $self, @parameters ) = @_;
my @suff = $self->_process_colonic_headers( \@parameters, 1 );
return $self->request( HTTP::Request::Common::PUT(@parameters), @suff );
}
sub head {
my $self = shift;
my $uri = shift;
$uri = $self->_uri_with_base($uri);
# It appears we are returning a super-class method,
# but it in turn calls the request() method here in Mechanize
return $self->SUPER::head( $uri->as_string, @_ );
}
sub delete {
my $self = shift;
my $uri = shift;
$uri = $self->_uri_with_base($uri);
# It appears we are returning a super-class method,
# but it in turn calls the request() method here in Mechanize
return $self->SUPER::delete( $uri->as_string, @_ );
}
sub _uri_with_base {
my $self = shift;
my $uri = shift;
$uri = $uri->url if ref($uri) eq 'WWW::Mechanize::Link';
$uri
= $self->base
? URI->new_abs( $uri, $self->base )
: URI->new($uri);
return $uri;
}
sub reload {
my $self = shift;
return unless my $req = $self->{req};
# LWP::UserAgent sets up a request_prepare handler that calls
# $self->cookie_jar->add_cookie_header($req)
#
# HTTP::Cookies::add_cookie_header always preserves existing
# cookies in a request object
#
# we pass an existing request to _make_request
#
# result: cookies will get repeated every time someone calls
# ->reload, sooner or later leading to a "request too big" from
# the server
#
# until https://rt.cpan.org/Public/Bug/Display.html?id=75897 is
# fixed, let's clear the cookies from the existing request
$req->remove_header('Cookie');
return $self->_update_page( $req, $self->_make_request( $req, @_ ) );
}
sub back {
my $self = shift;
my $stack = $self->{page_stack};
return unless $stack && @{$stack};
my $popped = pop @{ $self->{page_stack} };
my $req = $popped->{req};
my $res = $popped->{res};
$self->_update_page( $req, $res );
return 1;
}
sub clear_history {
my $self = shift;
delete $self->{page_stack};
return 1;
}
sub history_count {
my $self = shift;
# If we don't have a "current" page, we certainly don't have any previous
# ones.
return 0 unless $self->{req} && $self->{res};
my $stack = $self->{page_stack};
return 1 unless $stack;
return 1 + @$stack;
}
sub history {
my $self = shift;
my $n = shift;
return undef unless $self->{req} && $self->{res};
if ( $n == 0 ) {
return { req => $self->{req}, res => $self->{res} };
}
my $stack = $self->{page_stack};
return undef unless $stack && @$stack >= $n;
return { req => $stack->[ -$n ]{req}, res => $stack->[ -$n ]{res} };
}
sub success {
my $self = shift;
return $self->res && $self->res->is_success;
}
sub uri {
my $self = shift;
return $self->response ? $self->response->request->uri : undef;
}
sub res { my $self = shift; return $self->{res}; }
sub response { my $self = shift; return $self->{res}; }
sub status { my $self = shift; return $self->{status}; }
sub ct { my $self = shift; return $self->{ct}; }
sub content_type { my $self = shift; return $self->{ct}; }
sub base { my $self = shift; return $self->{base}; }
sub is_html {
my $self = shift;
return defined $self->ct
&& ( $self->ct eq 'text/html'
|| $self->ct eq 'application/xhtml+xml' );
}
sub title {
my $self = shift;
return unless $self->is_html;
if ( not defined $self->{title} ) {
require HTML::HeadParser;
my $p = HTML::HeadParser->new;
$p->parse( $self->content );
$self->{title} = $p->header('Title');
}
return $self->{title};
}
sub redirects {
my $self = shift;
return $self->response->redirects;
}
sub content {
my $self = shift;
my %params = @_;
my $content = $self->{content};
if ( delete $params{raw} ) {
$content = $self->response()->content();
}
elsif ( delete $params{decoded_by_headers} ) {
$content = $self->response()->decoded_content( charset => 'none' );
}
elsif ( my $charset = delete $params{charset} ) {
$content = $self->response()->decoded_content( charset => $charset );
}
elsif ( $self->is_html ) {
if ( exists $params{base_href} ) {
my $base_href = ( delete $params{base_href} ) || $self->base;
$content =~ s/
/\n/i;
}
if ( my $format = delete $params{format} ) {
if ( $format eq 'text' ) {
$content = $self->text;
}
else {
$self->die(qq{Unknown "format" parameter "$format"});
}
}
$self->_check_unhandled_params(%params);
}
return $content;
}
sub text {
my $self = shift;
if ( not defined $self->{text} ) {
unless ( exists $INC{'HTML::TreeBuilder'} ) {
require HTML::TreeBuilder;
HTML::TreeBuilder->VERSION(5);
HTML::TreeBuilder->import('-weak');
}
my $tree = HTML::TreeBuilder->new();
$tree->parse( $self->content );
$tree->eof();
$tree->elementify(); # just for safety
$self->{text} = $tree->as_text();
}
return $self->{text};
}
sub _check_unhandled_params {
my $self = shift;
my %params = @_;
for my $cmd ( sort keys %params ) {
$self->die(qq{Unknown named argument "$cmd"});
}
}
sub links {
my $self = shift;
$self->_extract_links() unless $self->{links};
return @{ $self->{links} } if wantarray;
return $self->{links};
}
sub follow_link {
my $self = shift;
$self->die(qq{Needs to get key-value pairs of parameters.}) if @_ % 2;
my %params = ( n => 1, @_ );
if ( $params{n} eq 'all' ) {
delete $params{n};
$self->warn(q{follow_link(n=>"all") is not valid});
}
my $link = $self->find_link(%params);
if ($link) {
return $self->get( $link->url );
}
if ( $self->{autocheck} ) {
$self->die('Link not found');
}
return;
}
sub find_link {
my $self = shift;
my %params = ( n => 1, @_ );
my $wantall = ( $params{n} eq 'all' );
$self->_clean_keys(
\%params,
qr/^(n|(text|url|url_abs|name|tag|id|class|rel)(_regex)?)$/
);
my @links = $self->links or return;
my $nmatches = 0;
my @matches;
for my $link (@links) {
if ( _match_any_link_params( $link, \%params ) ) {
if ($wantall) {
push( @matches, $link );
}
else {
++$nmatches;
return $link if $nmatches >= $params{n};
}
}
} # for @links
if ($wantall) {
return @matches if wantarray;
return \@matches;
}
return;
} # find_link
# Used by find_links to check for matches
# The logic is such that ALL param criteria that are given must match
sub _match_any_link_params {
my $link = shift;
my $p = shift;
# No conditions, anything matches
return 1 unless keys %$p;
return if defined $p->{url} && !( $link->url eq $p->{url} );
return if defined $p->{url_regex} && !( $link->url =~ $p->{url_regex} );
return if defined $p->{url_abs} && !( $link->url_abs eq $p->{url_abs} );
return
if defined $p->{url_abs_regex}
&& !( $link->url_abs =~ $p->{url_abs_regex} );
return
if defined $p->{text}
&& !( defined( $link->text ) && $link->text eq $p->{text} );
return
if defined $p->{text_regex}
&& !( defined( $link->text ) && $link->text =~ $p->{text_regex} );
return
if defined $p->{name}
&& !( defined( $link->name ) && $link->name eq $p->{name} );
return
if defined $p->{name_regex}
&& !( defined( $link->name ) && $link->name =~ $p->{name_regex} );
return if defined $p->{tag} && !( $link->tag && $link->tag eq $p->{tag} );
return
if defined $p->{tag_regex}
&& !( $link->tag && $link->tag =~ $p->{tag_regex} );
return
if defined $p->{id}
&& !( $link->attrs->{id} && $link->attrs->{id} eq $p->{id} );
return
if defined $p->{id_regex}
&& !( $link->attrs->{id} && $link->attrs->{id} =~ $p->{id_regex} );
return
if defined $p->{class}
&& !( $link->attrs->{class} && $link->attrs->{class} eq $p->{class} );
return
if defined $p->{class_regex}
&& !( $link->attrs->{class}
&& $link->attrs->{class} =~ $p->{class_regex} );
return
if defined $p->{rel}
&& !( $link->attrs->{rel} && $link->attrs->{rel} eq $p->{rel} );
return
if defined $p->{rel_regex}
&& !( $link->attrs->{rel} && $link->attrs->{rel} =~ $p->{rel_regex} );
# Success: everything that was defined passed.
return 1;
}
# Cleans the %params parameter for the find_link and find_image methods.
sub _clean_keys {
my $self = shift;
my $params = shift;
my $rx_keyname = shift;
for my $key ( keys %$params ) {
my $val = $params->{$key};
if ( $key !~ qr/$rx_keyname/ ) {
$self->warn(qq{Unknown link-finding parameter "$key"});
delete $params->{$key};
next;
}
my $key_regex = ( $key =~ /_regex$/ );
my $val_regex = ( ref($val) eq 'Regexp' );
if ($key_regex) {
if ( !$val_regex ) {
$self->warn(qq{$val passed as $key is not a regex});
delete $params->{$key};
next;
}
}
else {
if ($val_regex) {
$self->warn(qq{$val passed as '$key' is a regex});
delete $params->{$key};
next;
}
if ( $val =~ /^\s|\s$/ ) {
$self->warn(qq{'$val' is space-padded and cannot succeed});
delete $params->{$key};
next;
}
}
} # for keys %params
return;
} # _clean_keys()
sub find_all_links {
my $self = shift;
return $self->find_link( @_, n => 'all' );
}
sub find_all_inputs {
my $self = shift;
my %criteria = @_;
my $form = $self->current_form() or return;
my @found;
foreach my $input ( $form->inputs )
{ # check every pattern for a match on the current hash
my $matched = 1;
foreach my $criterion ( sort keys %criteria )
{ # Sort so we're deterministic
my $field = $criterion;
my $is_regex = ( $field =~ s/(?:_regex)$// );
my $what = $input->{$field};
$matched = defined($what)
&& (
$is_regex
? ( $what =~ $criteria{$criterion} )
: ( $what eq $criteria{$criterion} )
);
last if !$matched;
}
push @found, $input if $matched;
}
return @found;
}
sub find_all_submits {
my $self = shift;
return $self->find_all_inputs( @_, type_regex => qr/^(submit|image)$/ );
}
sub images {
my $self = shift;
$self->_extract_images() unless $self->{images};
return @{ $self->{images} } if wantarray;
return $self->{images};
}
sub find_image {
my $self = shift;
my %params = ( n => 1, @_ );
my $wantall = ( $params{n} eq 'all' );
$self->_clean_keys(
\%params,
qr/^(?:n|(?:alt|url|url_abs|tag|id|class)(?:_regex)?)$/
);
my @images = $self->images or return;
my $nmatches = 0;
my @matches;
for my $image (@images) {
if ( _match_any_image_params( $image, \%params ) ) {
if ($wantall) {
push( @matches, $image );
}
else {
++$nmatches;
return $image if $nmatches >= $params{n};
}
}
} # for @images
if ($wantall) {
return @matches if wantarray;
return \@matches;
}
return;
}
# Used by find_images to check for matches
# The logic is such that ALL param criteria that are given must match
sub _match_any_image_params {
my $image = shift;
my $p = shift;
# No conditions, anything matches
return 1 unless keys %$p;
return
if defined $p->{url}
&& !( defined( $image->url ) && $image->url eq $p->{url} );
return
if defined $p->{url_regex}
&& !( defined( $image->url ) && $image->url =~ $p->{url_regex} );
return
if defined $p->{url_abs}
&& !( defined( $image->url_abs )
&& $image->url_abs eq $p->{url_abs} );
return
if defined $p->{url_abs_regex}
&& !( defined( $image->url_abs )
&& $image->url_abs =~ $p->{url_abs_regex} );
return
if defined $p->{alt}
&& !( defined( $image->alt ) && $image->alt eq $p->{alt} );
return
if defined $p->{alt_regex}
&& !( defined( $image->alt ) && $image->alt =~ $p->{alt_regex} );
return
if defined $p->{tag} && !( $image->tag && $image->tag eq $p->{tag} );
return
if defined $p->{tag_regex}
&& !( $image->tag && $image->tag =~ $p->{tag_regex} );
return
if defined $p->{id}
&& !( $image->attrs
&& $image->attrs->{id}
&& $image->attrs->{id} eq $p->{id} );
return
if defined $p->{id_regex}
&& !( $image->attrs
&& $image->attrs->{id}
&& $image->attrs->{id} =~ $p->{id_regex} );
return
if defined $p->{class}
&& !( $image->attrs
&& $image->attrs->{class}
&& $image->attrs->{class} eq $p->{class} );
return
if defined $p->{class_regex}
&& !( $image->attrs
&& $image->attrs->{class}
&& $image->attrs->{class} =~ $p->{class_regex} );
# Success: everything that was defined passed.
return 1;
}
sub find_all_images {
my $self = shift;
return $self->find_image( @_, n => 'all' );
}
sub forms {
my $self = shift;
$self->_extract_forms() unless $self->{forms};
return @{ $self->{forms} } if wantarray;
return $self->{forms};
}
sub current_form {
my $self = shift;
if ( !$self->{current_form} ) {
$self->form_number(1);
}
return $self->{current_form};
}
sub form_number {
my ( $self, $form ) = @_;
# XXX Should we die if no $form is defined? Same question for form_name()
my $forms = $self->forms;
if ( $forms->[ $form - 1 ] ) {
$self->{current_form} = $forms->[ $form - 1 ];
return wantarray
? ( $self->{current_form}, $form )
: $self->{current_form};
}
return wantarray ? () : undef;
}
sub form_action {
my ( $self, $action ) = @_;
my $temp;
my @matches
= grep { defined( $temp = $_->action ) and ( $temp =~ m/$action/msx ) }
$self->forms;
my $nmatches = @matches;
if ( $nmatches > 0 ) {
if ( $nmatches > 1 ) {
$self->warn(
"There are $nmatches forms with action matching $action. The first one was used."
);
}
return $self->{current_form} = $matches[0];
}
return;
}
sub form_name {
my ( $self, $name, $args ) = @_;
return $self->form_with( name => $name, $args || () );
}
sub form_id {
my ( $self, $formid, $args ) = @_;
defined( my $form = $self->form_with( id => $formid, $args || () ) )
or $self->warn(qq{ There is no form with ID "$formid"});
return $form;
}
sub all_forms_with_fields {
my ( $self, @fields ) = @_;
$self->die('no fields provided') unless scalar @fields;
my @matches;
FORMS: for my $form ( @{ $self->forms } ) {
my @fields_in_form = $form->param();
for my $field (@fields) {
next FORMS unless grep { $_ eq $field } @fields_in_form;
}
push @matches, $form;
}
return @matches;
}
sub form_with_fields {
my ( $self, @fields ) = @_;
$self->die('no fields provided') unless scalar @fields;
my $nth;
if ( @fields > 1 && ref $fields[-1] eq 'HASH' ) {
$nth = ( pop @fields )->{n};
}
my @matches = $self->all_forms_with_fields(@fields);
if ($nth) {
@matches = ( @matches >= $nth ) ? ( $matches[ $nth - 1 ] ) : ();
}
my $nmatches = @matches;
if ( $nmatches > 0 ) {
if ( $nmatches > 1 ) {
$self->warn(
"There are $nmatches forms with the named fields. The first one was used."
);
}
return $self->{current_form} = $matches[0];
}
else {
$self->warn(
$nth
? qq{There is no match \#$nth form with the requested fields}
: qq{There is no form with the requested fields}
);
return undef;
}
}
sub all_forms_with {
my ( $self, %spec ) = @_;
my $action = delete $spec{action};
my @forms = grep { !$action || $_->action eq $action } $self->forms;
foreach my $attr ( keys %spec ) {
@forms = grep _equal( $spec{$attr}, $_->attr($attr) ), @forms
or return;
}
return @forms;
}
sub form_with {
my ( $self, @args ) = @_;
return if not $self->forms;
# Determine if we should return the nth instance
my $nth;
if ( @args % 2 && ref $args[-1] eq 'HASH' ) {
$nth = ( pop @args )->{n};
}
my %spec = @args;
my @forms = $self->all_forms_with(%spec);
if ($nth) {
@forms = ( @forms >= $nth ) ? $forms[ $nth - 1 ] : ();
}
if ( @forms > 1 ) { # Warn if several forms matched.
# For ->form_with( method => 'POST', action => '', id => undef ) we get:
# >>There are 2 forms with empty action and no id and method "POST".
# The first one was used.<<
$self->warn(
'There are ' . @forms . ' forms ' . (
keys %spec # explain search criteria if there were any
? 'with ' . join(
' and ', # "with ... and ... and ..."
map {
unless ( defined $spec{$_} ) { # case $attr => undef
qq{no $_};
}
elsif ( $spec{$_} eq q{} ) { # case $attr=> ''
qq{empty $_};
}
else { # case $attr => $value
qq{$_ "$spec{$_}"};
}
} # case $attr => undef
sort
keys %spec # sort keys to get deterministic messages
)
: q{}
)
. '. The first one was used.'
);
}
return $self->{current_form} = $forms[0];
}
# NOT an object method!
# Expects two values and returns true only when either
# both are defined and eq(ual) or when both are not defined.
sub _equal {
my ( $x, $y ) = @_;
defined $x ? defined $y && $x eq $y : !defined $y;
}
sub field {
my ( $self, $name, $value, $number ) = @_;
$number ||= 1;
my $form = $self->current_form();
if ( $number > 1 ) {
$form->find_input( $name, undef, $number )->value($value);
}
else {
if ( ref($value) eq 'ARRAY' ) {
my $input = $form->find_input($name);
if ( $input->type eq 'file' ) {
$input->file( shift @$value );
$input->filename( shift @$value );
$input->headers(@$value);
}
else {
$form->param( $name, $value );
}
}
else {
$form->value( $name => $value );
}
}
}
sub select {
my ( $self, $name, $value ) = @_;
my $form = $self->current_form();
my $input = $form->find_input($name);
if ( !$input ) {
$self->warn(qq{Input "$name" not found});
return;
}
if ( $input->type ne 'option' ) {
$self->warn(qq{Input "$name" is not type "select"});
return;
}
# For $mech->select($name, {n => 3}) or $mech->select($name, {n => [2,4]}),
# transform the 'n' number(s) into value(s) and put it in $value.
if ( ref($value) eq 'HASH' ) {
for ( keys %$value ) {
$self->warn(qq{Unknown select value parameter "$_"})
unless $_ eq 'n';
}
if ( defined( $value->{n} ) ) {
my @inputs = $form->find_input( $name, 'option' );
my @values = ();
# distinguish between multiple and non-multiple selects
# (see INPUTS section of `perldoc HTML::Form`)
if ( @inputs == 1 ) {
@values = $inputs[0]->possible_values();
}
else {
foreach my $input (@inputs) {
my @possible = $input->possible_values();
push @values, pop @possible;
}
}
my $n = $value->{n};
if ( ref($n) eq 'ARRAY' ) {
$value = [];
for (@$n) {
unless (/^\d+$/) {
$self->warn(
qq{"n" value "$_" is not a positive integer});
return;
}
push @$value, $values[ $_ - 1 ]; # might be undef
}
}
elsif ( !ref($n) && $n =~ /^\d+$/ ) {
$value = $values[ $n - 1 ]; # might be undef
}
else {
$self->warn(
'"n" value is not a positive integer or an array ref');
return;
}
}
else {
$self->warn('Hash value is invalid');
return;
}
} # hashref
if ( ref($value) eq 'ARRAY' ) {
$form->param( $name, $value );
return 1;
}
$form->value( $name => $value );
return 1;
}
sub set_fields {
my $self = shift;
my %fields = @_;
my $form = $self->current_form or $self->die('No form defined');
FIELD:
for my $field ( keys %fields ) {
my $value = $fields{$field};
my $number = 1;
if ( ref $value eq 'ARRAY' ) {
my $input = $form->find_input($field) or next FIELD;
# Honor &submit_form's documentation, that says that a
# "file" input's value can be in the form of
# "[[$filepath, $filename], 1]".
if (
$input->type ne 'file'
|| ( $input->type eq 'file' && ref( $value->[0] ) eq 'ARRAY' )
) {
( $value, $number ) = ( $value->[0], $value->[1] );
}
}
else {
if ( ref $value eq 'SCALAR' ) {
my $input = $form->find_input($field);
if ( not defined int $$value ) {
warn
"Only references to integers are supported. Using 0.";
$$value = 0;
}
my @possible_values = $input->possible_values;
if ( $#possible_values < $$value ) {
warn
"Not enough options for $field to select index $$value";
next FIELD;
}
$value = $possible_values[$$value];
}
}
$self->field( $field, $value, $number );
}
}
sub set_visible {
my $self = shift;
my $form = $self->current_form;
my @inputs = $form->inputs;
my $num_set = 0;
for my $value (@_) {
# Handle type/value pairs an arrayref
if ( ref $value eq 'ARRAY' ) {
my ( $type, $value ) = @$value;
while ( my $input = shift @inputs ) {
next if $input->type eq 'hidden';
if ( $input->type eq $type ) {
$input->value($value);
$num_set++;
last;
}
} # while
}
# by default, it's a value
else {
while ( my $input = shift @inputs ) {
next if $input->type eq 'hidden';
$input->value($value);
$num_set++;
last;
} # while
}
} # for
return $num_set;
} # set_visible()
sub tick {
my $self = shift;
my $name = shift;
my $value = shift;
my $set = @_ ? shift : 1; # default to 1 if not passed
# loop though all the inputs
my $index = 1;
while ( my $input
= $self->current_form->find_input( $name, 'checkbox', $index ) ) {
# Sometimes the HTML is malformed and there is no value for the check
# box, so we just return if the value passed is an empty string
# (and the form input is found)
if ( $value eq q{} ) {
$input->value( $set ? $value : undef );
return;
}
# Can't guarantee that the first element will be undef and the second
# element will be the right name
foreach my $val ( $input->possible_values() ) {
next unless defined $val;
if ( $val eq $value ) {
$input->value( $set ? $value : undef );
return;
}
}
# move onto the next input
$index++;
} # while
# got this far? Didn't find anything
$self->die(qq{No checkbox "$name" for value "$value" in form});
} # tick()
sub untick {
shift->tick( shift, shift, undef );
}
sub value {
my $self = shift;
my $name = shift;
my $number = shift || 1;
my $form = $self->current_form;
if ( $number > 1 ) {
return $form->find_input( $name, undef, $number )->value();
}
else {
return $form->value($name);
}
} # value
sub click {
my ( $self, $button, $x, $y ) = @_;
for ( $x, $y ) { $_ = 1 unless defined; }
my $request = $self->current_form->click( $button, $x, $y );
return $self->request($request);
}
sub click_button {
my $self = shift;
my %args = @_;
for ( keys %args ) {
if ( !/^(number|name|value|id|input|x|y)$/ ) {
$self->warn(qq{Unknown click_button parameter "$_"});
}
}
my %exclusive_options = (
id => 1,
input => 1,
name => 1,
number => 1,
value => 1,
);
my @present_exclusive_options = @exclusive_options{ keys %args };
if ( scalar @present_exclusive_options > 1 ) {
$self->die(
'click_button: More than one button selector has been used');
}
for ( $args{x}, $args{y} ) {
$_ = 1 unless defined;
}
my $form = $self->current_form
or $self->die('click_button: No form has been selected');
my $request;
if ( $args{name} ) {
$request = $form->click( $args{name}, $args{x}, $args{y} );
}
# 0 is a valid id in HTML5
elsif ( defined $args{id} ) {
# HTML::Form expects ids to be prefixed with '#'
my $input = $form->find_input( '#' . $args{id} );
$request = $input->click( $form, $args{x}, $args{y} );
}
elsif ( $args{number} ) {
# changing this 'submit' to qw/submit button image/ will probably break people's code
my $input = $form->find_input( undef, 'submit', $args{number} );
$request = $input->click( $form, $args{x}, $args{y} );
}
elsif ( $args{input} ) {
$request = $args{input}->click( $form, $args{x}, $args{y} );
}
elsif ( $args{value} ) {
my @inputs
= map { $form->find_input( undef, $_ ) } qw/submit button image/;
foreach my $input (@inputs) {
if ( $input->value && ( $args{value} eq $input->value ) ) {
$request = $input->click( $form, $args{x}, $args{y} );
last;
}
} # foreach
} # $args{value}
return $self->request($request);
}
sub submit {
my $self = shift;
my $request = $self->current_form->make_request;
return $self->request($request);
}
sub submit_form {
my ( $self, %args ) = @_;
for ( keys %args ) {
if (
!/^(form_(number|name|fields|id)|(with_)?fields|button|x|y|strict_forms)$/
) {
$self->die(qq{Unknown submit_form parameter "$_"});
}
}
my $fields;
for (qw/with_fields fields/) {
if ( $args{$_} ) {
if ( ref $args{$_} eq 'HASH' ) {
$fields = $args{$_};
}
else {
$self->die("$_ arg to submit_form must be a hashref");
}
last;
}
}
my @filtered_sets;
if ( $args{with_fields} ) {
my @got = $self->all_forms_with_fields( keys %{$fields} );
$self->die("There is no form with the requested fields") if not @got;
push @filtered_sets, \@got;
}
if ( my $form_number = $args{form_number} ) {
my $got = $self->form_number($form_number);
$self->die("There is no form numbered $form_number") if not $got;
push @filtered_sets, [$got];
}
if ( my $form_name = $args{form_name} ) {
my @got = $self->all_forms_with( name => $form_name );
$self->die(qq{There is no form named "$form_name"}) if not @got;
push @filtered_sets, \@got;
}
if ( my $form_id = $args{form_id} ) {
my @got = $self->all_forms_with( id => $form_id );
$self->die(qq{There is no form with ID "$form_id"}) if not @got;
push @filtered_sets, \@got;
}
if ( not @filtered_sets ) {
# No form selector was used.
# Maybe a form was set separately, or we'll default to the first form.
}
else {
# Need to intersect to apply all the various filters.
# Assume that each filtered set only has a given form object once.
# So we can count occurrences.
#
tie my %c, Tie::RefHash::
or $self->die('Cannot determine a form to use');
foreach (@filtered_sets) {
foreach (@$_) {
++$c{$_};
}
}
my $expected_count = scalar @filtered_sets;
my @matched = grep { $c{$_} == $expected_count } keys %c;
if ( not @matched ) {
$self->die('There is no form that satisfies all the criteria');
}
if ( @matched > 1 ) {
$self->die('More than one form satisfies all the criteria');
}
$self->{current_form} = $matched[0];
}
if ( defined( $args{strict_forms} ) ) {
# Strict argument has been passed, set the flag as appropriate
# this must be done prior to attempting to set the fields
$self->current_form->strict( $args{strict_forms} );
}
$self->set_fields( %{$fields} ) if $fields;
my $response;
if ( $args{button} ) {
$response
= $self->click( $args{button}, $args{x} || 0, $args{y} || 0 );
}
else {
$response = $self->submit();
}
return $response;
}
sub add_header {
my $self = shift;
my $npairs = 0;
while (@_) {
my $key = shift;
my $value = shift;
++$npairs;
$self->{headers}{$key} = $value;
}
return $npairs;
}
sub delete_header {
my $self = shift;
while (@_) {
my $key = shift;
delete $self->{headers}{$key};
}
return;
}
sub quiet {
my $self = shift;
$self->{quiet} = $_[0] if @_;
return $self->{quiet};
}
sub autocheck {
my $self = shift;
$self->{autocheck} = $_[0] if @_;
return $self->{autocheck};
}
sub stack_depth {
my $self = shift;
$self->{stack_depth} = shift if @_;
return $self->{stack_depth};
}
sub save_content {
my $self = shift;
my $filename = shift;
my %opts = @_;
if ( delete $opts{binary} ) {
$opts{binmode} = ':raw';
$opts{decoded_by_headers} = 1;
}
open( my $fh, '>', $filename )
or $self->die("Unable to create $filename: $!");
if ( ( my $binmode = delete( $opts{binmode} ) || q{} )
|| ( $self->content_type() !~ m{^text/} ) ) {
if ( length($binmode) && ( substr( $binmode, 0, 1 ) eq ':' ) ) {
binmode $fh, $binmode;
}
else {
binmode $fh;
}
}
print {$fh} $self->content(%opts)
or $self->die("Unable to write to $filename: $!");
close $fh or $self->die("Unable to close $filename: $!");
return;
}
sub _get_fh_default_stdout {
my $self = shift;
my $p = shift || q{};
if ( !$p ) {
return \*STDOUT;
}
elsif ( !ref($p) ) {
open my $fh, '>', $p or $self->die("Unable to write to $p: $!");
return $fh;
}
else {
return $p;
}
}
sub dump_headers {
my $self = shift;
my $fh = $self->_get_fh_default_stdout(shift);
print {$fh} $self->response->headers_as_string;
return;
}
sub dump_links {
my $self = shift;
my $fh = shift || \*STDOUT;
my $absolute = shift;
for my $link ( $self->links ) {
my $url = $absolute ? $link->url_abs : $link->url;
$url = q{} if not defined $url;
print {$fh} $url, "\n";
}
return;
}
sub dump_images {
my $self = shift;
my $fh = shift || \*STDOUT;
my $absolute = shift;
for my $image ( $self->images ) {
my $url = $absolute ? $image->url_abs : $image->url;
$url = q{} if not defined $url;
print {$fh} $url, "\n";
}
return;
}
sub dump_forms {
my $self = shift;
my $fh = shift || \*STDOUT;
for my $form ( $self->forms ) {
print {$fh} $form->dump, "\n";
}
return;
}
sub dump_text {
my $self = shift;
my $fh = shift || \*STDOUT;
my $absolute = shift;
print {$fh} $self->text, "\n";
return;
}
sub clone {
my $self = shift;
my $clone = $self->SUPER::clone();
$clone->cookie_jar( $self->cookie_jar );
$clone->{headers} = { %{ $self->{headers} } };
return $clone;
}
sub redirect_ok {
my $self = shift;
my $prospective_request = shift;
my $response = shift;
my $ok = $self->SUPER::redirect_ok( $prospective_request, $response );
if ($ok) {
$self->{redirected_uri} = $prospective_request->uri;
}
return $ok;
}
sub request {
my $self = shift;
my $request = shift;
$self->die('->request was called without a request parameter')
unless $request;
$request = $self->_modify_request($request);
if ( $request->method eq 'GET' || $request->method eq 'POST' ) {
$self->_push_page_stack();
}
return $self->_update_page(
$request,
$self->_make_request( $request, @_ )
);
}
sub update_html {
my $self = shift;
my $html = shift;
$self->_reset_page;
$self->{ct} = 'text/html';
$self->{content} = $html;
return;
}
sub credentials {
my $self = shift;
# The latest LWP::UserAgent also supports 2 arguments,
# in which case the first is host:port
if ( @_ == 4 || ( @_ == 2 && $_[0] =~ /:\d+$/ ) ) {
return $self->SUPER::credentials(@_);
}
@_ == 2
or $self->die('Invalid # of args for overridden credentials()');
return @$self{qw( __username __password )} = @_;
}
sub get_basic_credentials {
my $self = shift;
my @cred = grep { defined } @$self{qw( __username __password )};
return @cred if @cred == 2;
return $self->SUPER::get_basic_credentials(@_);
}
sub clear_credentials {
my $self = shift;
delete @$self{qw( __username __password )};
}
sub _update_page {
my ( $self, $request, $res ) = @_;
$self->{req} = $request;
$self->{redirected_uri} = $request->uri->as_string;
$self->{res} = $res;
$self->{status} = $res->code;
$self->{base} = $res->base;
$self->{ct} = $res->content_type || q{};
if ( $res->is_success ) {
$self->{uri} = $self->{redirected_uri};
$self->{last_uri} = $self->{uri};
}
if ( $res->is_error ) {
if ( $self->{autocheck} ) {
$self->die(
'Error ', $request->method, 'ing ', $request->uri,
': ', $res->message
);
}
}
$self->_reset_page;
# Try to decode the content. Undef will be returned if there's nothing to decompress.
# See docs in HTTP::Message for details. Do we need to expose the options there?
my $content = $res->decoded_content();
$content = $res->content if ( not defined $content );
$content .= _taintedness();
if ( $self->is_html ) {
$self->update_html($content);
}
else {
$self->{content} = $content;
}
return $res;
} # _update_page
our $_taintbrush;
# This is lifted wholesale from Test::Taint
sub _taintedness {
return $_taintbrush if defined $_taintbrush;
# Somehow we need to get some taintedness into our $_taintbrush.
# Let's try the easy way first. Either of these should be
# tainted, unless somebody has untainted them, so this
# will almost always work on the first try.
# (Unless, of course, taint checking has been turned off!)
$_taintbrush = substr( "$0$^X", 0, 0 );
return $_taintbrush if tainted($_taintbrush);
# Let's try again. Maybe somebody cleaned those.
$_taintbrush = substr( join( q{}, grep { defined } @ARGV, %ENV ), 0, 0 );
return $_taintbrush if tainted($_taintbrush);
# If those don't work, go try to open some file from some unsafe
# source and get data from them. That data is tainted.
# (Yes, even reading from /dev/null works!)
for my $filename ( qw(/dev/null / . ..), values %INC, $0, $^X ) {
if ( open my $fh, '<', $filename ) {
my $data;
if ( defined sysread $fh, $data, 1 ) {
$_taintbrush = substr( $data, 0, 0 );
last if tainted($_taintbrush);
}
}
}
# Sanity check
die("Our taintbrush should have zero length!") if length $_taintbrush;
return $_taintbrush;
}
sub _modify_request {
my $self = shift;
my $req = shift;
# add correct Accept-Encoding header to restore compliance with
# http://www.freesoft.org/CIE/RFC/2068/158.htm
# http://use.perl.org/~rhesa/journal/25952
if ( not $req->header('Accept-Encoding') ) {
# "identity" means "please! unencoded content only!"
$req->header( 'Accept-Encoding', $HAS_ZLIB ? 'gzip' : 'identity' );
}
my $last = $self->{last_uri};
if ($last) {
$last = $last->as_string if ref($last);
$req->header( Referer => $last );
}
while ( my ( $key, $value ) = each %{ $self->{headers} } ) {
if ( defined $value ) {
$req->header( $key => $value );
}
else {
$req->remove_header($key);
}
}
return $req;
}
sub _make_request {
my $self = shift;
return $self->SUPER::request(@_);
}
sub _reset_page {
my $self = shift;
$self->{links} = undef;
$self->{images} = undef;
$self->{forms} = undef;
$self->{current_form} = undef;
$self->{title} = undef;
$self->{text} = undef;
return;
}
my %link_tags = (
a => 'href',
area => 'href',
frame => 'src',
iframe => 'src',
link => 'href',
meta => 'content',
);
sub _new_parser {
my $self = shift;
my $content_ref = shift;
my $parser = HTML::TokeParser->new($content_ref);
$parser->marked_sections( $self->{marked_sections} );
$parser->xml_mode( $$content_ref =~ /^\s*<\?xml/ )
; # NOT GENERALLY RELIABLE
return $parser;
}
sub _extract_links {
my $self = shift;
$self->{links} = [];
if ( defined $self->{content} ) {
my $parser = $self->_new_parser( \$self->{content} );
while ( my $token = $parser->get_tag( keys %link_tags ) ) {
my $link = $self->_link_from_token( $token, $parser );
push( @{ $self->{links} }, $link ) if $link;
} # while
}
return;
}
my %image_tags = (
img => 'src',
input => 'src',
);
sub _extract_images {
my $self = shift;
$self->{images} = [];
if ( defined $self->{content} ) {
if ( $self->content_type eq 'text/css' ) {
push(
@{ $self->{images} },
$self->_images_from_css( $self->{content} )
);
}
else {
my $parser = $self->_new_parser( \$self->{content} );
while ( my $token = $parser->get_tag() ) {
my ( $tag_name, $attrs ) = @{$token};
next if $tag_name =~ m{^/};
if ( $image_tags{$tag_name} ) {
my $image = $self->_image_from_token( $token, $parser );
push( @{ $self->{images} }, $image ) if $image;
}
elsif ( $tag_name eq 'style' ) {
push(
@{ $self->{images} },
$self->_images_from_css( $parser->get_text )
);
}
if ( $attrs->{style} ) {
push(
@{ $self->{images} },
$self->_images_from_css( $attrs->{style} )
);
}
} # while
}
}
return;
}
sub _image_from_token {
my $self = shift;
my $token = shift;
my $parser = shift;
my $tag = $token->[0];
my $attrs = $token->[1];
if ( $tag eq 'input' ) {
my $type = $attrs->{type} or return;
return unless $type eq 'image';
}
require WWW::Mechanize::Image;
return WWW::Mechanize::Image->new(
{
tag => $tag,
base => $self->base,
url => $attrs->{src},
name => $attrs->{name},
height => $attrs->{height},
width => $attrs->{width},
alt => $attrs->{alt},
attrs => $attrs,
}
);
}
my $STYLE_URL_REGEXP = qr{
# ex. "url('/site.css')"
( # capture non url path of the string
url # url
\s* #
\( # (
\s* #
(['"]?) # opening ' or "
)
( # the rest is url
.+? # non greedy "everything"
)
(
\2 # closing ' or "
\s* #
\) # )
)
}xmsi;
sub _images_from_css {
my $self = shift;
my $css = shift;
my @images;
while ( $css =~ m/$STYLE_URL_REGEXP/g ) {
my $url = $3;
require WWW::Mechanize::Image;
push(
@images,
WWW::Mechanize::Image->new(
{
tag => 'css',
base => $self->base,
url => $url,
name => undef,
height => undef,
width => undef,
alt => undef,
}
)
);
}
return @images;
}
sub _link_from_token {
my $self = shift;
my $token = shift;
my $parser = shift;
my $tag = $token->[0];
my $attrs = $token->[1];
my $url = $attrs->{ $link_tags{$tag} };
my $text;
my $name;
if ( $tag eq 'a' ) {
$text = $parser->get_trimmed_text("/$tag");
$text = q{} unless defined $text;
my $onClick = $attrs->{onclick};
if ( $onClick && ( $onClick =~ /^window\.open\(\s*'([^']+)'/ ) ) {
$url = $1;
}
elsif ($url
&& $url
=~ /^javascript\:\s*(?:void\(\s*)?window\.open\(\s*'([^']+)'/s ) {
$url = $1;
}
} # a
# Of the tags we extract from, only 'AREA' has an alt tag
# The rest should have a 'name' attribute.
# ... but we don't do anything with that bit of wisdom now.
$name = $attrs->{name};
if ( $tag eq 'meta' ) {
my $equiv = $attrs->{'http-equiv'};
my $content = $attrs->{'content'};
return
unless $equiv && ( lc $equiv eq 'refresh' ) && defined $content;
if ( $content =~ /^\d+\s*;\s*url\s*=\s*(\S+)/i ) {
$url = $1;
$url =~ s/^"(.+)"$/$1/ or $url =~ s/^'(.+)'$/$1/;
}
else {
undef $url;
}
} # meta
return
unless defined $url; # probably just a name link or
require WWW::Mechanize::Link;
return WWW::Mechanize::Link->new(
{
url => $url,
text => $text,
name => $name,
tag => $tag,
base => $self->base,
attrs => $attrs,
}
);
} # _link_from_token
sub _extract_forms {
my $self = shift;
my @forms = HTML::Form->parse(
$self->content,
base => $self->base,
strict => $self->{strict_forms},
verbose => $self->{verbose_forms},
);
$self->{forms} = \@forms;
for my $form (@forms) {
for my $input ( $form->inputs ) {
if ( $input->type eq 'file' ) {
$input->value(undef);
}
}
}
return;
}
sub _push_page_stack {
my $self = shift;
my $req = $self->{req};
my $res = $self->{res};
return unless $req && $res && $self->stack_depth;
# Don't push anything if it's a virgin object
my $stack = $self->{page_stack} ||= [];
if ( @{$stack} >= $self->stack_depth ) {
shift @{$stack};
}
push( @{$stack}, { req => $req, res => $res } );
return 1;
}
sub warn {
my $self = shift;
return unless my $handler = $self->{onwarn};
return if $self->quiet;
return $handler->(@_);
}
sub die {
my $self = shift;
return unless my $handler = $self->{onerror};
return $handler->(@_);
}
# NOT an object method!
sub _warn {
require Carp;
return &Carp::carp; ## no critic
}
# NOT an object method!
sub _die {
require Carp;
return &Carp::croak; ## no critic
}
1; # End of module
__END__
=pod
=encoding UTF-8
=head1 NAME
WWW::Mechanize - Handy web browsing in a Perl object
=head1 VERSION
version 2.17
=head1 SYNOPSIS
WWW::Mechanize supports performing a sequence of page fetches including
following links and submitting forms. Each fetched page is parsed
and its links and forms are extracted. A link or a form can be
selected, form fields can be filled and the next page can be fetched.
Mech also stores a history of the URLs you've visited, which can
be queried and revisited.
use WWW::Mechanize ();
my $mech = WWW::Mechanize->new();
$mech->get( $url );
$mech->follow_link( n => 3 );
$mech->follow_link( text_regex => qr/download this/i );
$mech->follow_link( url => 'http://host.com/index.html' );
$mech->submit_form(
form_number => 3,
fields => {
username => 'mungo',
password => 'lost-and-alone',
}
);
$mech->submit_form(
form_name => 'search',
fields => { query => 'pot of gold', },
button => 'Search Now'
);
# Enable strict form processing to catch typos and non-existant form fields.
my $strict_mech = WWW::Mechanize->new( strict_forms => 1);
$strict_mech->get( $url );
# This method call will die, saving you lots of time looking for the bug.
$strict_mech->submit_form(
form_number => 3,
fields => {
usernaem => 'mungo', # typo in field name
password => 'lost-and-alone',
extra_field => 123, # field does not exist
}
);
=head1 DESCRIPTION
C, or Mech for short, is a Perl module for stateful
programmatic web browsing, used for automating interaction with
websites.
Features include:
=over 4
=item * All HTTP methods
=item * High-level hyperlink and HTML form support, without having to parse HTML yourself
=item * SSL support
=item * Automatic cookies
=item * Custom HTTP headers
=item * Automatic handling of redirections
=item * Proxies
=item * HTTP authentication
=back
Mech is well suited for use in testing web applications. If you use
one of the Test::*, like L modules, you can check the
fetched content and use that as input to a test call.
use Test::More;
like( $mech->content(), qr/$expected/, "Got expected content" );
Each page fetch stores its URL in a history stack which you can
traverse.
$mech->back();
If you want finer control over your page fetching, you can use
these methods. Cfollow_link(...)" >>>
and Csubmit_form( ... )" >>> are just high
level wrappers around them.
$mech->find_link( n => $number );
$mech->form_number( $number );
$mech->form_name( $name );
$mech->field( $name, $value );
$mech->set_fields( %field_values );
$mech->set_visible( @criteria );
$mech->click( $button );
L is a proper subclass of L and
you can also use any of L's methods.
$mech->add_header($name => $value);
Please note that Mech does NOT support JavaScript, you need additional software
for that. Please check L for more.
=head1 IMPORTANT LINKS
=over 4
=item * L
The queue for bugs & enhancements in WWW::Mechanize. Please note that the
queue at L is no longer maintained.
=item * L
The CPAN documentation page for Mechanize.
=item * L
Frequently asked questions. Make sure you read here FIRST.
=back
=head1 CONSTRUCTOR AND STARTUP
=head2 new()
Creates and returns a new WWW::Mechanize object, hereafter referred to as
the "agent".
my $mech = WWW::Mechanize->new()
The constructor for WWW::Mechanize overrides two of the params to the
LWP::UserAgent constructor:
agent => 'WWW-Mechanize/#.##'
cookie_jar => {} # an empty, memory-only HTTP::Cookies object
You can override these overrides by passing params to the constructor,
as in:
my $mech = WWW::Mechanize->new( agent => 'wonderbot 1.01' );
If you want none of the overhead of a cookie jar, or don't want your
bot accepting cookies, you have to explicitly disallow it, like so:
my $mech = WWW::Mechanize->new( cookie_jar => undef );
Here are the params that WWW::Mechanize recognizes. These do not include
params that L recognizes.
=over 4
=item * C<< autocheck => [0|1] >>
Checks each request made to see if it was successful. This saves
you the trouble of manually checking yourself. Any errors found
are errors, not warnings.
The default value is ON, unless it's being subclassed, in which
case it is OFF. This means that standalone L instances
have autocheck turned on, which is protective for the vast majority
of Mech users who don't bother checking the return value of
Cget( $uri )" >>>
and Cpost( $uri, content => $content )" >>> and can't
figure why their code fails. However, if L is subclassed, such
as for L or L, this may
not be an appropriate default, so it's off.
=item * C<< noproxy => [0|1] >>
Turn off the automatic call to the L C function.
This needs to be explicitly turned off if you're using L to
access a https site via a proxy server. Note: you still need to set your
HTTPS_PROXY environment variable as appropriate.
=item * C<< onwarn => \&func >>
Reference to a C-compatible function, such as C<< L::carp >>,
that is called when a warning needs to be shown.
If this is set to C, no warnings will ever be shown. However,
it's probably better to use the C method to control that behavior.
If this value is not passed, Mech uses C if L is
installed, or C if not.
=item * C<< onerror => \&func >>
Reference to a C-compatible function, such as C<< L::croak >>,
that is called when there's a fatal error.
If this is set to C, no errors will ever be shown.
If this value is not passed, Mech uses C if L is
installed, or C if not.
=item * C<< quiet => [0|1] >>
Don't complain on warnings. Setting C<< quiet => 1 >> is the same as
calling C<< $mech->quiet(1) >>. Default is off.
=item * C<< stack_depth => $value >>
Sets the depth of the page stack that keeps track of all the
downloaded pages. Default is effectively infinite stack size. If
the stack is eating up your memory, then set this to a smaller
number, say 5 or 10. Setting this to zero means Mech will keep no
history.
=back
In addition, WWW::Mechanize also allows you to globally enable
strict and verbose mode for form handling, which is done with L.
=over 4
=item * C<< strict_forms => [0|1] >>
Globally sets the HTML::Form strict flag which causes form submission to
croak if any of the passed fields don't exist in the form, and/or a value
doesn't exist in a select element. This can still be disabled in individual
calls to Csubmit_form( ... )" >>>.
Default is off.
=item * C<< verbose_forms => [0|1] >>
Globally sets the HTML::Form verbose flag which causes form submission to
warn about any bad HTML form constructs found. This cannot be disabled
later.
Default is off.
=item * C<< marked_sections => [0|1] >>
Globally sets the HTML::Parser marked sections flag which causes HTML
C<< CDATA[[ >> sections to be honoured. This cannot be disabled
later.
Default is on.
=back
To support forms, WWW::Mechanize's constructor pushes POST
on to the agent's C list (see also
L.)
=head2 $mech->agent_alias( $alias )
Sets the user agent string to the expanded version from a table of actual user strings.
C<$alias> can be one of the following:
=over 4
=item * Windows IE 6
=item * Windows Mozilla
=item * Mac Safari
=item * Mac Mozilla
=item * Linux Mozilla
=item * Linux Konqueror
=back
then it will be replaced with a more interesting one. For instance,
$mech->agent_alias( 'Windows IE 6' );
sets your User-Agent to
Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.1)
The list of valid aliases can be returned from
Cknown_agent_aliases()" >>>.
The current list is:
=over
=item * Windows IE 6
=item * Windows Mozilla
=item * Mac Safari
=item * Mac Mozilla
=item * Linux Mozilla
=item * Linux Konqueror
=back
=head2 $mech->known_agent_aliases()
Returns a list of all the agent aliases that Mech knows about.
This can also be called as a package or class method.
@aliases = WWW::Mechanize::known_agent_aliases();
@aliases = WWW::Mechanize->known_agent_aliases();
@aliases = $mech->known_agent_aliases();
=head1 PAGE-FETCHING METHODS
=head2 $mech->get( $uri )
Given a URL/URI, fetches it. Returns an L object.
C<$uri> can be a well-formed URL string, a L object, or a
L object.
The results are stored internally in the agent object, but you don't
know that. Just use the accessors listed below. Poking at the
internals is deprecated and subject to change in the future.
C is a well-behaved overloaded version of the method in
L. This lets you do things like
$mech->get( $uri, ':content_file' => $filename );
and you can rest assured that the params will get filtered down
appropriately. See L for more details.
B The file in C<:content_file> will contain the raw content of
the response. If the response content is encoded (e.g. gzip encoded),
the file will be encoded as well. Use $mech->save_content if you need
the decoded content.
B Because C<:content_file> causes the page contents to be
stored in a file instead of the response object, some Mech functions
that expect it to be there won't work as expected. Use with caution.
Here is a non-complete list of methods that do not work as expected with
C<:content_file>:
C< L<< forms()|/"$mech->forms()" >> >,
C< L<< current_form()|/"$mech->current_form()" >> >,
C< L<< links()|/"$mech->links()" >> >,
C< L<< title()|/"$mech->title()" >> >,
C< L<< content(...)|/"$mech->content(...)" >> >,
C< L<< text()|/"$mech->text()" >> >,
all L<< content-handling methods|/"CONTENT-HANDLING METHODS" >>,
all L<< link methods|/"LINK METHODS" >>,
all L<< image methods|/"IMAGE METHODS" >>,
all L<< form methods|/"FORM METHODS" >>,
all L<< field methods|/"FIELD METHODS" >>,
C< L<< save_content(...)|/"$mech->save_content( $filename, %opts )" >> >,
C< L<< dump_links(...)|/"$mech->dump_links( [[$fh], $absolute] )" >> >,
C< L<< dump_images(...)|/"$mech->dump_images( [[$fh], $absolute] )" >> >,
C< L<< dump_forms(...)|/"$mech->dump_forms( [$fh] )" >> >,
C< L<< dump_text(...)|/"$mech->dump_text( [$fh] )" >> >
=head2 $mech->post( $uri, content => $content )
POSTs C<$content> to C<$uri>. Returns an L object.
C<$uri> can be a well-formed URI string, a L object, or a
L object.
=head2 $mech->put( $uri, content => $content )
PUTs C<$content> to C<$uri>. Returns an L object.
C<$uri> can be a well-formed URI string, a L object, or a
L object.
my $res = $mech->put( $uri );
my $res = $mech->put( $uri , $field_name => $value, ... );
=head2 $mech->head ($uri )
Performs a HEAD request to C<$uri>. Returns an L object.
C<$uri> can be a well-formed URI string, a L object, or a
L object.
=head2 $mech->delete ($uri )
Performs a DELETE request to C<$uri>. Returns an L object.
C<$uri> can be a well-formed URI string, a L object, or a
L object.
=head2 $mech->reload()
Acts like the reload button in a browser: repeats the current
request. The history (as per the L<< back()|/$mech->back() >> method) is not altered.
Returns the L object from the reload, or C
if there's no current request.
=head2 $mech->back()
The equivalent of hitting the "back" button in a browser. Returns to
the previous page. Won't go back past the first page. (Really, what
would it do if it could?)
Returns true if it could go back, or false if not.
=head2 $mech->clear_history()
This deletes all the history entries and returns true.
=head2 $mech->history_count()
This returns the number of items in the browser history. This number I
include the most recently made request.
=head2 $mech->history($n)
This returns the Ith item in history. The 0th item is the most recent
request and response, which would be acted on by methods like
Cfind_link( ... )" >>>.
The 1st item is the state you'd return to if you called
Cback() >>>.
The maximum useful value for C<$n> is C<< $mech->history_count - 1 >>.
Requests beyond that bound will return C.
History items are returned as hash references, in the form:
{ req => $http_request, res => $http_response }
=head1 STATUS METHODS
=head2 $mech->success()
Returns a boolean telling whether the last request was successful.
If there hasn't been an operation yet, returns false.
This is a convenience function that wraps C<< $mech->res->is_success >>.
=head2 $mech->uri()
Returns the current URI as a L object. This object stringifies
to the URI itself.
=head2 $mech->response() / $mech->res()
Return the current response as an L object.
Synonym for C<< $mech->response() >>.
=head2 $mech->status()
Returns the HTTP status code of the response. This is a 3-digit
number like 200 for OK, 404 for not found, and so on.
=head2 $mech->ct() / $mech->content_type()
Returns the content type of the response.
=head2 $mech->base()
Returns the base URI for the current response
=head2 $mech->forms()
When called in a list context, returns a list of the forms found in
the last fetched page. In a scalar context, returns a reference to
an array with those forms. The forms returned are all L
objects.
=head2 $mech->current_form()
Returns the current form as an L object.
=head2 $mech->links()
When called in a list context, returns a list of the links found in the
last fetched page. In a scalar context it returns a reference to an array
with those links. Each link is a L object.
=head2 $mech->is_html()
Returns true/false on whether our content is HTML, according to the
HTTP headers.
=head2 $mech->title()
Returns the contents of the C<< >> tag, as parsed by
L. Returns C if the content is not HTML.
=head2 $mech->redirects()
Convenience method to get the L<< redirects|HTTP::Response/$r->redirects >> from the most recent L.
Note that you can also use L<< is_redirect|HTTP::Response/$r->is_redirect >> to see if the most recent response was a redirect like this.
$mech->get($url);
do_stuff() if $mech->res->is_redirect;
=head1 CONTENT-HANDLING METHODS
=head2 $mech->content(...)
Returns the content that the mech uses internally for the last page
fetched. Ordinarily this is the same as
C<< $mech->response()->decoded_content() >>,
but this may differ for HTML documents if Cupdate_html( $html )" >>> is
overloaded (in which case the value passed to the base-class
implementation of same will be returned), and/or extra named arguments
are passed to C:
=over 2
=item I<< $mech->content( format => 'text' ) >>
Returns a text-only version of the page, with all HTML markup
stripped. This feature requires L version 5 or higher
to be installed, or a fatal error will be thrown. This works only if
the contents are HTML.
=item I<< $mech->content( base_href => [$base_href|undef] ) >>
Returns the HTML document, modified to contain a
C<< >> mark-up in the header.
C<$base_href> is C<< $mech->base() >> if not specified. This is
handy to pass the HTML to e.g. L. This works only if
the contents are HTML.
=item I<< $mech->content( raw => 1 ) >>
Returns C<< $self->response()->content() >>, i.e. the raw contents from the
response.
=item I<< $mech->content( decoded_by_headers => 1 ) >>
Returns the content after applying all C headers but
with not additional mangling.
=item I<< $mech->content( charset => $charset ) >>
Returns C<< $self->response()->decoded_content(charset => $charset) >>
(see L for details).
=back
To preserve backwards compatibility, additional parameters will be
ignored unless none of C<< raw | decoded_by_headers | charset >> is
specified and the text is HTML, in which case an error will be triggered.
A fresh instance of WWW::Mechanize will return C when C<< $mech->content() >>
is called, because no content is present before a request has been made.
=head2 $mech->text()
Returns the text of the current HTML content. If the content isn't
HTML, C<$mech> will die.
The text is extracted by parsing the content, and then the extracted
text is cached, so don't worry about performance of calling this
repeatedly.
=head1 LINK METHODS
=head2 $mech->links()
Lists all the links on the current page. Each link is a
L object. In list context, returns a list of all
links. In scalar context, returns an array reference of all links.
=head2 $mech->follow_link(...)
Follows a specified link on the page. You specify the match to be
found using the same params that Cfind_link( ... )" >>> uses.
Here some examples:
=over 4
=item * 3rd link called "download"
$mech->follow_link( text => 'download', n => 3 );
=item * first link where the URL has "download" in it, regardless of case:
$mech->follow_link( url_regex => qr/download/i );
or
$mech->follow_link( url_regex => qr/(?i:download)/ );
=item * 3rd link on the page
$mech->follow_link( n => 3 );
=item * the link with the url
$mech->follow_link( url => '/other/page' );
or
$mech->follow_link( url => 'http://example.com/page' );
=back
Returns the result of the C method (an L object) if a link
was found.
If the page has no links, or the specified link couldn't be found, returns
C. If C is enabled an exception will be thrown instead.
=head2 $mech->find_link( ... )
Finds a link in the currently fetched page. It returns a
L object which describes the link. (You'll
probably be most interested in the
Curl()" >>> property.)
If it fails to find a link it returns C.
You can take the URL part and pass it to the C method. If
that's your plan, you might as well use the Cfollow_link(...)" >>>
method directly, since it does the C for you automatically.
Note that C<< >> tags are parsed out of the HTML and
treated as links so this method works with them.
You can select which link to find by passing in one or more of these
key/value pairs:
=over 4
=item * C<< text => 'string', >> and C<< text_regex => qr/regex/, >>
C matches the text of the link against I, which must be an
exact match. To select a link with text that is exactly "download", use
$mech->find_link( text => 'download' );
C matches the text of the link against I. To select a
link with text that has "download" anywhere in it, regardless of case, use
$mech->find_link( text_regex => qr/download/i );
Note that the text extracted from the page's links are trimmed. For
example, C<< foo >> is stored as 'foo', and searching for
leading or trailing spaces will fail.
=item * C<< url => 'string', >> and C<< url_regex => qr/regex/, >>
Matches the URL of the link against I or I, as appropriate.
The URL may be a relative URL, like F, depending on how
it's coded on the page.
=item * C<< url_abs => string >> and C<< url_abs_regex => regex >>
Matches the absolute URL of the link against I or I,
as appropriate. The URL will be an absolute URL, even if it's relative
in the page.
=item * C<< name => string >> and C<< name_regex => regex >>
Matches the name of the link against I or I, as appropriate.
=item * C<< rel => string >> and C<< rel_regex => regex >>
Matches the rel of the link against I or I, as appropriate.
This can be used to find stylesheets, favicons, or links the author of the
page does not want bots to follow.
=item * C<< id => string >> and C<< id_regex => regex >>
Matches the attribute 'id' of the link against I or
I, as appropriate.
=item * C<< class => string >> and C<< class_regex => regex >>
Matches the attribute 'class' of the link against I or
I, as appropriate.
=item * C<< tag => string >> and C<< tag_regex => regex >>
Matches the tag that the link came from against I or I,
as appropriate. The C is probably most useful to check for
more than one tag, as in:
$mech->find_link( tag_regex => qr/^(a|frame)$/ );
The tags and attributes looked at are defined below.
=back
If C is not specified, it defaults to 1. Therefore, if you don't
specify any params, this method defaults to finding the first link on the
page.
Note that you can specify multiple text or URL parameters, which
will be ANDed together. For example, to find the first link with
text of "News" and with "cnn.com" in the URL, use:
$mech->find_link( text => 'News', url_regex => qr/cnn\.com/ );
The return value is a reference to an array containing a
L object for every link in
Ccontent|/"$mech->content(...)" >>>.
The links come from the following:
=over 4
=item C<< >>
=item C<< >>
=item C<< >>
=item C<<