Assert.pm
上传用户:market2
上传日期:2018-11-18
资源大小:18786k
文件大小:15k
源码类别:

外挂编程

开发平台:

Windows_Unix

  1. package Carp::Assert;
  2. require 5.004;
  3. use strict qw(subs vars);
  4. use Exporter;
  5. use vars qw(@ISA $VERSION %EXPORT_TAGS);
  6. BEGIN {
  7.     $VERSION = '0.18';
  8.     @ISA = qw(Exporter);
  9.     %EXPORT_TAGS = (
  10.                     NDEBUG => [qw(assert affirm should shouldnt DEBUG)],
  11.                    );
  12.     $EXPORT_TAGS{DEBUG} = $EXPORT_TAGS{NDEBUG};
  13.     Exporter::export_tags(qw(NDEBUG DEBUG));
  14. }
  15. # constant.pm, alas, adds too much load time (yes, I benchmarked it)
  16. sub REAL_DEBUG  ()  { 1 }       # CONSTANT
  17. sub NDEBUG      ()  { 0 }       # CONSTANT
  18. # Export the proper DEBUG flag according to if :NDEBUG is set.
  19. # Also export noop versions of our routines if NDEBUG
  20. sub noop { undef }
  21. sub noop_affirm (&;$) { undef };
  22. sub import {
  23.     my $env_ndebug = exists $ENV{PERL_NDEBUG} ? $ENV{PERL_NDEBUG}
  24.                                               : $ENV{'NDEBUG'};
  25.     if( grep(/^:NDEBUG$/, @_) or $env_ndebug ) {
  26.         my $caller = caller;
  27.         foreach my $func (grep !/^DEBUG$/, @{$EXPORT_TAGS{'NDEBUG'}}) {
  28.             if( $func eq 'affirm' ) {
  29.                 *{$caller.'::'.$func} = &noop_affirm;
  30.             } else {
  31.                 *{$caller.'::'.$func} = &noop;
  32.             }
  33.         }
  34.         *{$caller.'::DEBUG'} = &NDEBUG;
  35.     }
  36.     else {
  37.         *DEBUG = *REAL_DEBUG;
  38.         Carp::Assert->_export_to_level(1, @_);
  39.     }
  40. }
  41. # 5.004's Exporter doesn't have export_to_level.
  42. sub _export_to_level
  43. {
  44.       my $pkg = shift;
  45.       my $level = shift;
  46.       (undef) = shift;                  # XXX redundant arg
  47.       my $callpkg = caller($level);
  48.       $pkg->export($callpkg, @_);
  49. }
  50. sub unimport {
  51.     *DEBUG = *NDEBUG;
  52.     push @_, ':NDEBUG';
  53.     goto &import;
  54. }
  55. # Can't call confess() here or the stack trace will be wrong.
  56. sub _fail_msg {
  57.     my($name) = shift;
  58.     my $msg = 'Assertion';
  59.     $msg   .= " ($name)" if defined $name;
  60.     $msg   .= " failed!n";
  61.     return $msg;
  62. }
  63. =head1 NAME
  64. Carp::Assert - executable comments
  65. =head1 SYNOPSIS
  66.     # Assertions are on.
  67.     use Carp::Assert;
  68.     $next_sunrise_time = sunrise();
  69.     # Assert that the sun must rise in the next 24 hours.
  70.     assert(($next_sunrise_time - time) < 24*60*60) if DEBUG;
  71.     # Assert that your customer's primary credit card is active
  72.     affirm {
  73.         my @cards = @{$customer->credit_cards};
  74.         $cards[0]->is_active;
  75.     };
  76.     # Assertions are off.
  77.     no Carp::Assert;
  78.     $next_pres = divine_next_president();
  79.     # Assert that if you predict Dan Quayle will be the next president
  80.     # your crystal ball might need some polishing.  However, since
  81.     # assertions are off, IT COULD HAPPEN!
  82.     shouldnt($next_pres, 'Dan Quayle') if DEBUG;
  83. =head1 DESCRIPTION
  84. =for testing
  85. use Carp::Assert;
  86.     "We are ready for any unforseen event that may or may not 
  87.     occur."
  88.         - Dan Quayle
  89. Carp::Assert is intended for a purpose like the ANSI C library
  90. assert.h.  If you're already familiar with assert.h, then you can
  91. probably skip this and go straight to the FUNCTIONS section.
  92. Assertions are the explict expressions of your assumptions about the
  93. reality your program is expected to deal with, and a declaration of
  94. those which it is not.  They are used to prevent your program from
  95. blissfully processing garbage inputs (garbage in, garbage out becomes
  96. garbage in, error out) and to tell you when you've produced garbage
  97. output.  (If I was going to be a cynic about Perl and the user nature,
  98. I'd say there are no user inputs but garbage, and Perl produces
  99. nothing but...)
  100. An assertion is used to prevent the impossible from being asked of
  101. your code, or at least tell you when it does.  For example:
  102. =for example begin
  103.     # Take the square root of a number.
  104.     sub my_sqrt {
  105.         my($num) = shift;
  106.         # the square root of a negative number is imaginary.
  107.         assert($num >= 0);
  108.         return sqrt $num;
  109.     }
  110. =for example end
  111. =for example_testing
  112. is( my_sqrt(4),  2,            'my_sqrt example with good input' );
  113. ok( !eval{ my_sqrt(-1); 1 },   '  and pukes on bad' );
  114. The assertion will warn you if a negative number was handed to your
  115. subroutine, a reality the routine has no intention of dealing with.
  116. An assertion should also be used as something of a reality check, to
  117. make sure what your code just did really did happen:
  118.     open(FILE, $filename) || die $!;
  119.     @stuff = <FILE>;
  120.     @stuff = do_something(@stuff);
  121.     # I should have some stuff.
  122.     assert(@stuff > 0);
  123. The assertion makes sure you have some @stuff at the end.  Maybe the
  124. file was empty, maybe do_something() returned an empty list... either
  125. way, the assert() will give you a clue as to where the problem lies,
  126. rather than 50 lines down at when you wonder why your program isn't
  127. printing anything.
  128. Since assertions are designed for debugging and will remove themelves
  129. from production code, your assertions should be carefully crafted so
  130. as to not have any side-effects, change any variables, or otherwise
  131. have any effect on your program.  Here is an example of a bad
  132. assertation:
  133.     assert($error = 1 if $king ne 'Henry');  # Bad!
  134. It sets an error flag which may then be used somewhere else in your
  135. program. When you shut off your assertions with the $DEBUG flag,
  136. $error will no longer be set.
  137. Here's another example of B<bad> use:
  138.     assert($next_pres ne 'Dan Quayle' or goto Canada);  # Bad!
  139. This assertion has the side effect of moving to Canada should it fail.
  140. This is a very bad assertion since error handling should not be
  141. placed in an assertion, nor should it have side-effects.
  142. In short, an assertion is an executable comment.  For instance, instead
  143. of writing this
  144.     # $life ends with a '!'
  145.     $life = begin_life();
  146. you'd replace the comment with an assertion which B<enforces> the comment.
  147.     $life = begin_life();
  148.     assert( $life =~ /!$/ );
  149. =for testing
  150. my $life = 'Whimper!';
  151. ok( eval { assert( $life =~ /!$/ ); 1 },   'life ends with a bang' );
  152. =head1 FUNCTIONS
  153. =over 4
  154. =item B<assert>
  155.     assert(EXPR) if DEBUG;
  156.     assert(EXPR, $name) if DEBUG;
  157. assert's functionality is effected by compile time value of the DEBUG
  158. constant, controlled by saying C<use Carp::Assert> or C<no
  159. Carp::Assert>.  In the former case, assert will function as below.
  160. Otherwise, the assert function will compile itself out of the program.
  161. See L<Debugging vs Production> for details.
  162. =for testing
  163. {
  164.   package Some::Other;
  165.   no Carp::Assert;
  166.   ::ok( eval { assert(0) if DEBUG; 1 } );
  167. }
  168. Give assert an expression, assert will Carp::confess() if that
  169. expression is false, otherwise it does nothing.  (DO NOT use the
  170. return value of assert for anything, I mean it... really!).
  171. =for testing
  172. ok( eval { assert(1); 1 } );
  173. ok( !eval { assert(0); 1 } );
  174. The error from assert will look something like this:
  175.     Assertion failed!
  176.             Carp::Assert::assert(0) called at prog line 23
  177.             main::foo called at prog line 50
  178. =for testing
  179. eval { assert(0) };
  180. like( $@, '/^Assertion failed!/',       'error format' );
  181. like( $@, '/Carp::Assert::assert(0) called at/',      '  with stack trace' );
  182. Indicating that in the file "prog" an assert failed inside the
  183. function main::foo() on line 23 and that foo() was in turn called from
  184. line 50 in the same file.
  185. If given a $name, assert() will incorporate this into your error message,
  186. giving users something of a better idea what's going on.
  187.     assert( Dogs->isa('People'), 'Dogs are people, too!' ) if DEBUG;
  188.     # Result - "Assertion (Dogs are people, too!) failed!"
  189. =for testing
  190. eval { assert( Dogs->isa('People'), 'Dogs are people, too!' ); };
  191. like( $@, '/^Assertion (Dogs are people, too!) failed!/', 'names' );
  192. =cut
  193. sub assert ($;$) {
  194.     unless($_[0]) {
  195.         require Carp;
  196.         Carp::confess( _fail_msg($_[1]) );
  197.     }
  198.     return undef;
  199. }
  200. =item B<affirm>
  201.     affirm BLOCK if DEBUG;
  202.     affirm BLOCK $name if DEBUG;
  203. Very similar to assert(), but instead of taking just a simple
  204. expression it takes an entire block of code and evaluates it to make
  205. sure its true.  This can allow more complicated assertions than
  206. assert() can without letting the debugging code leak out into
  207. production and without having to smash together several
  208. statements into one.
  209. =for example begin
  210.     affirm {
  211.         my $customer = Customer->new($customerid);
  212.         my @cards = $customer->credit_cards;
  213.         grep { $_->is_active } @cards;
  214.     } "Our customer has an active credit card";
  215. =for example end
  216. =for testing
  217. my $foo = 1;  my $bar = 2;
  218. eval { affirm { $foo == $bar } };
  219. like( $@, '/$foo == $bar/' );
  220. affirm() also has the nice side effect that if you forgot the C<if DEBUG>
  221. suffix its arguments will not be evaluated at all.  This can be nice
  222. if you stick affirm()s with expensive checks into hot loops and other
  223. time-sensitive parts of your program.
  224. If the $name is left off and your Perl version is 5.6 or higher the
  225. affirm() diagnostics will include the code begin affirmed.
  226. =cut
  227. sub affirm (&;$) {
  228.     unless( eval { &{$_[0]}; } ) {
  229.         my $name = $_[1];
  230.         if( !defined $name ) {
  231.             eval {
  232.                 require B::Deparse;
  233.                 $name = B::Deparse->new->coderef2text($_[0]);
  234.             };
  235.             $name = 
  236.               'code display non-functional on this version of Perl, sorry'
  237.                 if $@;
  238.         }
  239.         require Carp;
  240.         Carp::confess( _fail_msg($name) );
  241.     }
  242.     return undef;
  243. }
  244. =item B<should>
  245. =item B<shouldnt>
  246.     should  ($this, $shouldbe)   if DEBUG;
  247.     shouldnt($this, $shouldntbe) if DEBUG;
  248. Similar to assert(), it is specially for simple "this should be that"
  249. or "this should be anything but that" style of assertions.
  250. Due to Perl's lack of a good macro system, assert() can only report
  251. where something failed, but it can't report I<what> failed or I<how>.
  252. should() and shouldnt() can produce more informative error messages:
  253.     Assertion ('this' should be 'that'!) failed!
  254.             Carp::Assert::should('this', 'that') called at moof line 29
  255.             main::foo() called at moof line 58
  256. So this:
  257.     should($this, $that) if DEBUG;
  258. is similar to this:
  259.     assert($this eq $that) if DEBUG;
  260. except for the better error message.
  261. Currently, should() and shouldnt() can only do simple eq and ne tests
  262. (respectively).  Future versions may allow regexes.
  263. =cut
  264. sub should ($$) {
  265.     unless($_[0] eq $_[1]) {
  266.         require Carp;
  267.         &Carp::confess( _fail_msg("'$_[0]' should be '$_[1]'!") );
  268.     }
  269.     return undef;
  270. }
  271. sub shouldnt ($$) {
  272.     unless($_[0] ne $_[1]) {
  273.         require Carp;
  274.         &Carp::confess( _fail_msg("'$_[0]' shouldn't be that!") );
  275.     }
  276.     return undef;
  277. }
  278. # Sorry, I couldn't resist.
  279. sub shouldn't ($$) {     # emacs cperl-mode madness #' sub {
  280.     my $env_ndebug = exists $ENV{PERL_NDEBUG} ? $ENV{PERL_NDEBUG}
  281.                                               : $ENV{'NDEBUG'};
  282.     if( $env_ndebug ) {
  283.         return undef;
  284.     }
  285.     else {
  286.         shouldnt($_[0], $_[1]);
  287.     }
  288. }
  289. =back
  290. =head1 Debugging vs Production
  291. Because assertions are extra code and because it is sometimes necessary to
  292. place them in 'hot' portions of your code where speed is paramount,
  293. Carp::Assert provides the option to remove its assert() calls from your
  294. program.
  295. So, we provide a way to force Perl to inline the switched off assert()
  296. routine, thereby removing almost all performance impact on your production
  297. code.
  298.     no Carp::Assert;  # assertions are off.
  299.     assert(1==1) if DEBUG;
  300. DEBUG is a constant set to 0.  Adding the 'if DEBUG' condition on your
  301. assert() call gives perl the cue to go ahead and remove assert() call from
  302. your program entirely, since the if conditional will always be false.
  303.     # With C<no Carp::Assert> the assert() has no impact.
  304.     for (1..100) {
  305.         assert( do_some_really_time_consuming_check ) if DEBUG;
  306.     }
  307. If C<if DEBUG> gets too annoying, you can always use affirm().
  308.     # Once again, affirm() has (almost) no impact with C<no Carp::Assert>
  309.     for (1..100) {
  310.         affirm { do_some_really_time_consuming_check };
  311.     }
  312. Another way to switch off all asserts, system wide, is to define the
  313. NDEBUG or the PERL_NDEBUG environment variable.
  314. You can safely leave out the "if DEBUG" part, but then your assert()
  315. function will always execute (and its arguments evaluated and time
  316. spent).  To get around this, use affirm().  You still have the
  317. overhead of calling a function but at least its arguments will not be
  318. evaluated.
  319. =head1 Differences from ANSI C
  320. assert() is intended to act like the function from ANSI C fame. 
  321. Unfortunately, due to Perl's lack of macros or strong inlining, it's not
  322. nearly as unobtrusive.
  323. Well, the obvious one is the "if DEBUG" part.  This is cleanest way I could
  324. think of to cause each assert() call and its arguments to be removed from
  325. the program at compile-time, like the ANSI C macro does.
  326. Also, this version of assert does not report the statement which
  327. failed, just the line number and call frame via Carp::confess.  You
  328. can't do C<assert('$a == $b')> because $a and $b will probably be
  329. lexical, and thus unavailable to assert().  But with Perl, unlike C,
  330. you always have the source to look through, so the need isn't as
  331. great.
  332. =head1 EFFICIENCY
  333. With C<no Carp::Assert> (or NDEBUG) and using the C<if DEBUG> suffixes
  334. on all your assertions, Carp::Assert has almost no impact on your
  335. production code.  I say almost because it does still add some load-time
  336. to your code (I've tried to reduce this as much as possible).
  337. If you forget the C<if DEBUG> on an C<assert()>, C<should()> or
  338. C<shouldnt()>, its arguments are still evaluated and thus will impact
  339. your code.  You'll also have the extra overhead of calling a
  340. subroutine (even if that subroutine does nothing).
  341. Forgetting the C<if DEBUG> on an C<affirm()> is not so bad.  While you
  342. still have the overhead of calling a subroutine (one that does
  343. nothing) it will B<not> evaluate its code block and that can save
  344. alot.
  345. Try to remember the B<if DEBUG>.
  346. =head1 ENVIRONMENT
  347. =over 4
  348. =item NDEBUG
  349. Defining NDEBUG switches off all assertions.  It has the same effect
  350. as changing "use Carp::Assert" to "no Carp::Assert" but it effects all
  351. code.
  352. =item PERL_NDEBUG
  353. Same as NDEBUG and will override it.  Its provided to give you
  354. something which won't conflict with any C programs you might be
  355. working on at the same time.
  356. =back
  357. =head1 BUGS, CAVETS and other MUSINGS
  358. Someday, Perl will have an inline pragma, and the C<if DEBUG>
  359. bletcherousness will go away.
  360. affirm() mucks with the expression's caller and it is run in an eval
  361. so anything that checks $^S will be wrong.
  362. Yes, there is a C<shouldn't> routine.  It mostly works, but you B<must>
  363. put the C<if DEBUG> after it.
  364. It would be nice if we could warn about missing C<if DEBUG>.
  365. =head1 COPYRIGHT
  366. Copyright 2002 by Michael G Schwern E<lt>schwern@pobox.comE<gt>.
  367. This program is free software; you can redistribute it and/or 
  368. modify it under the same terms as Perl itself.
  369. See F<http://www.perl.com/perl/misc/Artistic.html>
  370. =head1 AUTHOR
  371. Michael G Schwern <schwern@pobox.com>
  372. =cut
  373. return q|You don't just EAT the largest turnip in the world!|;