Actually test that bank account has a balance attr with a trigger
[gitmo/moose-presentations.git] / moose-class / exercises / t / lib / Test / More.pm
CommitLineData
4920168e 1package Test::More;
2
3use 5.006;
4use strict;
5use warnings;
6
7#---- perlcritic exemptions. ----#
8
9# We use a lot of subroutine prototypes
10## no critic (Subroutines::ProhibitSubroutinePrototypes)
11
12# Can't use Carp because it might cause use_ok() to accidentally succeed
13# even though the module being used forgot to use Carp. Yes, this
14# actually happened.
15sub _carp {
16 my( $file, $line ) = ( caller(1) )[ 1, 2 ];
17 return warn @_, " at $file line $line\n";
18}
19
20our $VERSION = '0.88';
21$VERSION = eval $VERSION; ## no critic (BuiltinFunctions::ProhibitStringyEval)
22
23use Test::Builder::Module;
24our @ISA = qw(Test::Builder::Module);
25our @EXPORT = qw(ok use_ok require_ok
26 is isnt like unlike is_deeply
27 cmp_ok
28 skip todo todo_skip
29 pass fail
30 eq_array eq_hash eq_set
31 $TODO
32 plan
33 done_testing
34 can_ok isa_ok new_ok
35 diag note explain
36 BAIL_OUT
37);
38
39=head1 NAME
40
41Test::More - yet another framework for writing test scripts
42
43=head1 SYNOPSIS
44
45 use Test::More tests => 23;
46 # or
47 use Test::More skip_all => $reason;
48 # or
49 use Test::More; # see done_testing()
50
51 BEGIN { use_ok( 'Some::Module' ); }
52 require_ok( 'Some::Module' );
53
54 # Various ways to say "ok"
55 ok($got eq $expected, $test_name);
56
57 is ($got, $expected, $test_name);
58 isnt($got, $expected, $test_name);
59
60 # Rather than print STDERR "# here's what went wrong\n"
61 diag("here's what went wrong");
62
63 like ($got, qr/expected/, $test_name);
64 unlike($got, qr/expected/, $test_name);
65
66 cmp_ok($got, '==', $expected, $test_name);
67
68 is_deeply($got_complex_structure, $expected_complex_structure, $test_name);
69
70 SKIP: {
71 skip $why, $how_many unless $have_some_feature;
72
73 ok( foo(), $test_name );
74 is( foo(42), 23, $test_name );
75 };
76
77 TODO: {
78 local $TODO = $why;
79
80 ok( foo(), $test_name );
81 is( foo(42), 23, $test_name );
82 };
83
84 can_ok($module, @methods);
85 isa_ok($object, $class);
86
87 pass($test_name);
88 fail($test_name);
89
90 BAIL_OUT($why);
91
92 # UNIMPLEMENTED!!!
93 my @status = Test::More::status;
94
95
96=head1 DESCRIPTION
97
98B<STOP!> If you're just getting started writing tests, have a look at
99L<Test::Simple> first. This is a drop in replacement for Test::Simple
100which you can switch to once you get the hang of basic testing.
101
102The purpose of this module is to provide a wide range of testing
103utilities. Various ways to say "ok" with better diagnostics,
104facilities to skip tests, test future features and compare complicated
105data structures. While you can do almost anything with a simple
106C<ok()> function, it doesn't provide good diagnostic output.
107
108
109=head2 I love it when a plan comes together
110
111Before anything else, you need a testing plan. This basically declares
112how many tests your script is going to run to protect against premature
113failure.
114
115The preferred way to do this is to declare a plan when you C<use Test::More>.
116
117 use Test::More tests => 23;
118
119There are cases when you will not know beforehand how many tests your
120script is going to run. In this case, you can declare your tests at
121the end.
122
123 use Test::More;
124
125 ... run your tests ...
126
127 done_testing( $number_of_tests_run );
128
129Sometimes you really don't know how many tests were run, or it's too
130difficult to calculate. In which case you can leave off
131$number_of_tests_run.
132
133In some cases, you'll want to completely skip an entire testing script.
134
135 use Test::More skip_all => $skip_reason;
136
137Your script will declare a skip with the reason why you skipped and
138exit immediately with a zero (success). See L<Test::Harness> for
139details.
140
141If you want to control what functions Test::More will export, you
142have to use the 'import' option. For example, to import everything
143but 'fail', you'd do:
144
145 use Test::More tests => 23, import => ['!fail'];
146
147Alternatively, you can use the plan() function. Useful for when you
148have to calculate the number of tests.
149
150 use Test::More;
151 plan tests => keys %Stuff * 3;
152
153or for deciding between running the tests at all:
154
155 use Test::More;
156 if( $^O eq 'MacOS' ) {
157 plan skip_all => 'Test irrelevant on MacOS';
158 }
159 else {
160 plan tests => 42;
161 }
162
163=cut
164
165sub plan {
166 my $tb = Test::More->builder;
167
168 return $tb->plan(@_);
169}
170
171# This implements "use Test::More 'no_diag'" but the behavior is
172# deprecated.
173sub import_extra {
174 my $class = shift;
175 my $list = shift;
176
177 my @other = ();
178 my $idx = 0;
179 while( $idx <= $#{$list} ) {
180 my $item = $list->[$idx];
181
182 if( defined $item and $item eq 'no_diag' ) {
183 $class->builder->no_diag(1);
184 }
185 else {
186 push @other, $item;
187 }
188
189 $idx++;
190 }
191
192 @$list = @other;
193
194 return;
195}
196
197=over 4
198
199=item B<done_testing>
200
201 done_testing();
202 done_testing($number_of_tests);
203
204If you don't know how many tests you're going to run, you can issue
205the plan when you're done running tests.
206
207$number_of_tests is the same as plan(), it's the number of tests you
208expected to run. You can omit this, in which case the number of tests
209you ran doesn't matter, just the fact that your tests ran to
210conclusion.
211
212This is safer than and replaces the "no_plan" plan.
213
214=back
215
216=cut
217
218sub done_testing {
219 my $tb = Test::More->builder;
220 $tb->done_testing(@_);
221}
222
223=head2 Test names
224
225By convention, each test is assigned a number in order. This is
226largely done automatically for you. However, it's often very useful to
227assign a name to each test. Which would you rather see:
228
229 ok 4
230 not ok 5
231 ok 6
232
233or
234
235 ok 4 - basic multi-variable
236 not ok 5 - simple exponential
237 ok 6 - force == mass * acceleration
238
239The later gives you some idea of what failed. It also makes it easier
240to find the test in your script, simply search for "simple
241exponential".
242
243All test functions take a name argument. It's optional, but highly
244suggested that you use it.
245
246
247=head2 I'm ok, you're not ok.
248
249The basic purpose of this module is to print out either "ok #" or "not
250ok #" depending on if a given test succeeded or failed. Everything
251else is just gravy.
252
253All of the following print "ok" or "not ok" depending on if the test
254succeeded or failed. They all also return true or false,
255respectively.
256
257=over 4
258
259=item B<ok>
260
261 ok($got eq $expected, $test_name);
262
263This simply evaluates any expression (C<$got eq $expected> is just a
264simple example) and uses that to determine if the test succeeded or
265failed. A true expression passes, a false one fails. Very simple.
266
267For example:
268
269 ok( $exp{9} == 81, 'simple exponential' );
270 ok( Film->can('db_Main'), 'set_db()' );
271 ok( $p->tests == 4, 'saw tests' );
272 ok( !grep !defined $_, @items, 'items populated' );
273
274(Mnemonic: "This is ok.")
275
276$test_name is a very short description of the test that will be printed
277out. It makes it very easy to find a test in your script when it fails
278and gives others an idea of your intentions. $test_name is optional,
279but we B<very> strongly encourage its use.
280
281Should an ok() fail, it will produce some diagnostics:
282
283 not ok 18 - sufficient mucus
284 # Failed test 'sufficient mucus'
285 # in foo.t at line 42.
286
287This is the same as Test::Simple's ok() routine.
288
289=cut
290
291sub ok ($;$) {
292 my( $test, $name ) = @_;
293 my $tb = Test::More->builder;
294
295 return $tb->ok( $test, $name );
296}
297
298=item B<is>
299
300=item B<isnt>
301
302 is ( $got, $expected, $test_name );
303 isnt( $got, $expected, $test_name );
304
305Similar to ok(), is() and isnt() compare their two arguments
306with C<eq> and C<ne> respectively and use the result of that to
307determine if the test succeeded or failed. So these:
308
309 # Is the ultimate answer 42?
310 is( ultimate_answer(), 42, "Meaning of Life" );
311
312 # $foo isn't empty
313 isnt( $foo, '', "Got some foo" );
314
315are similar to these:
316
317 ok( ultimate_answer() eq 42, "Meaning of Life" );
318 ok( $foo ne '', "Got some foo" );
319
320(Mnemonic: "This is that." "This isn't that.")
321
322So why use these? They produce better diagnostics on failure. ok()
323cannot know what you are testing for (beyond the name), but is() and
324isnt() know what the test was and why it failed. For example this
325test:
326
327 my $foo = 'waffle'; my $bar = 'yarblokos';
328 is( $foo, $bar, 'Is foo the same as bar?' );
329
330Will produce something like this:
331
332 not ok 17 - Is foo the same as bar?
333 # Failed test 'Is foo the same as bar?'
334 # in foo.t at line 139.
335 # got: 'waffle'
336 # expected: 'yarblokos'
337
338So you can figure out what went wrong without rerunning the test.
339
340You are encouraged to use is() and isnt() over ok() where possible,
341however do not be tempted to use them to find out if something is
342true or false!
343
344 # XXX BAD!
345 is( exists $brooklyn{tree}, 1, 'A tree grows in Brooklyn' );
346
347This does not check if C<exists $brooklyn{tree}> is true, it checks if
348it returns 1. Very different. Similar caveats exist for false and 0.
349In these cases, use ok().
350
351 ok( exists $brooklyn{tree}, 'A tree grows in Brooklyn' );
352
353A simple call to isnt() usually does not provide a strong test but there
354are cases when you cannot say much more about a value than that it is
355different from some other value:
356
357 new_ok $obj, "Foo";
358
359 my $clone = $obj->clone;
360 isa_ok $obj, "Foo", "Foo->clone";
361
362 isnt $obj, $clone, "clone() produces a different object";
363
364For those grammatical pedants out there, there's an C<isn't()>
365function which is an alias of isnt().
366
367=cut
368
369sub is ($$;$) {
370 my $tb = Test::More->builder;
371
372 return $tb->is_eq(@_);
373}
374
375sub isnt ($$;$) {
376 my $tb = Test::More->builder;
377
378 return $tb->isnt_eq(@_);
379}
380
381*isn't = \&isnt;
382
383=item B<like>
384
385 like( $got, qr/expected/, $test_name );
386
387Similar to ok(), like() matches $got against the regex C<qr/expected/>.
388
389So this:
390
391 like($got, qr/expected/, 'this is like that');
392
393is similar to:
394
395 ok( $got =~ /expected/, 'this is like that');
396
397(Mnemonic "This is like that".)
398
399The second argument is a regular expression. It may be given as a
400regex reference (i.e. C<qr//>) or (for better compatibility with older
401perls) as a string that looks like a regex (alternative delimiters are
402currently not supported):
403
404 like( $got, '/expected/', 'this is like that' );
405
406Regex options may be placed on the end (C<'/expected/i'>).
407
408Its advantages over ok() are similar to that of is() and isnt(). Better
409diagnostics on failure.
410
411=cut
412
413sub like ($$;$) {
414 my $tb = Test::More->builder;
415
416 return $tb->like(@_);
417}
418
419=item B<unlike>
420
421 unlike( $got, qr/expected/, $test_name );
422
423Works exactly as like(), only it checks if $got B<does not> match the
424given pattern.
425
426=cut
427
428sub unlike ($$;$) {
429 my $tb = Test::More->builder;
430
431 return $tb->unlike(@_);
432}
433
434=item B<cmp_ok>
435
436 cmp_ok( $got, $op, $expected, $test_name );
437
438Halfway between ok() and is() lies cmp_ok(). This allows you to
439compare two arguments using any binary perl operator.
440
441 # ok( $got eq $expected );
442 cmp_ok( $got, 'eq', $expected, 'this eq that' );
443
444 # ok( $got == $expected );
445 cmp_ok( $got, '==', $expected, 'this == that' );
446
447 # ok( $got && $expected );
448 cmp_ok( $got, '&&', $expected, 'this && that' );
449 ...etc...
450
451Its advantage over ok() is when the test fails you'll know what $got
452and $expected were:
453
454 not ok 1
455 # Failed test in foo.t at line 12.
456 # '23'
457 # &&
458 # undef
459
460It's also useful in those cases where you are comparing numbers and
461is()'s use of C<eq> will interfere:
462
463 cmp_ok( $big_hairy_number, '==', $another_big_hairy_number );
464
465It's especially useful when comparing greater-than or smaller-than
466relation between values:
467
468 cmp_ok( $some_value, '<=', $upper_limit );
469
470
471=cut
472
473sub cmp_ok($$$;$) {
474 my $tb = Test::More->builder;
475
476 return $tb->cmp_ok(@_);
477}
478
479=item B<can_ok>
480
481 can_ok($module, @methods);
482 can_ok($object, @methods);
483
484Checks to make sure the $module or $object can do these @methods
485(works with functions, too).
486
487 can_ok('Foo', qw(this that whatever));
488
489is almost exactly like saying:
490
491 ok( Foo->can('this') &&
492 Foo->can('that') &&
493 Foo->can('whatever')
494 );
495
496only without all the typing and with a better interface. Handy for
497quickly testing an interface.
498
499No matter how many @methods you check, a single can_ok() call counts
500as one test. If you desire otherwise, use:
501
502 foreach my $meth (@methods) {
503 can_ok('Foo', $meth);
504 }
505
506=cut
507
508sub can_ok ($@) {
509 my( $proto, @methods ) = @_;
510 my $class = ref $proto || $proto;
511 my $tb = Test::More->builder;
512
513 unless($class) {
514 my $ok = $tb->ok( 0, "->can(...)" );
515 $tb->diag(' can_ok() called with empty class or reference');
516 return $ok;
517 }
518
519 unless(@methods) {
520 my $ok = $tb->ok( 0, "$class->can(...)" );
521 $tb->diag(' can_ok() called with no methods');
522 return $ok;
523 }
524
525 my @nok = ();
526 foreach my $method (@methods) {
527 $tb->_try( sub { $proto->can($method) } ) or push @nok, $method;
528 }
529
530 my $name = (@methods == 1) ? "$class->can('$methods[0]')" :
531 "$class->can(...)" ;
532
533 my $ok = $tb->ok( !@nok, $name );
534
535 $tb->diag( map " $class->can('$_') failed\n", @nok );
536
537 return $ok;
538}
539
540=item B<isa_ok>
541
542 isa_ok($object, $class, $object_name);
543 isa_ok($subclass, $class, $object_name);
544 isa_ok($ref, $type, $ref_name);
545
546Checks to see if the given C<< $object->isa($class) >>. Also checks to make
547sure the object was defined in the first place. Handy for this sort
548of thing:
549
550 my $obj = Some::Module->new;
551 isa_ok( $obj, 'Some::Module' );
552
553where you'd otherwise have to write
554
555 my $obj = Some::Module->new;
556 ok( defined $obj && $obj->isa('Some::Module') );
557
558to safeguard against your test script blowing up.
559
560You can also test a class, to make sure that it has the right ancestor:
561
562 isa_ok( 'Vole', 'Rodent' );
563
564It works on references, too:
565
566 isa_ok( $array_ref, 'ARRAY' );
567
568The diagnostics of this test normally just refer to 'the object'. If
569you'd like them to be more specific, you can supply an $object_name
570(for example 'Test customer').
571
572=cut
573
574sub isa_ok ($$;$) {
575 my( $object, $class, $obj_name ) = @_;
576 my $tb = Test::More->builder;
577
578 my $diag;
579
580 if( !defined $object ) {
581 $obj_name = 'The thing' unless defined $obj_name;
582 $diag = "$obj_name isn't defined";
583 }
584 else {
585 my $whatami = ref $object ? 'object' : 'class';
586 # We can't use UNIVERSAL::isa because we want to honor isa() overrides
587 my( $rslt, $error ) = $tb->_try( sub { $object->isa($class) } );
588 if($error) {
589 if( $error =~ /^Can't call method "isa" on unblessed reference/ ) {
590 # Its an unblessed reference
591 $obj_name = 'The reference' unless defined $obj_name;
592 if( !UNIVERSAL::isa( $object, $class ) ) {
593 my $ref = ref $object;
594 $diag = "$obj_name isn't a '$class' it's a '$ref'";
595 }
596 }
597 elsif( $error =~ /Can't call method "isa" without a package/ ) {
598 # It's something that can't even be a class
599 $diag = "$obj_name isn't a class or reference";
600 }
601 else {
602 die <<WHOA;
603WHOA! I tried to call ->isa on your $whatami and got some weird error.
604Here's the error.
605$error
606WHOA
607 }
608 }
609 else {
610 $obj_name = "The $whatami" unless defined $obj_name;
611 if( !$rslt ) {
612 my $ref = ref $object;
613 $diag = "$obj_name isn't a '$class' it's a '$ref'";
614 }
615 }
616 }
617
618 my $name = "$obj_name isa $class";
619 my $ok;
620 if($diag) {
621 $ok = $tb->ok( 0, $name );
622 $tb->diag(" $diag\n");
623 }
624 else {
625 $ok = $tb->ok( 1, $name );
626 }
627
628 return $ok;
629}
630
631=item B<new_ok>
632
633 my $obj = new_ok( $class );
634 my $obj = new_ok( $class => \@args );
635 my $obj = new_ok( $class => \@args, $object_name );
636
637A convenience function which combines creating an object and calling
638isa_ok() on that object.
639
640It is basically equivalent to:
641
642 my $obj = $class->new(@args);
643 isa_ok $obj, $class, $object_name;
644
645If @args is not given, an empty list will be used.
646
647This function only works on new() and it assumes new() will return
648just a single object which isa C<$class>.
649
650=cut
651
652sub new_ok {
653 my $tb = Test::More->builder;
654 $tb->croak("new_ok() must be given at least a class") unless @_;
655
656 my( $class, $args, $object_name ) = @_;
657
658 $args ||= [];
659 $object_name = "The object" unless defined $object_name;
660
661 my $obj;
662 my( $success, $error ) = $tb->_try( sub { $obj = $class->new(@$args); 1 } );
663 if($success) {
664 local $Test::Builder::Level = $Test::Builder::Level + 1;
665 isa_ok $obj, $class, $object_name;
666 }
667 else {
668 $tb->ok( 0, "new() died" );
669 $tb->diag(" Error was: $error");
670 }
671
672 return $obj;
673}
674
675=item B<pass>
676
677=item B<fail>
678
679 pass($test_name);
680 fail($test_name);
681
682Sometimes you just want to say that the tests have passed. Usually
683the case is you've got some complicated condition that is difficult to
684wedge into an ok(). In this case, you can simply use pass() (to
685declare the test ok) or fail (for not ok). They are synonyms for
686ok(1) and ok(0).
687
688Use these very, very, very sparingly.
689
690=cut
691
692sub pass (;$) {
693 my $tb = Test::More->builder;
694
695 return $tb->ok( 1, @_ );
696}
697
698sub fail (;$) {
699 my $tb = Test::More->builder;
700
701 return $tb->ok( 0, @_ );
702}
703
704=back
705
706
707=head2 Module tests
708
709You usually want to test if the module you're testing loads ok, rather
710than just vomiting if its load fails. For such purposes we have
711C<use_ok> and C<require_ok>.
712
713=over 4
714
715=item B<use_ok>
716
717 BEGIN { use_ok($module); }
718 BEGIN { use_ok($module, @imports); }
719
720These simply use the given $module and test to make sure the load
721happened ok. It's recommended that you run use_ok() inside a BEGIN
722block so its functions are exported at compile-time and prototypes are
723properly honored.
724
725If @imports are given, they are passed through to the use. So this:
726
727 BEGIN { use_ok('Some::Module', qw(foo bar)) }
728
729is like doing this:
730
731 use Some::Module qw(foo bar);
732
733Version numbers can be checked like so:
734
735 # Just like "use Some::Module 1.02"
736 BEGIN { use_ok('Some::Module', 1.02) }
737
738Don't try to do this:
739
740 BEGIN {
741 use_ok('Some::Module');
742
743 ...some code that depends on the use...
744 ...happening at compile time...
745 }
746
747because the notion of "compile-time" is relative. Instead, you want:
748
749 BEGIN { use_ok('Some::Module') }
750 BEGIN { ...some code that depends on the use... }
751
752
753=cut
754
755sub use_ok ($;@) {
756 my( $module, @imports ) = @_;
757 @imports = () unless @imports;
758 my $tb = Test::More->builder;
759
760 my( $pack, $filename, $line ) = caller;
761
762 my $code;
763 if( @imports == 1 and $imports[0] =~ /^\d+(?:\.\d+)?$/ ) {
764 # probably a version check. Perl needs to see the bare number
765 # for it to work with non-Exporter based modules.
766 $code = <<USE;
767package $pack;
768use $module $imports[0];
7691;
770USE
771 }
772 else {
773 $code = <<USE;
774package $pack;
775use $module \@{\$args[0]};
7761;
777USE
778 }
779
780 my( $eval_result, $eval_error ) = _eval( $code, \@imports );
781 my $ok = $tb->ok( $eval_result, "use $module;" );
782
783 unless($ok) {
784 chomp $eval_error;
785 $@ =~ s{^BEGIN failed--compilation aborted at .*$}
786 {BEGIN failed--compilation aborted at $filename line $line.}m;
787 $tb->diag(<<DIAGNOSTIC);
788 Tried to use '$module'.
789 Error: $eval_error
790DIAGNOSTIC
791
792 }
793
794 return $ok;
795}
796
797sub _eval {
798 my( $code, @args ) = @_;
799
800 # Work around oddities surrounding resetting of $@ by immediately
801 # storing it.
802 my( $sigdie, $eval_result, $eval_error );
803 {
804 local( $@, $!, $SIG{__DIE__} ); # isolate eval
805 $eval_result = eval $code; ## no critic (BuiltinFunctions::ProhibitStringyEval)
806 $eval_error = $@;
807 $sigdie = $SIG{__DIE__} || undef;
808 }
809 # make sure that $code got a chance to set $SIG{__DIE__}
810 $SIG{__DIE__} = $sigdie if defined $sigdie;
811
812 return( $eval_result, $eval_error );
813}
814
815=item B<require_ok>
816
817 require_ok($module);
818 require_ok($file);
819
820Like use_ok(), except it requires the $module or $file.
821
822=cut
823
824sub require_ok ($) {
825 my($module) = shift;
826 my $tb = Test::More->builder;
827
828 my $pack = caller;
829
830 # Try to deterine if we've been given a module name or file.
831 # Module names must be barewords, files not.
832 $module = qq['$module'] unless _is_module_name($module);
833
834 my $code = <<REQUIRE;
835package $pack;
836require $module;
8371;
838REQUIRE
839
840 my( $eval_result, $eval_error ) = _eval($code);
841 my $ok = $tb->ok( $eval_result, "require $module;" );
842
843 unless($ok) {
844 chomp $eval_error;
845 $tb->diag(<<DIAGNOSTIC);
846 Tried to require '$module'.
847 Error: $eval_error
848DIAGNOSTIC
849
850 }
851
852 return $ok;
853}
854
855sub _is_module_name {
856 my $module = shift;
857
858 # Module names start with a letter.
859 # End with an alphanumeric.
860 # The rest is an alphanumeric or ::
861 $module =~ s/\b::\b//g;
862
863 return $module =~ /^[a-zA-Z]\w*$/ ? 1 : 0;
864}
865
866=back
867
868
869=head2 Complex data structures
870
871Not everything is a simple eq check or regex. There are times you
872need to see if two data structures are equivalent. For these
873instances Test::More provides a handful of useful functions.
874
875B<NOTE> I'm not quite sure what will happen with filehandles.
876
877=over 4
878
879=item B<is_deeply>
880
881 is_deeply( $got, $expected, $test_name );
882
883Similar to is(), except that if $got and $expected are references, it
884does a deep comparison walking each data structure to see if they are
885equivalent. If the two structures are different, it will display the
886place where they start differing.
887
888is_deeply() compares the dereferenced values of references, the
889references themselves (except for their type) are ignored. This means
890aspects such as blessing and ties are not considered "different".
891
892is_deeply() currently has very limited handling of function reference
893and globs. It merely checks if they have the same referent. This may
894improve in the future.
895
896L<Test::Differences> and L<Test::Deep> provide more in-depth functionality
897along these lines.
898
899=cut
900
901our( @Data_Stack, %Refs_Seen );
902my $DNE = bless [], 'Does::Not::Exist';
903
904sub _dne {
905 return ref $_[0] eq ref $DNE;
906}
907
908## no critic (Subroutines::RequireArgUnpacking)
909sub is_deeply {
910 my $tb = Test::More->builder;
911
912 unless( @_ == 2 or @_ == 3 ) {
913 my $msg = <<'WARNING';
914is_deeply() takes two or three args, you gave %d.
915This usually means you passed an array or hash instead
916of a reference to it
917WARNING
918 chop $msg; # clip off newline so carp() will put in line/file
919
920 _carp sprintf $msg, scalar @_;
921
922 return $tb->ok(0);
923 }
924
925 my( $got, $expected, $name ) = @_;
926
927 $tb->_unoverload_str( \$expected, \$got );
928
929 my $ok;
930 if( !ref $got and !ref $expected ) { # neither is a reference
931 $ok = $tb->is_eq( $got, $expected, $name );
932 }
933 elsif( !ref $got xor !ref $expected ) { # one's a reference, one isn't
934 $ok = $tb->ok( 0, $name );
935 $tb->diag( _format_stack({ vals => [ $got, $expected ] }) );
936 }
937 else { # both references
938 local @Data_Stack = ();
939 if( _deep_check( $got, $expected ) ) {
940 $ok = $tb->ok( 1, $name );
941 }
942 else {
943 $ok = $tb->ok( 0, $name );
944 $tb->diag( _format_stack(@Data_Stack) );
945 }
946 }
947
948 return $ok;
949}
950
951sub _format_stack {
952 my(@Stack) = @_;
953
954 my $var = '$FOO';
955 my $did_arrow = 0;
956 foreach my $entry (@Stack) {
957 my $type = $entry->{type} || '';
958 my $idx = $entry->{'idx'};
959 if( $type eq 'HASH' ) {
960 $var .= "->" unless $did_arrow++;
961 $var .= "{$idx}";
962 }
963 elsif( $type eq 'ARRAY' ) {
964 $var .= "->" unless $did_arrow++;
965 $var .= "[$idx]";
966 }
967 elsif( $type eq 'REF' ) {
968 $var = "\${$var}";
969 }
970 }
971
972 my @vals = @{ $Stack[-1]{vals} }[ 0, 1 ];
973 my @vars = ();
974 ( $vars[0] = $var ) =~ s/\$FOO/ \$got/;
975 ( $vars[1] = $var ) =~ s/\$FOO/\$expected/;
976
977 my $out = "Structures begin differing at:\n";
978 foreach my $idx ( 0 .. $#vals ) {
979 my $val = $vals[$idx];
980 $vals[$idx]
981 = !defined $val ? 'undef'
982 : _dne($val) ? "Does not exist"
983 : ref $val ? "$val"
984 : "'$val'";
985 }
986
987 $out .= "$vars[0] = $vals[0]\n";
988 $out .= "$vars[1] = $vals[1]\n";
989
990 $out =~ s/^/ /msg;
991 return $out;
992}
993
994sub _type {
995 my $thing = shift;
996
997 return '' if !ref $thing;
998
999 for my $type (qw(ARRAY HASH REF SCALAR GLOB CODE Regexp)) {
1000 return $type if UNIVERSAL::isa( $thing, $type );
1001 }
1002
1003 return '';
1004}
1005
1006=back
1007
1008
1009=head2 Diagnostics
1010
1011If you pick the right test function, you'll usually get a good idea of
1012what went wrong when it failed. But sometimes it doesn't work out
1013that way. So here we have ways for you to write your own diagnostic
1014messages which are safer than just C<print STDERR>.
1015
1016=over 4
1017
1018=item B<diag>
1019
1020 diag(@diagnostic_message);
1021
1022Prints a diagnostic message which is guaranteed not to interfere with
1023test output. Like C<print> @diagnostic_message is simply concatenated
1024together.
1025
1026Returns false, so as to preserve failure.
1027
1028Handy for this sort of thing:
1029
1030 ok( grep(/foo/, @users), "There's a foo user" ) or
1031 diag("Since there's no foo, check that /etc/bar is set up right");
1032
1033which would produce:
1034
1035 not ok 42 - There's a foo user
1036 # Failed test 'There's a foo user'
1037 # in foo.t at line 52.
1038 # Since there's no foo, check that /etc/bar is set up right.
1039
1040You might remember C<ok() or diag()> with the mnemonic C<open() or
1041die()>.
1042
1043B<NOTE> The exact formatting of the diagnostic output is still
1044changing, but it is guaranteed that whatever you throw at it it won't
1045interfere with the test.
1046
1047=item B<note>
1048
1049 note(@diagnostic_message);
1050
1051Like diag(), except the message will not be seen when the test is run
1052in a harness. It will only be visible in the verbose TAP stream.
1053
1054Handy for putting in notes which might be useful for debugging, but
1055don't indicate a problem.
1056
1057 note("Tempfile is $tempfile");
1058
1059=cut
1060
1061sub diag {
1062 return Test::More->builder->diag(@_);
1063}
1064
1065sub note {
1066 return Test::More->builder->note(@_);
1067}
1068
1069=item B<explain>
1070
1071 my @dump = explain @diagnostic_message;
1072
1073Will dump the contents of any references in a human readable format.
1074Usually you want to pass this into C<note> or C<diag>.
1075
1076Handy for things like...
1077
1078 is_deeply($have, $want) || diag explain $have;
1079
1080or
1081
1082 note explain \%args;
1083 Some::Class->method(%args);
1084
1085=cut
1086
1087sub explain {
1088 return Test::More->builder->explain(@_);
1089}
1090
1091=back
1092
1093
1094=head2 Conditional tests
1095
1096Sometimes running a test under certain conditions will cause the
1097test script to die. A certain function or method isn't implemented
1098(such as fork() on MacOS), some resource isn't available (like a
1099net connection) or a module isn't available. In these cases it's
1100necessary to skip tests, or declare that they are supposed to fail
1101but will work in the future (a todo test).
1102
1103For more details on the mechanics of skip and todo tests see
1104L<Test::Harness>.
1105
1106The way Test::More handles this is with a named block. Basically, a
1107block of tests which can be skipped over or made todo. It's best if I
1108just show you...
1109
1110=over 4
1111
1112=item B<SKIP: BLOCK>
1113
1114 SKIP: {
1115 skip $why, $how_many if $condition;
1116
1117 ...normal testing code goes here...
1118 }
1119
1120This declares a block of tests that might be skipped, $how_many tests
1121there are, $why and under what $condition to skip them. An example is
1122the easiest way to illustrate:
1123
1124 SKIP: {
1125 eval { require HTML::Lint };
1126
1127 skip "HTML::Lint not installed", 2 if $@;
1128
1129 my $lint = new HTML::Lint;
1130 isa_ok( $lint, "HTML::Lint" );
1131
1132 $lint->parse( $html );
1133 is( $lint->errors, 0, "No errors found in HTML" );
1134 }
1135
1136If the user does not have HTML::Lint installed, the whole block of
1137code I<won't be run at all>. Test::More will output special ok's
1138which Test::Harness interprets as skipped, but passing, tests.
1139
1140It's important that $how_many accurately reflects the number of tests
1141in the SKIP block so the # of tests run will match up with your plan.
1142If your plan is C<no_plan> $how_many is optional and will default to 1.
1143
1144It's perfectly safe to nest SKIP blocks. Each SKIP block must have
1145the label C<SKIP>, or Test::More can't work its magic.
1146
1147You don't skip tests which are failing because there's a bug in your
1148program, or for which you don't yet have code written. For that you
1149use TODO. Read on.
1150
1151=cut
1152
1153## no critic (Subroutines::RequireFinalReturn)
1154sub skip {
1155 my( $why, $how_many ) = @_;
1156 my $tb = Test::More->builder;
1157
1158 unless( defined $how_many ) {
1159 # $how_many can only be avoided when no_plan is in use.
1160 _carp "skip() needs to know \$how_many tests are in the block"
1161 unless $tb->has_plan eq 'no_plan';
1162 $how_many = 1;
1163 }
1164
1165 if( defined $how_many and $how_many =~ /\D/ ) {
1166 _carp
1167 "skip() was passed a non-numeric number of tests. Did you get the arguments backwards?";
1168 $how_many = 1;
1169 }
1170
1171 for( 1 .. $how_many ) {
1172 $tb->skip($why);
1173 }
1174
1175 no warnings 'exiting';
1176 last SKIP;
1177}
1178
1179=item B<TODO: BLOCK>
1180
1181 TODO: {
1182 local $TODO = $why if $condition;
1183
1184 ...normal testing code goes here...
1185 }
1186
1187Declares a block of tests you expect to fail and $why. Perhaps it's
1188because you haven't fixed a bug or haven't finished a new feature:
1189
1190 TODO: {
1191 local $TODO = "URI::Geller not finished";
1192
1193 my $card = "Eight of clubs";
1194 is( URI::Geller->your_card, $card, 'Is THIS your card?' );
1195
1196 my $spoon;
1197 URI::Geller->bend_spoon;
1198 is( $spoon, 'bent', "Spoon bending, that's original" );
1199 }
1200
1201With a todo block, the tests inside are expected to fail. Test::More
1202will run the tests normally, but print out special flags indicating
1203they are "todo". Test::Harness will interpret failures as being ok.
1204Should anything succeed, it will report it as an unexpected success.
1205You then know the thing you had todo is done and can remove the
1206TODO flag.
1207
1208The nice part about todo tests, as opposed to simply commenting out a
1209block of tests, is it's like having a programmatic todo list. You know
1210how much work is left to be done, you're aware of what bugs there are,
1211and you'll know immediately when they're fixed.
1212
1213Once a todo test starts succeeding, simply move it outside the block.
1214When the block is empty, delete it.
1215
1216B<NOTE>: TODO tests require a Test::Harness upgrade else it will
1217treat it as a normal failure. See L<CAVEATS and NOTES>).
1218
1219
1220=item B<todo_skip>
1221
1222 TODO: {
1223 todo_skip $why, $how_many if $condition;
1224
1225 ...normal testing code...
1226 }
1227
1228With todo tests, it's best to have the tests actually run. That way
1229you'll know when they start passing. Sometimes this isn't possible.
1230Often a failing test will cause the whole program to die or hang, even
1231inside an C<eval BLOCK> with and using C<alarm>. In these extreme
1232cases you have no choice but to skip over the broken tests entirely.
1233
1234The syntax and behavior is similar to a C<SKIP: BLOCK> except the
1235tests will be marked as failing but todo. Test::Harness will
1236interpret them as passing.
1237
1238=cut
1239
1240sub todo_skip {
1241 my( $why, $how_many ) = @_;
1242 my $tb = Test::More->builder;
1243
1244 unless( defined $how_many ) {
1245 # $how_many can only be avoided when no_plan is in use.
1246 _carp "todo_skip() needs to know \$how_many tests are in the block"
1247 unless $tb->has_plan eq 'no_plan';
1248 $how_many = 1;
1249 }
1250
1251 for( 1 .. $how_many ) {
1252 $tb->todo_skip($why);
1253 }
1254
1255 no warnings 'exiting';
1256 last TODO;
1257}
1258
1259=item When do I use SKIP vs. TODO?
1260
1261B<If it's something the user might not be able to do>, use SKIP.
1262This includes optional modules that aren't installed, running under
1263an OS that doesn't have some feature (like fork() or symlinks), or maybe
1264you need an Internet connection and one isn't available.
1265
1266B<If it's something the programmer hasn't done yet>, use TODO. This
1267is for any code you haven't written yet, or bugs you have yet to fix,
1268but want to put tests in your testing script (always a good idea).
1269
1270
1271=back
1272
1273
1274=head2 Test control
1275
1276=over 4
1277
1278=item B<BAIL_OUT>
1279
1280 BAIL_OUT($reason);
1281
1282Indicates to the harness that things are going so badly all testing
1283should terminate. This includes the running any additional test scripts.
1284
1285This is typically used when testing cannot continue such as a critical
1286module failing to compile or a necessary external utility not being
1287available such as a database connection failing.
1288
1289The test will exit with 255.
1290
1291For even better control look at L<Test::Most>.
1292
1293=cut
1294
1295sub BAIL_OUT {
1296 my $reason = shift;
1297 my $tb = Test::More->builder;
1298
1299 $tb->BAIL_OUT($reason);
1300}
1301
1302=back
1303
1304
1305=head2 Discouraged comparison functions
1306
1307The use of the following functions is discouraged as they are not
1308actually testing functions and produce no diagnostics to help figure
1309out what went wrong. They were written before is_deeply() existed
1310because I couldn't figure out how to display a useful diff of two
1311arbitrary data structures.
1312
1313These functions are usually used inside an ok().
1314
1315 ok( eq_array(\@got, \@expected) );
1316
1317C<is_deeply()> can do that better and with diagnostics.
1318
1319 is_deeply( \@got, \@expected );
1320
1321They may be deprecated in future versions.
1322
1323=over 4
1324
1325=item B<eq_array>
1326
1327 my $is_eq = eq_array(\@got, \@expected);
1328
1329Checks if two arrays are equivalent. This is a deep check, so
1330multi-level structures are handled correctly.
1331
1332=cut
1333
1334#'#
1335sub eq_array {
1336 local @Data_Stack = ();
1337 _deep_check(@_);
1338}
1339
1340sub _eq_array {
1341 my( $a1, $a2 ) = @_;
1342
1343 if( grep _type($_) ne 'ARRAY', $a1, $a2 ) {
1344 warn "eq_array passed a non-array ref";
1345 return 0;
1346 }
1347
1348 return 1 if $a1 eq $a2;
1349
1350 my $ok = 1;
1351 my $max = $#$a1 > $#$a2 ? $#$a1 : $#$a2;
1352 for( 0 .. $max ) {
1353 my $e1 = $_ > $#$a1 ? $DNE : $a1->[$_];
1354 my $e2 = $_ > $#$a2 ? $DNE : $a2->[$_];
1355
1356 push @Data_Stack, { type => 'ARRAY', idx => $_, vals => [ $e1, $e2 ] };
1357 $ok = _deep_check( $e1, $e2 );
1358 pop @Data_Stack if $ok;
1359
1360 last unless $ok;
1361 }
1362
1363 return $ok;
1364}
1365
1366sub _deep_check {
1367 my( $e1, $e2 ) = @_;
1368 my $tb = Test::More->builder;
1369
1370 my $ok = 0;
1371
1372 # Effectively turn %Refs_Seen into a stack. This avoids picking up
1373 # the same referenced used twice (such as [\$a, \$a]) to be considered
1374 # circular.
1375 local %Refs_Seen = %Refs_Seen;
1376
1377 {
1378 # Quiet uninitialized value warnings when comparing undefs.
1379 no warnings 'uninitialized';
1380
1381 $tb->_unoverload_str( \$e1, \$e2 );
1382
1383 # Either they're both references or both not.
1384 my $same_ref = !( !ref $e1 xor !ref $e2 );
1385 my $not_ref = ( !ref $e1 and !ref $e2 );
1386
1387 if( defined $e1 xor defined $e2 ) {
1388 $ok = 0;
1389 }
1390 elsif( !defined $e1 and !defined $e2 ) {
1391 # Shortcut if they're both defined.
1392 $ok = 1;
1393 }
1394 elsif( _dne($e1) xor _dne($e2) ) {
1395 $ok = 0;
1396 }
1397 elsif( $same_ref and( $e1 eq $e2 ) ) {
1398 $ok = 1;
1399 }
1400 elsif($not_ref) {
1401 push @Data_Stack, { type => '', vals => [ $e1, $e2 ] };
1402 $ok = 0;
1403 }
1404 else {
1405 if( $Refs_Seen{$e1} ) {
1406 return $Refs_Seen{$e1} eq $e2;
1407 }
1408 else {
1409 $Refs_Seen{$e1} = "$e2";
1410 }
1411
1412 my $type = _type($e1);
1413 $type = 'DIFFERENT' unless _type($e2) eq $type;
1414
1415 if( $type eq 'DIFFERENT' ) {
1416 push @Data_Stack, { type => $type, vals => [ $e1, $e2 ] };
1417 $ok = 0;
1418 }
1419 elsif( $type eq 'ARRAY' ) {
1420 $ok = _eq_array( $e1, $e2 );
1421 }
1422 elsif( $type eq 'HASH' ) {
1423 $ok = _eq_hash( $e1, $e2 );
1424 }
1425 elsif( $type eq 'REF' ) {
1426 push @Data_Stack, { type => $type, vals => [ $e1, $e2 ] };
1427 $ok = _deep_check( $$e1, $$e2 );
1428 pop @Data_Stack if $ok;
1429 }
1430 elsif( $type eq 'SCALAR' ) {
1431 push @Data_Stack, { type => 'REF', vals => [ $e1, $e2 ] };
1432 $ok = _deep_check( $$e1, $$e2 );
1433 pop @Data_Stack if $ok;
1434 }
1435 elsif($type) {
1436 push @Data_Stack, { type => $type, vals => [ $e1, $e2 ] };
1437 $ok = 0;
1438 }
1439 else {
1440 _whoa( 1, "No type in _deep_check" );
1441 }
1442 }
1443 }
1444
1445 return $ok;
1446}
1447
1448sub _whoa {
1449 my( $check, $desc ) = @_;
1450 if($check) {
1451 die <<"WHOA";
1452WHOA! $desc
1453This should never happen! Please contact the author immediately!
1454WHOA
1455 }
1456}
1457
1458=item B<eq_hash>
1459
1460 my $is_eq = eq_hash(\%got, \%expected);
1461
1462Determines if the two hashes contain the same keys and values. This
1463is a deep check.
1464
1465=cut
1466
1467sub eq_hash {
1468 local @Data_Stack = ();
1469 return _deep_check(@_);
1470}
1471
1472sub _eq_hash {
1473 my( $a1, $a2 ) = @_;
1474
1475 if( grep _type($_) ne 'HASH', $a1, $a2 ) {
1476 warn "eq_hash passed a non-hash ref";
1477 return 0;
1478 }
1479
1480 return 1 if $a1 eq $a2;
1481
1482 my $ok = 1;
1483 my $bigger = keys %$a1 > keys %$a2 ? $a1 : $a2;
1484 foreach my $k ( keys %$bigger ) {
1485 my $e1 = exists $a1->{$k} ? $a1->{$k} : $DNE;
1486 my $e2 = exists $a2->{$k} ? $a2->{$k} : $DNE;
1487
1488 push @Data_Stack, { type => 'HASH', idx => $k, vals => [ $e1, $e2 ] };
1489 $ok = _deep_check( $e1, $e2 );
1490 pop @Data_Stack if $ok;
1491
1492 last unless $ok;
1493 }
1494
1495 return $ok;
1496}
1497
1498=item B<eq_set>
1499
1500 my $is_eq = eq_set(\@got, \@expected);
1501
1502Similar to eq_array(), except the order of the elements is B<not>
1503important. This is a deep check, but the irrelevancy of order only
1504applies to the top level.
1505
1506 ok( eq_set(\@got, \@expected) );
1507
1508Is better written:
1509
1510 is_deeply( [sort @got], [sort @expected] );
1511
1512B<NOTE> By historical accident, this is not a true set comparison.
1513While the order of elements does not matter, duplicate elements do.
1514
1515B<NOTE> eq_set() does not know how to deal with references at the top
1516level. The following is an example of a comparison which might not work:
1517
1518 eq_set([\1, \2], [\2, \1]);
1519
1520L<Test::Deep> contains much better set comparison functions.
1521
1522=cut
1523
1524sub eq_set {
1525 my( $a1, $a2 ) = @_;
1526 return 0 unless @$a1 == @$a2;
1527
1528 no warnings 'uninitialized';
1529
1530 # It really doesn't matter how we sort them, as long as both arrays are
1531 # sorted with the same algorithm.
1532 #
1533 # Ensure that references are not accidentally treated the same as a
1534 # string containing the reference.
1535 #
1536 # Have to inline the sort routine due to a threading/sort bug.
1537 # See [rt.cpan.org 6782]
1538 #
1539 # I don't know how references would be sorted so we just don't sort
1540 # them. This means eq_set doesn't really work with refs.
1541 return eq_array(
1542 [ grep( ref, @$a1 ), sort( grep( !ref, @$a1 ) ) ],
1543 [ grep( ref, @$a2 ), sort( grep( !ref, @$a2 ) ) ],
1544 );
1545}
1546
1547=back
1548
1549
1550=head2 Extending and Embedding Test::More
1551
1552Sometimes the Test::More interface isn't quite enough. Fortunately,
1553Test::More is built on top of Test::Builder which provides a single,
1554unified backend for any test library to use. This means two test
1555libraries which both use Test::Builder B<can be used together in the
1556same program>.
1557
1558If you simply want to do a little tweaking of how the tests behave,
1559you can access the underlying Test::Builder object like so:
1560
1561=over 4
1562
1563=item B<builder>
1564
1565 my $test_builder = Test::More->builder;
1566
1567Returns the Test::Builder object underlying Test::More for you to play
1568with.
1569
1570
1571=back
1572
1573
1574=head1 EXIT CODES
1575
1576If all your tests passed, Test::Builder will exit with zero (which is
1577normal). If anything failed it will exit with how many failed. If
1578you run less (or more) tests than you planned, the missing (or extras)
1579will be considered failures. If no tests were ever run Test::Builder
1580will throw a warning and exit with 255. If the test died, even after
1581having successfully completed all its tests, it will still be
1582considered a failure and will exit with 255.
1583
1584So the exit codes are...
1585
1586 0 all tests successful
1587 255 test died or all passed but wrong # of tests run
1588 any other number how many failed (including missing or extras)
1589
1590If you fail more than 254 tests, it will be reported as 254.
1591
1592B<NOTE> This behavior may go away in future versions.
1593
1594
1595=head1 CAVEATS and NOTES
1596
1597=over 4
1598
1599=item Backwards compatibility
1600
1601Test::More works with Perls as old as 5.6.0.
1602
1603
1604=item Overloaded objects
1605
1606String overloaded objects are compared B<as strings> (or in cmp_ok()'s
1607case, strings or numbers as appropriate to the comparison op). This
1608prevents Test::More from piercing an object's interface allowing
1609better blackbox testing. So if a function starts returning overloaded
1610objects instead of bare strings your tests won't notice the
1611difference. This is good.
1612
1613However, it does mean that functions like is_deeply() cannot be used to
1614test the internals of string overloaded objects. In this case I would
1615suggest L<Test::Deep> which contains more flexible testing functions for
1616complex data structures.
1617
1618
1619=item Threads
1620
1621Test::More will only be aware of threads if "use threads" has been done
1622I<before> Test::More is loaded. This is ok:
1623
1624 use threads;
1625 use Test::More;
1626
1627This may cause problems:
1628
1629 use Test::More
1630 use threads;
1631
16325.8.1 and above are supported. Anything below that has too many bugs.
1633
1634
1635=item Test::Harness upgrade
1636
1637no_plan, todo and done_testing() depend on new Test::Harness features
1638and fixes. If you're going to distribute tests that use no_plan or
1639todo your end-users will have to upgrade Test::Harness to the latest
1640one on CPAN. If you avoid no_plan and TODO tests, the stock
1641Test::Harness will work fine.
1642
1643Installing Test::More should also upgrade Test::Harness.
1644
1645=back
1646
1647
1648=head1 HISTORY
1649
1650This is a case of convergent evolution with Joshua Pritikin's Test
1651module. I was largely unaware of its existence when I'd first
1652written my own ok() routines. This module exists because I can't
1653figure out how to easily wedge test names into Test's interface (along
1654with a few other problems).
1655
1656The goal here is to have a testing utility that's simple to learn,
1657quick to use and difficult to trip yourself up with while still
1658providing more flexibility than the existing Test.pm. As such, the
1659names of the most common routines are kept tiny, special cases and
1660magic side-effects are kept to a minimum. WYSIWYG.
1661
1662
1663=head1 SEE ALSO
1664
1665L<Test::Simple> if all this confuses you and you just want to write
1666some tests. You can upgrade to Test::More later (it's forward
1667compatible).
1668
1669L<Test::Harness> is the test runner and output interpreter for Perl.
1670It's the thing that powers C<make test> and where the C<prove> utility
1671comes from.
1672
1673L<Test::Legacy> tests written with Test.pm, the original testing
1674module, do not play well with other testing libraries. Test::Legacy
1675emulates the Test.pm interface and does play well with others.
1676
1677L<Test::Differences> for more ways to test complex data structures.
1678And it plays well with Test::More.
1679
1680L<Test::Class> is like xUnit but more perlish.
1681
1682L<Test::Deep> gives you more powerful complex data structure testing.
1683
1684L<Test::Inline> shows the idea of embedded testing.
1685
1686L<Bundle::Test> installs a whole bunch of useful test modules.
1687
1688
1689=head1 AUTHORS
1690
1691Michael G Schwern E<lt>schwern@pobox.comE<gt> with much inspiration
1692from Joshua Pritikin's Test module and lots of help from Barrie
1693Slaymaker, Tony Bowden, blackstar.co.uk, chromatic, Fergal Daly and
1694the perl-qa gang.
1695
1696
1697=head1 BUGS
1698
1699See F<http://rt.cpan.org> to report and view bugs.
1700
1701
1702=head1 SOURCE
1703
1704The source code repository for Test::More can be found at
1705F<http://github.com/schwern/test-more/>.
1706
1707
1708=head1 COPYRIGHT
1709
1710Copyright 2001-2008 by Michael G Schwern E<lt>schwern@pobox.comE<gt>.
1711
1712This program is free software; you can redistribute it and/or
1713modify it under the same terms as Perl itself.
1714
1715See F<http://www.perl.com/perl/misc/Artistic.html>
1716
1717=cut
1718
17191;