String-Tokenizer-0.05/0040755000076500000240000000000010115164421014036 5ustar stevanstaffString-Tokenizer-0.05/Changes0100644000076500000240000000176310115164421015335 0ustar stevanstaffRevision history for Perl extension String::Tokenizer. 0.05 Tues Aug 31 2004 - added support for whitespace tokens, feature requested by Stephan Tobias. - added tests for this - added documenation for this - fixed bug where the '0' token got ignored, also thanks to Stephan Tobias for this. 0.04 Sun Aug 22 2004 - added skipTokensUntil and collectTokensUntil methods to the String::Tokenizer::Iterator - added test for this - added documentation for this - added the pod.t and pod_coverage.t test files 0.03 Thurs May 6 2004 - fixed some documentation issues. - added token iteration support with the inner class String::Tokenizer::Iterator. - added tests for iteration - added documentation for iteration 0.02 Mon April 12 2004 - error in the Makefile.PL file, no changes on this release 0.01 Thu Mar 18 11:04:22 2004 - original version; created by h2xs 1.22 with options -X -n String::Tokenizer String-Tokenizer-0.05/lib/0040755000076500000240000000000010115164421014604 5ustar stevanstaffString-Tokenizer-0.05/lib/String/0040755000076500000240000000000010115164421016052 5ustar stevanstaffString-Tokenizer-0.05/lib/String/Tokenizer.pm0100644000076500000240000004236510115164421020371 0ustar stevanstaff package String::Tokenizer; use strict; use warnings; our $VERSION = '0.05'; use constant RETAIN_WHITESPACE => 1; use constant IGNORE_WHITESPACE => 0; ### constructor sub new { my ($_class, @args) = @_; my $class = ref($_class) || $_class; my $string_tokenizer = { tokens => [], delimiter => undef, handle_whitespace => IGNORE_WHITESPACE }; bless($string_tokenizer, $class); $string_tokenizer->tokenize(@args) if @args; return $string_tokenizer; } ### methods sub setDelimiter { my ($self, $delimiter) = @_; my $delimiter_reg_exp = join "\|" => map { s/(\W)/\\$1/g; $_ } split // => $delimiter; $self->{delimiter} = qr/$delimiter_reg_exp/; } sub handleWhitespace { my ($self, $value) = @_; $self->{handle_whitespace} = $value; } sub tokenize { my ($self, $string, $delimiter, $handle_whitespace) = @_; # if we have a delimiter passed in then use it $self->setDelimiter($delimiter) if defined $delimiter; # if we are asking about whitespace then handle it $self->handleWhitespace($handle_whitespace) if defined $handle_whitespace; # if the two above are not handled, then the object will use # the values set already. # split everything by whitespace no matter what # (possible multiple occurances of white space too) my @tokens; if ($self->{handle_whitespace}) { @tokens = split /(\s+)/ => $string; } else { @tokens = split /\s+/ => $string; } if ($self->{delimiter}) { # create the delimiter reg-ex # escape all non-alpha-numeric # characters, just to be safe my $delimiter = $self->{delimiter}; # loop through the tokens @tokens = map { # if the token contains a delimiter then ... if (/$delimiter/) { my ($token, @_tokens); # split the token up into characters # and the loop through all the characters foreach my $char (split //) { # if the character is a delimiter if ($char =~ /^$delimiter$/) { # and we already have a token in the works if (defined($token) && $token =~ /^.*$/) { # add the token to the # temp tokens list push @_tokens => $token; } # and then push our delimiter character # onto the temp tokens list push @_tokens => $char; # now we need to undefine our token $token = undef; } # if the character is not a delimiter then else { # check to make sure the token is defined $token = "" unless defined $token; # and then add the chracter to it $token .= $char; } } # now push any remaining token onto # the temp tokens list push @_tokens => $token if defined $token; # and return tokens @_tokens; } # if our token does not have # the delimiter in it else { # just return it $_ } } @tokens; } $self->{tokens} = \@tokens; } sub getTokens { my ($self) = @_; return wantarray ? @{$self->{tokens}} : $self->{tokens}; } sub iterator { my ($self) = @_; # returns a copy of the array return String::Tokenizer::Iterator->new($self->{tokens}); } package String::Tokenizer::Iterator; use strict; use warnings; sub new { ((caller())[0] eq "String::Tokenizer") || die "Insufficient Access Priviledges : Only String::Tokenizer can create String::Tokenizer::Iterator instances"; my ($_class, $tokens) = @_; my $class = ref($_class) || $_class; my $iterator = { tokens => $tokens, index => 0 }; bless($iterator, $class); return $iterator; } sub reset { my ($self) = @_; $self->{index} = 0; } sub hasNextToken { my ($self) = @_; return ($self->{index} < scalar @{$self->{tokens}}) ? 1 : 0; } sub hasPrevToken { my ($self) = @_; return ($self->{index} > 0); } sub nextToken { my ($self) = @_; return undef if ($self->{index} >= scalar @{$self->{tokens}}); return $self->{tokens}->[$self->{index}++]; } sub prevToken { my ($self) = @_; return undef if ($self->{index} <= 0); return $self->{tokens}->[--$self->{index}]; } sub currentToken { my ($self) = @_; return $self->{tokens}->[$self->{index} - 1]; } sub lookAheadToken { my ($self) = @_; return undef if ( $self->{index} <= 0 || $self->{index} >= scalar @{$self->{tokens}}); return $self->{tokens}->[$self->{index}]; } sub collectTokensUntil { my ($self, $token_to_match) = @_; # if this matches our current token ... # then we just return nothing as there # is nothing to accumulate if ($self->lookAheadToken() eq $token_to_match) { # then just advance it one $self->nextToken(); # and return nothing return; } # if it doesnt match our current token then, ... my @collection; # store the index we start at my $old_index = $self->{index}; my $matched; # loop through the tokens while ($self->hasNextToken()) { my $token = $self->nextToken(); if ($token ne $token_to_match) { push @collection => $token; } else { $matched++; last; } } unless ($matched) { # reset back to where we started, and ... $self->{index} = $old_index; # and return nothing return; } # and return our collection return @collection; } sub skipTokensUntil { my ($self, $token_to_match) = @_; # if this matches our current token ... if ($self->lookAheadToken() eq $token_to_match) { # then just advance it one $self->nextToken(); # and return success return 1; } # if it doesnt match our current token then, ... # store the index we start at my $old_index = $self->{index}; # and loop through the tokens while ($self->hasNextToken()) { # return success if we match our token return 1 if ($self->nextToken() eq $token_to_match); } # otherwise we didnt match, and should # reset back to where we started, and ... $self->{index} = $old_index; # return failure return 0; } sub skipTokenIfWhitespace { my ($self) = @_; $self->{index}++ if $self->lookAheadToken() =~ /^\s+$/; } sub skipTokens { my ($self, $num_token_to_skip) = @_; $num_token_to_skip ||= 1; $self->{index} += $num_token_to_skip; } *skipToken = \&skipTokens; 1; __END__ =head1 NAME String::Tokenizer - A simple string tokenizer. =head1 SYNOPSIS use String::Tokenizer; # create the tokenizer and tokenize input my $tokenizer = String::Tokenizer->new("((5+5) * 10)", '+*()'); # create tokenizer my $tokenizer = String::Tokenizer->new(); # ... then tokenize the string $tokenizer->tokenize("((5 + 5) - 10)", '()'); # will print '(, (, 5, +, 5, ), -, 10, )' print join ", " => $tokenizer->getTokens(); # create tokenizer which retains whitespace my $st = String::Tokenizer->new( 'this is a test with, (signifigant) whitespace', ',()', String::Tokenizer->RETAIN_WHITESPACE ); # this will print: # 'this', ' ', 'is', ' ', 'a', ' ', 'test', ' ', 'with', ' ', '(', 'signifigant', ')', ' ', 'whitespace' print "'" . (join "', '" => $tokenizer->getTokens()) . "'"; # get a token iterator my $i = $tokenizer->iterator(); while ($i->hasNextToken()) { my $next = $i->nextToken(); # peek ahead at the next token my $look_ahead = $i->lookAheadToken(); # ... # skip the next 2 tokens $i->skipTokens(2); # ... # then backtrack 1 token my $previous = $i->prevToken(); # ... # get the current token my $current = $i->currentToken(); # ... } =head1 DESCRIPTION A simple string tokenizer which takes a string and splits it on whitespace. It also optionally takes a string of characters to use as delimiters, and returns them with the token set as well. This allows for splitting the string in many different ways. This is a very basic tokenizer, so more complex needs should be either addressed with a custom written tokenizer or post-processing of the output generated by this module. Basically, this will not fill everyones needs, but it spans a gap between simple C and the other options that involve much larger and complex modules. Also note that this is not a lexical analyser. Many people confuse tokenization with lexical analysis. A tokenizer mearly splits its input into specific chunks, a lexical analyzer classifies those chunks. Sometimes these two steps are combined, but not here. =head1 METHODS =over 4 =item B If you do not supply any parameters, nothing happens, the instance is just created. But if you do supply parameters, they are passed on to the C method and that method is run. For information about those arguments, see C below. =item B This can be used to set the delimiter string, this is used by C. =item B This can be used to set the whitespace handling. It accepts one of the two constant values C or C. =item B Takes a C<$string> to tokenize, and optionally a set of C<$delimiter> characters to facilitate the tokenization and the type of whitespace handling with C<$handle_whitespace>. The C<$string> parameter and the C<$handle_whitespace> parameter are pretty obvious, the C<$delimiter> parameter is not as transparent. C<$delimiter> is a string of characters, these characters are then seperated into individual characters and are used to split the C<$string> with. So given this string: (5 + (100 * (20 - 35)) + 4) The C method without a C<$delimiter> parameter would return the following comma seperated list of tokens: '(5', '+', '(100', '*', '(20', '-', '35))', '+', '4)' However, if you were to pass the following set of delimiters C<(, )> to C, you would get the following comma seperated list of tokens: '(', '5', '+', '(', '100', '*', '(', '20', '-', '35', ')', ')', '+', '4', ')' We now can differentiate the parens from the numbers, and no globbing occurs. If you wanted to allow for optionally leaving out the whitespace in the expression, like this: (5+(100*(20-35))+4) as some languages do. Then you would give this delimiter C<+*-()> to arrive at the same result. If you decide that whitespace is signifigant in your string, then you need to specify that like this: my $st = String::Tokenizer->new( 'this is a test with, (signifigant) whitespace', ',()', String::Tokenizer->RETAIN_WHITESPACE ); A call to C on this instance would result in the following token set. 'this', ' ', 'is', ' ', 'a', ' ', 'test', ' ', 'with', ' ', '(', 'signifigant', ')', ' ', 'whitespace' All running whitespace is grouped together into a single token, we make no attempt to split it into its individual parts. =item B Simply returns the array of tokens. It returns an array-ref in scalar context. =item B Returns a B instance, see below for more details. =back =head1 INNER CLASS A B instance is returned from the B's C method and serves as yet another means of iterating through an array of tokens. The simplest way would be to call C and just manipulate the array yourself, or push the array into another object. However, iterating through a set of tokens tends to get messy when done manually. So here I have provided the B to address those common token processing idioms. It is basically a bi-directional iterator which can look ahead, skip and be reset to the begining. B B is an inner class, which means that only B objects can create an instance of it. That said, if B's C method is called from outside of the B package, an exception is thrown. =over 4 =item B This accepts an array reference of tokens and sets up the iterator. This method can only be called from within the B package, otherwise an exception will be thrown. =item B This will reset the interal counter, bringing it back to the begining of the token list. =item B This will return true (1) if there are more tokens to be iterated over, and false (0) otherwise. =item B This will return true (1) if the begining of the token list has been reached, and false (0) otherwise. =item B This dispenses the next available token, and move the internal counter ahead by one. =item B This dispenses the previous token, and moves the internal counter back by one. =item B This returns the current token, which will match the last token retrieved by C. =item B This peeks ahead one token to the next one in the list. This item will match the next item dispensed with C. This is a non-destructive look ahead, meaning it does not alter the position of the internal counter. =item B This will jump the internal counter ahead by 1. =item B This will jump the internal counter ahead by C<$number_to_skip>. =item B This will skip the next token if it is whitespace. =item B Given a string as a C<$token_to_match>, this will skip all tokens until it matches that string. If the C<$token_to_match> is never matched, then the iterator will return the internal pointer to its initial state. =item B Given a string as a C<$token_to_match>, this will collect all tokens until it matches that string, at which point the collected tokens will be returned. If the C<$token_to_match> is never matched, then the iterator will return the internal pointer to its initial state and no tokens will be returned. =back =head1 TO DO =over 4 =item I The Java StringTokenizer class allows for a token to be tokenized further, therefore breaking it up more and including the results into the current token stream. I have never used this feature in this class, but I can see where it might be a useful one. This may be in the next release if it works out. Possibly compliment this expansion with compression as well, so for instance double quoted strings could be compressed into a single token. =item I Allow for the creation of "token bookmarks". Meaning we could tag a specific token with a label, that index could be returned to from any point in the token stream. We could mix this with a memory stack as well, so that we would have an ordering to the bookmarks as well. =back =head1 BUGS None that I am aware of. Of course, if you find a bug, let me know, and I will be sure to fix it. =head1 CODE COVERAGE I use B to test the code coverage of my tests, below is the B report on this module's test suite. ------------------------ ------ ------ ------ ------ ------ ------ ------ File stmt branch cond sub pod time total ------------------------ ------ ------ ------ ------ ------ ------ ------ String/Tokenizer.pm 100.0 100.0 64.3 100.0 100.0 100.0 97.6 ------------------------ ------ ------ ------ ------ ------ ------ ------ Total 100.0 100.0 64.3 100.0 100.0 100.0 97.6 ------------------------ ------ ------ ------ ------ ------ ------ ------ =head1 SEE ALSO The interface and workings of this module are based largely on the StringTokenizer class from the Java standard library. Below is a short list of other modules that might be considered similar to this one. If this module does not suit your needs, you might look at one of these. =over 4 =item B Along with being a tokenizer, it also provides a means of moving through the resulting tokens, allowing for skipping of tokens and such. But this module looks as if it hasnt been updated from 0.01 and that was uploaded in since 2002. The author (Simon Cozens) includes it in the section of L entitled "The Embarrassing Past". From what I can guess, he does not intend to maintain it anymore. =item B This one hasn't been touched since 2001, although it did get up to version 0.27. It looks to lean over more towards the parser side than a basic tokenizer. =item B This one looks more up to date (updated as recently as March 2004), but is both a lexical analyzer and a tokenizer. It also uses XS, mine is pure perl. This is something maybe to look into if you were to need a more beefy solution that what String::Tokenizer provides. =back =head1 THANKS =over =item Thanks to Stephan Tobias for finding bugs and suggestions on whitespace handling. =back =head1 AUTHOR stevan little, Estevan@iinteractive.comE =head1 COPYRIGHT AND LICENSE Copyright 2004 by Infinity Interactive, Inc. L This library is free software; you can redistribute it and/or modify it under the same terms as Perl itself. =cut String-Tokenizer-0.05/Makefile.PL0100644000076500000240000000050310115164421016003 0ustar stevanstaffuse ExtUtils::MakeMaker; # See lib/ExtUtils/MakeMaker.pm for details of how to influence # the contents of the Makefile that is written. WriteMakefile( 'NAME' => 'String::Tokenizer', 'VERSION_FROM' => 'lib/String/Tokenizer.pm', # finds $VERSION 'PREREQ_PM' => { "Test::More" => 0.47 }, ); String-Tokenizer-0.05/MANIFEST0100644000076500000240000000023010115164421015157 0ustar stevanstaffChanges Makefile.PL MANIFEST README lib/String/Tokenizer.pm t/10_String_Tokenizer_test.t t/20_String_Tokenizer_Iterator_test.t t/pod.t t/pod_coverage.t String-Tokenizer-0.05/README0100644000076500000240000000072410115164421014716 0ustar stevanstaffString/Tokenizer version 0.05 ============================= INSTALLATION To install this module type the following: perl Makefile.PL make make test make install DEPENDENCIES This module requires these other modules and libraries: None COPYRIGHT AND LICENCE Copyright (C) 2004 Infinity Interactive, Inc. http://www.iinteractive.com This library is free software; you can redistribute it and/or modify it under the same terms as Perl itself. String-Tokenizer-0.05/t/0040755000076500000240000000000010115164421014301 5ustar stevanstaffString-Tokenizer-0.05/t/10_String_Tokenizer_test.t0100644000076500000240000000565110115164421021331 0ustar stevanstaff#!/usr/bin/perl use strict; use warnings; use Test::More tests => 17; BEGIN { use_ok('String::Tokenizer') }; can_ok("String::Tokenizer", 'new'); { my $st = String::Tokenizer->new(); isa_ok($st, 'String::Tokenizer'); can_ok($st, 'tokenize'); can_ok($st, 'getTokens'); can_ok($st, 'iterator'); } # parse a nested expression my $STRING1 = "((5 + 10)-100) * (15 + (23 / 300))"; # expected output with no delimiters { my $st = String::Tokenizer->new(); isa_ok($st, 'String::Tokenizer'); $st->tokenize($STRING1); my @expected = qw{((5 + 10)-100) * (15 + (23 / 300))}; is_deeply( scalar $st->getTokens(), \@expected, '... this is the output we would expect'); } # expected output with () as delimiters { my $st = String::Tokenizer->new(); isa_ok($st, 'String::Tokenizer'); $st->tokenize($STRING1, '()'); my @expected = qw{( ( 5 + 10 ) -100 ) * ( 15 + ( 23 / 300 ) )}; is_deeply( [ $st->getTokens() ], \@expected, '... this is the output we would expect'); } # expected output with ()+-*/ as delimiters { my $st = String::Tokenizer->new($STRING1, '()=-*/'); isa_ok($st, 'String::Tokenizer'); my @expected = qw{( ( 5 + 10 ) - 100 ) * ( 15 + ( 23 / 300 ) )}; is_deeply( scalar $st->getTokens(), \@expected, '... this is the output we would expect'); } # it can also parse reasonably well formated perl code my $STRING2 = <new($STRING2, '();{}'); isa_ok($st, 'String::Tokenizer'); my @expected = qw(sub test { my ( $arg ) = @_ ; if ( $arg == 10 ) { return 1 ; } return 0 ; }); is_deeply( scalar $st->getTokens(), \@expected, '... this is the output we would expect'); } # check keeping all whitespace { my $st = String::Tokenizer->new($STRING2, '();{}', String::Tokenizer->RETAIN_WHITESPACE); isa_ok($st, 'String::Tokenizer'); my @expected = ( 'sub', ' ', 'test', ' ', '{', "\n ", 'my', ' ', '(', '$arg', ')', ' ', '=', ' ', '@_', ';', "\n ", 'if', ' ', '(', '$arg', ' ', '==', ' ', '10', ')', '{', "\n ", 'return', ' ', '1', ';', "\n ", '}', "\n ", 'return', ' ', '0', ';', "\n", '}', "\n" ); is_deeply( scalar $st->getTokens(), \@expected, '... this is the output we would expect'); $st->handleWhitespace(String::Tokenizer->IGNORE_WHITESPACE); $st->tokenize($STRING2); my @expected2 = qw(sub test { my ( $arg ) = @_ ; if ( $arg == 10 ) { return 1 ; } return 0 ; }); is_deeply( scalar $st->getTokens(), \@expected2, '... this is the output we would expect after changing whitespace handling'); } String-Tokenizer-0.05/t/20_String_Tokenizer_Iterator_test.t0100644000076500000240000001267510115164421023207 0ustar stevanstaff#!/usr/bin/perl use strict; use warnings; use Test::More tests => 100; BEGIN { use_ok('String::Tokenizer') }; # first check that our inner class # cannot be called from outside eval { String::Tokenizer::Iterator->new(); }; like($@, qr/Insufficient Access Priviledges/, '... this should have died'); # it can also parse reasonably well formated perl code my $STRING = <new($STRING, '();{}'); isa_ok($st, "String::Tokenizer"); can_ok("String::Tokenizer::Iterator", 'new'); my $i = $st->iterator(); isa_ok($i, "String::Tokenizer::Iterator"); can_ok($i, 'reset'); can_ok($i, 'hasNextToken'); can_ok($i, 'hasPrevToken'); can_ok($i, 'nextToken'); can_ok($i, 'prevToken'); can_ok($i, 'currentToken'); can_ok($i, 'lookAheadToken'); can_ok($i, 'skipToken'); can_ok($i, 'skipTokens'); can_ok($i, 'skipTokensUntil'); can_ok($i, 'collectTokensUntil'); my @iterator_output; push @iterator_output => $i->nextToken() while $i->hasNextToken(); ok(!defined($i->nextToken()), '... this is undefined'); ok(!defined($i->lookAheadToken()), '... this is undefined'); is_deeply( \@iterator_output, \@expected, '... this is the output we would expect'); my @reverse_iterator_output; push @reverse_iterator_output => $i->prevToken() while $i->hasPrevToken(); ok(!defined($i->prevToken()), '... this is undefined'); ok(!defined($i->lookAheadToken()), '... this is undefined'); is_deeply( \@reverse_iterator_output, [ reverse @expected ], '... this is the output we would expect'); my $look_ahead; while ($i->hasNextToken()) { my $next = $i->nextToken(); my $current = $i->currentToken(); is($look_ahead, $next, '... our look ahead matches out next') if defined $look_ahead; is($current, $next, '... our current matches out next'); $look_ahead = $i->lookAheadToken(); } $i->reset(); my @expected5 = qw({ ( ) @_ if $arg 10 { 1 } 0 }); my @skip_output; $i->skipTokens(2); while ($i->hasNextToken()) { push @skip_output => $i->nextToken(); $i->skipToken(); } is_deeply( \@skip_output, \@expected5, '... this is the output we would expect'); # test the skipTokensUntil and collectTokensUntil function with a double quoted string { my $st = String::Tokenizer->new('this "is a good way" to "test a double quoted" string' , '"'); isa_ok($st, "String::Tokenizer"); my $i = $st->iterator(); isa_ok($i, "String::Tokenizer::Iterator"); is($i->nextToken(), 'this', '... got the right start token'); ok($i->skipTokensUntil('"'), '... this will successfully skip'); is($i->nextToken(), 'is', '... got the right token next expected'); ok($i->skipTokensUntil('"'), '... this will successfully skip'); is($i->nextToken(), 'to', '... got the right token next expected'); is($i->nextToken(), '"', '... got the right token next expected'); is_deeply( [ $i->collectTokensUntil('"') ], [ qw/test a double quoted/ ], '... got the collection we expected'); is($i->nextToken(), 'string', '... got the right token next expected'); } { my $st = String::Tokenizer->new('this "is a good way" to "test a double quoted" string' , '"'); isa_ok($st, "String::Tokenizer"); my $i = $st->iterator(); isa_ok($i, "String::Tokenizer::Iterator"); is($i->nextToken(), 'this', '... got the right start token'); ok(!$i->skipTokensUntil('?'), '... this will not successfully match and so not skip'); is_deeply( [ $i->collectTokensUntil('"') ], [ ], '... got the collection (or lack thereof) we expected'); is_deeply( [ $i->collectTokensUntil('"') ], [ qw/is a good way/ ], '... got the collection (or lack thereof) we expected'); is($i->nextToken(), 'to', '... got the right token next expected'); is_deeply( [ $i->collectTokensUntil('not found') ], [ ], '... got the collection (or lack thereof) we expected'); is($i->nextToken(), '"', '... got the right token next expected'); } { my $st = String::Tokenizer->new( 'this is "a good way" to "test a double quoted " string' , '"', String::Tokenizer->RETAIN_WHITESPACE ); isa_ok($st, "String::Tokenizer"); my $i = $st->iterator(); isa_ok($i, "String::Tokenizer::Iterator"); is($i->nextToken(), 'this', '... got the right start token'); $i->skipTokenIfWhitespace(); is($i->lookAheadToken(), 'is', '... got the right start token'); $i->skipTokenIfWhitespace(); is($i->nextToken(), 'is', '... got the right start token'); $i->skipTokenIfWhitespace(); is($i->nextToken(), '"', '... got the right start token'); is_deeply( [ $i->collectTokensUntil('"') ], [ "a", " ", "good", " ", "way" ], '... got the collection (or lack thereof) we expected'); is($i->lookAheadToken(), ' ', '... our next token is whitespace'); $i->skipTokenIfWhitespace(); is($i->nextToken(), 'to', '... got the right token next expected'); # this is enough for now, we dont need to test the rest of the string } String-Tokenizer-0.05/t/pod.t0100644000076500000240000000025710115164421015251 0ustar stevanstaff#!/usr/bin/perl use strict; use warnings; use Test::More; eval "use Test::Pod 1.14"; plan skip_all => "Test::Pod 1.14 required for testing POD" if $@; all_pod_files_ok(); String-Tokenizer-0.05/t/pod_coverage.t0100644000076500000240000000031610115164421017120 0ustar stevanstaff#!/usr/bin/perl use strict; use warnings; use Test::More; eval "use Test::Pod::Coverage 1.04"; plan skip_all => "Test::Pod::Coverage 1.04 required for testing POD coverage" if $@; all_pod_coverage_ok();