xref: /openbsd-src/gnu/usr.bin/perl/cpan/Memoize/Memoize.pm (revision 50b7afb2c2c0993b0894d4e34bf857cb13ed9c80)
1# -*- mode: perl; perl-indent-level: 2; -*-
2# Memoize.pm
3#
4# Transparent memoization of idempotent functions
5#
6# Copyright 1998, 1999, 2000, 2001, 2012 M. J. Dominus.
7# You may copy and distribute this program under the
8# same terms as Perl itself.  If in doubt,
9# write to mjd-perl-memoize+@plover.com for a license.
10
11package Memoize;
12$VERSION = '1.03';
13
14# Compile-time constants
15sub SCALAR () { 0 }
16sub LIST () { 1 }
17
18
19#
20# Usage memoize(functionname/ref,
21#               { NORMALIZER => coderef, INSTALL => name,
22#                 LIST_CACHE => descriptor, SCALAR_CACHE => descriptor }
23#
24
25use Carp;
26use Exporter;
27use vars qw($DEBUG);
28use Config;                     # Dammit.
29@ISA = qw(Exporter);
30@EXPORT = qw(memoize);
31@EXPORT_OK = qw(unmemoize flush_cache);
32use strict;
33
34my %memotable;
35my %revmemotable;
36my @CONTEXT_TAGS = qw(MERGE TIE MEMORY FAULT HASH);
37my %IS_CACHE_TAG = map {($_ => 1)} @CONTEXT_TAGS;
38
39# Raise an error if the user tries to specify one of thesepackage as a
40# tie for LIST_CACHE
41
42my %scalar_only = map {($_ => 1)} qw(DB_File GDBM_File SDBM_File ODBM_File NDBM_File);
43
44sub memoize {
45  my $fn = shift;
46  my %options = @_;
47  my $options = \%options;
48
49  unless (defined($fn) &&
50	  (ref $fn eq 'CODE' || ref $fn eq '')) {
51    croak "Usage: memoize 'functionname'|coderef {OPTIONS}";
52  }
53
54  my $uppack = caller;		# TCL me Elmo!
55  my $cref;			# Code reference to original function
56  my $name = (ref $fn ? undef : $fn);
57
58  # Convert function names to code references
59  $cref = &_make_cref($fn, $uppack);
60
61  # Locate function prototype, if any
62  my $proto = prototype $cref;
63  if (defined $proto) { $proto = "($proto)" }
64  else { $proto = "" }
65
66  # I would like to get rid of the eval, but there seems not to be any
67  # other way to set the prototype properly.  The switch here for
68  # 'usethreads' works around a bug in threadperl having to do with
69  # magic goto.  It would be better to fix the bug and use the magic
70  # goto version everywhere.
71  my $wrapper =
72      $Config{usethreads}
73        ? eval "sub $proto { &_memoizer(\$cref, \@_); }"
74        : eval "sub $proto { unshift \@_, \$cref; goto &_memoizer; }";
75
76  my $normalizer = $options{NORMALIZER};
77  if (defined $normalizer  && ! ref $normalizer) {
78    $normalizer = _make_cref($normalizer, $uppack);
79  }
80
81  my $install_name;
82  if (defined $options->{INSTALL}) {
83    # INSTALL => name
84    $install_name = $options->{INSTALL};
85  } elsif (! exists $options->{INSTALL}) {
86    # No INSTALL option provided; use original name if possible
87    $install_name = $name;
88  } else {
89    # INSTALL => undef  means don't install
90  }
91
92  if (defined $install_name) {
93    $install_name = $uppack . '::' . $install_name
94	unless $install_name =~ /::/;
95    no strict;
96    local($^W) = 0;	       # ``Subroutine $install_name redefined at ...''
97    *{$install_name} = $wrapper; # Install memoized version
98  }
99
100  $revmemotable{$wrapper} = "" . $cref; # Turn code ref into hash key
101
102  # These will be the caches
103  my %caches;
104  for my $context (qw(SCALAR LIST)) {
105    # suppress subsequent 'uninitialized value' warnings
106    $options{"${context}_CACHE"} ||= '';
107
108    my $cache_opt = $options{"${context}_CACHE"};
109    my @cache_opt_args;
110    if (ref $cache_opt) {
111      @cache_opt_args = @$cache_opt;
112      $cache_opt = shift @cache_opt_args;
113    }
114    if ($cache_opt eq 'FAULT') { # no cache
115      $caches{$context} = undef;
116    } elsif ($cache_opt eq 'HASH') { # user-supplied hash
117      my $cache = $cache_opt_args[0];
118      my $package = ref(tied %$cache);
119      if ($context eq 'LIST' && $scalar_only{$package}) {
120        croak("You can't use $package for LIST_CACHE because it can only store scalars");
121      }
122      $caches{$context} = $cache;
123    } elsif ($cache_opt eq '' ||  $IS_CACHE_TAG{$cache_opt}) {
124      # default is that we make up an in-memory hash
125      $caches{$context} = {};
126      # (this might get tied later, or MERGEd away)
127    } else {
128      croak "Unrecognized option to `${context}_CACHE': `$cache_opt' should be one of (@CONTEXT_TAGS); aborting";
129    }
130  }
131
132  # Perhaps I should check here that you didn't supply *both* merge
133  # options.  But if you did, it does do something reasonable: They
134  # both get merged to the same in-memory hash.
135  if ($options{SCALAR_CACHE} eq 'MERGE' || $options{LIST_CACHE} eq 'MERGE') {
136    $options{MERGED} = 1;
137    $caches{SCALAR} = $caches{LIST};
138  }
139
140  # Now deal with the TIE options
141  {
142    my $context;
143    foreach $context (qw(SCALAR LIST)) {
144      # If the relevant option wasn't `TIE', this call does nothing.
145      _my_tie($context, $caches{$context}, $options);  # Croaks on failure
146    }
147  }
148
149  # We should put some more stuff in here eventually.
150  # We've been saying that for serveral versions now.
151  # And you know what?  More stuff keeps going in!
152  $memotable{$cref} =
153  {
154    O => $options,  # Short keys here for things we need to access frequently
155    N => $normalizer,
156    U => $cref,
157    MEMOIZED => $wrapper,
158    PACKAGE => $uppack,
159    NAME => $install_name,
160    S => $caches{SCALAR},
161    L => $caches{LIST},
162  };
163
164  $wrapper			# Return just memoized version
165}
166
167# This function tries to load a tied hash class and tie the hash to it.
168sub _my_tie {
169  my ($context, $hash, $options) = @_;
170  my $fullopt = $options->{"${context}_CACHE"};
171
172  # We already checked to make sure that this works.
173  my $shortopt = (ref $fullopt) ? $fullopt->[0] : $fullopt;
174
175  return unless defined $shortopt && $shortopt eq 'TIE';
176  carp("TIE option to memoize() is deprecated; use HASH instead")
177      if $^W;
178
179  my @args = ref $fullopt ? @$fullopt : ();
180  shift @args;
181  my $module = shift @args;
182  if ($context eq 'LIST' && $scalar_only{$module}) {
183    croak("You can't use $module for LIST_CACHE because it can only store scalars");
184  }
185  my $modulefile = $module . '.pm';
186  $modulefile =~ s{::}{/}g;
187  eval { require $modulefile };
188  if ($@) {
189    croak "Memoize: Couldn't load hash tie module `$module': $@; aborting";
190  }
191  my $rc = (tie %$hash => $module, @args);
192  unless ($rc) {
193    croak "Memoize: Couldn't tie hash to `$module': $!; aborting";
194  }
195  1;
196}
197
198sub flush_cache {
199  my $func = _make_cref($_[0], scalar caller);
200  my $info = $memotable{$revmemotable{$func}};
201  die "$func not memoized" unless defined $info;
202  for my $context (qw(S L)) {
203    my $cache = $info->{$context};
204    if (tied %$cache && ! (tied %$cache)->can('CLEAR')) {
205      my $funcname = defined($info->{NAME}) ?
206          "function $info->{NAME}" : "anonymous function $func";
207      my $context = {S => 'scalar', L => 'list'}->{$context};
208      croak "Tied cache hash for $context-context $funcname does not support flushing";
209    } else {
210      %$cache = ();
211    }
212  }
213}
214
215# This is the function that manages the memo tables.
216sub _memoizer {
217  my $orig = shift;		# stringized version of ref to original func.
218  my $info = $memotable{$orig};
219  my $normalizer = $info->{N};
220
221  my $argstr;
222  my $context = (wantarray() ? LIST : SCALAR);
223
224  if (defined $normalizer) {
225    no strict;
226    if ($context == SCALAR) {
227      $argstr = &{$normalizer}(@_);
228    } elsif ($context == LIST) {
229      ($argstr) = &{$normalizer}(@_);
230    } else {
231      croak "Internal error \#41; context was neither LIST nor SCALAR\n";
232    }
233  } else {                      # Default normalizer
234    local $^W = 0;
235    $argstr = join chr(28),@_;
236  }
237
238  if ($context == SCALAR) {
239    my $cache = $info->{S};
240    _crap_out($info->{NAME}, 'scalar') unless $cache;
241    if (exists $cache->{$argstr}) {
242      return $info->{O}{MERGED}
243        ? $cache->{$argstr}[0] : $cache->{$argstr};
244    } else {
245      my $val = &{$info->{U}}(@_);
246      # Scalars are considered to be lists; store appropriately
247      if ($info->{O}{MERGED}) {
248	$cache->{$argstr} = [$val];
249      } else {
250	$cache->{$argstr} = $val;
251      }
252      $val;
253    }
254  } elsif ($context == LIST) {
255    my $cache = $info->{L};
256    _crap_out($info->{NAME}, 'list') unless $cache;
257    if (exists $cache->{$argstr}) {
258      return @{$cache->{$argstr}};
259    } else {
260      my @q = &{$info->{U}}(@_);
261      $cache->{$argstr} = \@q;
262      @q;
263    }
264  } else {
265    croak "Internal error \#42; context was neither LIST nor SCALAR\n";
266  }
267}
268
269sub unmemoize {
270  my $f = shift;
271  my $uppack = caller;
272  my $cref = _make_cref($f, $uppack);
273
274  unless (exists $revmemotable{$cref}) {
275    croak "Could not unmemoize function `$f', because it was not memoized to begin with";
276  }
277
278  my $tabent = $memotable{$revmemotable{$cref}};
279  unless (defined $tabent) {
280    croak "Could not figure out how to unmemoize function `$f'";
281  }
282  my $name = $tabent->{NAME};
283  if (defined $name) {
284    no strict;
285    local($^W) = 0;	       # ``Subroutine $install_name redefined at ...''
286    *{$name} = $tabent->{U}; # Replace with original function
287  }
288  undef $memotable{$revmemotable{$cref}};
289  undef $revmemotable{$cref};
290
291  # This removes the last reference to the (possibly tied) memo tables
292  # my ($old_function, $memotabs) = @{$tabent}{'U','S','L'};
293  # undef $tabent;
294
295#  # Untie the memo tables if they were tied.
296#  my $i;
297#  for $i (0,1) {
298#    if (tied %{$memotabs->[$i]}) {
299#      warn "Untying hash #$i\n";
300#      untie %{$memotabs->[$i]};
301#    }
302#  }
303
304  $tabent->{U};
305}
306
307sub _make_cref {
308  my $fn = shift;
309  my $uppack = shift;
310  my $cref;
311  my $name;
312
313  if (ref $fn eq 'CODE') {
314    $cref = $fn;
315  } elsif (! ref $fn) {
316    if ($fn =~ /::/) {
317      $name = $fn;
318    } else {
319      $name = $uppack . '::' . $fn;
320    }
321    no strict;
322    if (defined $name and !defined(&$name)) {
323      croak "Cannot operate on nonexistent function `$fn'";
324    }
325#    $cref = \&$name;
326    $cref = *{$name}{CODE};
327  } else {
328    my $parent = (caller(1))[3]; # Function that called _make_cref
329    croak "Usage: argument 1 to `$parent' must be a function name or reference.\n";
330  }
331  $DEBUG and warn "${name}($fn) => $cref in _make_cref\n";
332  $cref;
333}
334
335sub _crap_out {
336  my ($funcname, $context) = @_;
337  if (defined $funcname) {
338    croak "Function `$funcname' called in forbidden $context context; faulting";
339  } else {
340    croak "Anonymous function called in forbidden $context context; faulting";
341  }
342}
343
3441;
345
346
347
348
349
350=head1 NAME
351
352Memoize - Make functions faster by trading space for time
353
354=head1 SYNOPSIS
355
356        # This is the documentation for Memoize 1.03
357	use Memoize;
358	memoize('slow_function');
359	slow_function(arguments);    # Is faster than it was before
360
361
362This is normally all you need to know.  However, many options are available:
363
364	memoize(function, options...);
365
366Options include:
367
368	NORMALIZER => function
369	INSTALL => new_name
370
371	SCALAR_CACHE => 'MEMORY'
372        SCALAR_CACHE => ['HASH', \%cache_hash ]
373	SCALAR_CACHE => 'FAULT'
374	SCALAR_CACHE => 'MERGE'
375
376	LIST_CACHE => 'MEMORY'
377        LIST_CACHE => ['HASH', \%cache_hash ]
378	LIST_CACHE => 'FAULT'
379	LIST_CACHE => 'MERGE'
380
381=head1 DESCRIPTION
382
383`Memoizing' a function makes it faster by trading space for time.  It
384does this by caching the return values of the function in a table.
385If you call the function again with the same arguments, C<memoize>
386jumps in and gives you the value out of the table, instead of letting
387the function compute the value all over again.
388
389Here is an extreme example.  Consider the Fibonacci sequence, defined
390by the following function:
391
392	# Compute Fibonacci numbers
393	sub fib {
394	  my $n = shift;
395	  return $n if $n < 2;
396	  fib($n-1) + fib($n-2);
397	}
398
399This function is very slow.  Why?  To compute fib(14), it first wants
400to compute fib(13) and fib(12), and add the results.  But to compute
401fib(13), it first has to compute fib(12) and fib(11), and then it
402comes back and computes fib(12) all over again even though the answer
403is the same.  And both of the times that it wants to compute fib(12),
404it has to compute fib(11) from scratch, and then it has to do it
405again each time it wants to compute fib(13).  This function does so
406much recomputing of old results that it takes a really long time to
407run---fib(14) makes 1,200 extra recursive calls to itself, to compute
408and recompute things that it already computed.
409
410This function is a good candidate for memoization.  If you memoize the
411`fib' function above, it will compute fib(14) exactly once, the first
412time it needs to, and then save the result in a table.  Then if you
413ask for fib(14) again, it gives you the result out of the table.
414While computing fib(14), instead of computing fib(12) twice, it does
415it once; the second time it needs the value it gets it from the table.
416It doesn't compute fib(11) four times; it computes it once, getting it
417from the table the next three times.  Instead of making 1,200
418recursive calls to `fib', it makes 15.  This makes the function about
419150 times faster.
420
421You could do the memoization yourself, by rewriting the function, like
422this:
423
424	# Compute Fibonacci numbers, memoized version
425	{ my @fib;
426  	  sub fib {
427	    my $n = shift;
428	    return $fib[$n] if defined $fib[$n];
429	    return $fib[$n] = $n if $n < 2;
430	    $fib[$n] = fib($n-1) + fib($n-2);
431	  }
432        }
433
434Or you could use this module, like this:
435
436	use Memoize;
437	memoize('fib');
438
439	# Rest of the fib function just like the original version.
440
441This makes it easy to turn memoizing on and off.
442
443Here's an even simpler example: I wrote a simple ray tracer; the
444program would look in a certain direction, figure out what it was
445looking at, and then convert the `color' value (typically a string
446like `red') of that object to a red, green, and blue pixel value, like
447this:
448
449    for ($direction = 0; $direction < 300; $direction++) {
450      # Figure out which object is in direction $direction
451      $color = $object->{color};
452      ($r, $g, $b) = @{&ColorToRGB($color)};
453      ...
454    }
455
456Since there are relatively few objects in a picture, there are only a
457few colors, which get looked up over and over again.  Memoizing
458C<ColorToRGB> sped up the program by several percent.
459
460=head1 DETAILS
461
462This module exports exactly one function, C<memoize>.  The rest of the
463functions in this package are None of Your Business.
464
465You should say
466
467	memoize(function)
468
469where C<function> is the name of the function you want to memoize, or
470a reference to it.  C<memoize> returns a reference to the new,
471memoized version of the function, or C<undef> on a non-fatal error.
472At present, there are no non-fatal errors, but there might be some in
473the future.
474
475If C<function> was the name of a function, then C<memoize> hides the
476old version and installs the new memoized version under the old name,
477so that C<&function(...)> actually invokes the memoized version.
478
479=head1 OPTIONS
480
481There are some optional options you can pass to C<memoize> to change
482the way it behaves a little.  To supply options, invoke C<memoize>
483like this:
484
485	memoize(function, NORMALIZER => function,
486			  INSTALL => newname,
487                          SCALAR_CACHE => option,
488	                  LIST_CACHE => option
489			 );
490
491Each of these options is optional; you can include some, all, or none
492of them.
493
494=head2 INSTALL
495
496If you supply a function name with C<INSTALL>, memoize will install
497the new, memoized version of the function under the name you give.
498For example,
499
500	memoize('fib', INSTALL => 'fastfib')
501
502installs the memoized version of C<fib> as C<fastfib>; without the
503C<INSTALL> option it would have replaced the old C<fib> with the
504memoized version.
505
506To prevent C<memoize> from installing the memoized version anywhere, use
507C<INSTALL =E<gt> undef>.
508
509=head2 NORMALIZER
510
511Suppose your function looks like this:
512
513	# Typical call: f('aha!', A => 11, B => 12);
514	sub f {
515	  my $a = shift;
516	  my %hash = @_;
517	  $hash{B} ||= 2;  # B defaults to 2
518	  $hash{C} ||= 7;  # C defaults to 7
519
520	  # Do something with $a, %hash
521	}
522
523Now, the following calls to your function are all completely equivalent:
524
525	f(OUCH);
526	f(OUCH, B => 2);
527	f(OUCH, C => 7);
528	f(OUCH, B => 2, C => 7);
529	f(OUCH, C => 7, B => 2);
530	(etc.)
531
532However, unless you tell C<Memoize> that these calls are equivalent,
533it will not know that, and it will compute the values for these
534invocations of your function separately, and store them separately.
535
536To prevent this, supply a C<NORMALIZER> function that turns the
537program arguments into a string in a way that equivalent arguments
538turn into the same string.  A C<NORMALIZER> function for C<f> above
539might look like this:
540
541	sub normalize_f {
542	  my $a = shift;
543	  my %hash = @_;
544	  $hash{B} ||= 2;
545	  $hash{C} ||= 7;
546
547	  join(',', $a, map ($_ => $hash{$_}) sort keys %hash);
548	}
549
550Each of the argument lists above comes out of the C<normalize_f>
551function looking exactly the same, like this:
552
553	OUCH,B,2,C,7
554
555You would tell C<Memoize> to use this normalizer this way:
556
557	memoize('f', NORMALIZER => 'normalize_f');
558
559C<memoize> knows that if the normalized version of the arguments is
560the same for two argument lists, then it can safely look up the value
561that it computed for one argument list and return it as the result of
562calling the function with the other argument list, even if the
563argument lists look different.
564
565The default normalizer just concatenates the arguments with character
56628 in between.  (In ASCII, this is called FS or control-\.)  This
567always works correctly for functions with only one string argument,
568and also when the arguments never contain character 28.  However, it
569can confuse certain argument lists:
570
571	normalizer("a\034", "b")
572	normalizer("a", "\034b")
573	normalizer("a\034\034b")
574
575for example.
576
577Since hash keys are strings, the default normalizer will not
578distinguish between C<undef> and the empty string.  It also won't work
579when the function's arguments are references.  For example, consider a
580function C<g> which gets two arguments: A number, and a reference to
581an array of numbers:
582
583	g(13, [1,2,3,4,5,6,7]);
584
585The default normalizer will turn this into something like
586C<"13\034ARRAY(0x436c1f)">.  That would be all right, except that a
587subsequent array of numbers might be stored at a different location
588even though it contains the same data.  If this happens, C<Memoize>
589will think that the arguments are different, even though they are
590equivalent.  In this case, a normalizer like this is appropriate:
591
592	sub normalize { join ' ', $_[0], @{$_[1]} }
593
594For the example above, this produces the key "13 1 2 3 4 5 6 7".
595
596Another use for normalizers is when the function depends on data other
597than those in its arguments.  Suppose you have a function which
598returns a value which depends on the current hour of the day:
599
600	sub on_duty {
601          my ($problem_type) = @_;
602	  my $hour = (localtime)[2];
603          open my $fh, "$DIR/$problem_type" or die...;
604          my $line;
605          while ($hour-- > 0)
606            $line = <$fh>;
607          }
608	  return $line;
609	}
610
611At 10:23, this function generates the 10th line of a data file; at
6123:45 PM it generates the 15th line instead.  By default, C<Memoize>
613will only see the $problem_type argument.  To fix this, include the
614current hour in the normalizer:
615
616        sub normalize { join ' ', (localtime)[2], @_ }
617
618The calling context of the function (scalar or list context) is
619propagated to the normalizer.  This means that if the memoized
620function will treat its arguments differently in list context than it
621would in scalar context, you can have the normalizer function select
622its behavior based on the results of C<wantarray>.  Even if called in
623a list context, a normalizer should still return a single string.
624
625=head2 C<SCALAR_CACHE>, C<LIST_CACHE>
626
627Normally, C<Memoize> caches your function's return values into an
628ordinary Perl hash variable.  However, you might like to have the
629values cached on the disk, so that they persist from one run of your
630program to the next, or you might like to associate some other
631interesting semantics with the cached values.
632
633There's a slight complication under the hood of C<Memoize>: There are
634actually I<two> caches, one for scalar values and one for list values.
635When your function is called in scalar context, its return value is
636cached in one hash, and when your function is called in list context,
637its value is cached in the other hash.  You can control the caching
638behavior of both contexts independently with these options.
639
640The argument to C<LIST_CACHE> or C<SCALAR_CACHE> must either be one of
641the following four strings:
642
643	MEMORY
644	FAULT
645	MERGE
646        HASH
647
648or else it must be a reference to an array whose first element is one of
649these four strings, such as C<[HASH, arguments...]>.
650
651=over 4
652
653=item C<MEMORY>
654
655C<MEMORY> means that return values from the function will be cached in
656an ordinary Perl hash variable.  The hash variable will not persist
657after the program exits.  This is the default.
658
659=item C<HASH>
660
661C<HASH> allows you to specify that a particular hash that you supply
662will be used as the cache.  You can tie this hash beforehand to give
663it any behavior you want.
664
665A tied hash can have any semantics at all.  It is typically tied to an
666on-disk database, so that cached values are stored in the database and
667retrieved from it again when needed, and the disk file typically
668persists after your program has exited.  See C<perltie> for more
669complete details about C<tie>.
670
671A typical example is:
672
673        use DB_File;
674        tie my %cache => 'DB_File', $filename, O_RDWR|O_CREAT, 0666;
675        memoize 'function', SCALAR_CACHE => [HASH => \%cache];
676
677This has the effect of storing the cache in a C<DB_File> database
678whose name is in C<$filename>.  The cache will persist after the
679program has exited.  Next time the program runs, it will find the
680cache already populated from the previous run of the program.  Or you
681can forcibly populate the cache by constructing a batch program that
682runs in the background and populates the cache file.  Then when you
683come to run your real program the memoized function will be fast
684because all its results have been precomputed.
685
686Another reason to use C<HASH> is to provide your own hash variable.
687You can then inspect or modify the contents of the hash to gain finer
688control over the cache management.
689
690=item C<TIE>
691
692This option is no longer supported.  It is still documented only to
693aid in the debugging of old programs that use it.  Old programs should
694be converted to use the C<HASH> option instead.
695
696        memoize ... ['TIE', PACKAGE, ARGS...]
697
698is merely a shortcut for
699
700        require PACKAGE;
701	{ tie my %cache, PACKAGE, ARGS...;
702          memoize ... [HASH => \%cache];
703        }
704
705=item C<FAULT>
706
707C<FAULT> means that you never expect to call the function in scalar
708(or list) context, and that if C<Memoize> detects such a call, it
709should abort the program.  The error message is one of
710
711	`foo' function called in forbidden list context at line ...
712	`foo' function called in forbidden scalar context at line ...
713
714=item C<MERGE>
715
716C<MERGE> normally means that the memoized function does not
717distinguish between list and sclar context, and that return values in
718both contexts should be stored together.  Both C<LIST_CACHE =E<gt>
719MERGE> and C<SCALAR_CACHE =E<gt> MERGE> mean the same thing.
720
721Consider this function:
722
723	sub complicated {
724          # ... time-consuming calculation of $result
725          return $result;
726        }
727
728The C<complicated> function will return the same numeric C<$result>
729regardless of whether it is called in list or in scalar context.
730
731Normally, the following code will result in two calls to C<complicated>, even
732if C<complicated> is memoized:
733
734    $x = complicated(142);
735    ($y) = complicated(142);
736    $z = complicated(142);
737
738The first call will cache the result, say 37, in the scalar cache; the
739second will cach the list C<(37)> in the list cache.  The third call
740doesn't call the real C<complicated> function; it gets the value 37
741from the scalar cache.
742
743Obviously, the second call to C<complicated> is a waste of time, and
744storing its return value is a waste of space.  Specifying C<LIST_CACHE
745=E<gt> MERGE> will make C<memoize> use the same cache for scalar and
746list context return values, so that the second call uses the scalar
747cache that was populated by the first call.  C<complicated> ends up
748being called only once, and both subsequent calls return C<3> from the
749cache, regardless of the calling context.
750
751=head3 List values in scalar context
752
753Consider this function:
754
755    sub iota { return reverse (1..$_[0]) }
756
757This function normally returns a list.  Suppose you memoize it and
758merge the caches:
759
760    memoize 'iota', SCALAR_CACHE => 'MERGE';
761
762    @i7 = iota(7);
763    $i7 = iota(7);
764
765Here the first call caches the list (1,2,3,4,5,6,7).  The second call
766does not really make sense. C<Memoize> cannot guess what behavior
767C<iota> should have in scalar context without actually calling it in
768scalar context.  Normally C<Memoize> I<would> call C<iota> in scalar
769context and cache the result, but the C<SCALAR_CACHE =E<gt> 'MERGE'>
770option says not to do that, but to use the cache list-context value
771instead. But it cannot return a list of seven elements in a scalar
772context. In this case C<$i7> will receive the B<first element> of the
773cached list value, namely 7.
774
775=head3 Merged disk caches
776
777Another use for C<MERGE> is when you want both kinds of return values
778stored in the same disk file; this saves you from having to deal with
779two disk files instead of one.  You can use a normalizer function to
780keep the two sets of return values separate.  For example:
781
782        tie my %cache => 'MLDBM', 'DB_File', $filename, ...;
783
784	memoize 'myfunc',
785	  NORMALIZER => 'n',
786	  SCALAR_CACHE => [HASH => \%cache],
787	  LIST_CACHE => 'MERGE',
788	;
789
790	sub n {
791	  my $context = wantarray() ? 'L' : 'S';
792	  # ... now compute the hash key from the arguments ...
793	  $hashkey = "$context:$hashkey";
794	}
795
796This normalizer function will store scalar context return values in
797the disk file under keys that begin with C<S:>, and list context
798return values under keys that begin with C<L:>.
799
800=back
801
802=head1 OTHER FACILITIES
803
804=head2 C<unmemoize>
805
806There's an C<unmemoize> function that you can import if you want to.
807Why would you want to?  Here's an example: Suppose you have your cache
808tied to a DBM file, and you want to make sure that the cache is
809written out to disk if someone interrupts the program.  If the program
810exits normally, this will happen anyway, but if someone types
811control-C or something then the program will terminate immediately
812without synchronizing the database.  So what you can do instead is
813
814    $SIG{INT} = sub { unmemoize 'function' };
815
816C<unmemoize> accepts a reference to, or the name of a previously
817memoized function, and undoes whatever it did to provide the memoized
818version in the first place, including making the name refer to the
819unmemoized version if appropriate.  It returns a reference to the
820unmemoized version of the function.
821
822If you ask it to unmemoize a function that was never memoized, it
823croaks.
824
825=head2 C<flush_cache>
826
827C<flush_cache(function)> will flush out the caches, discarding I<all>
828the cached data.  The argument may be a function name or a reference
829to a function.  For finer control over when data is discarded or
830expired, see the documentation for C<Memoize::Expire>, included in
831this package.
832
833Note that if the cache is a tied hash, C<flush_cache> will attempt to
834invoke the C<CLEAR> method on the hash.  If there is no C<CLEAR>
835method, this will cause a run-time error.
836
837An alternative approach to cache flushing is to use the C<HASH> option
838(see above) to request that C<Memoize> use a particular hash variable
839as its cache.  Then you can examine or modify the hash at any time in
840any way you desire.  You may flush the cache by using C<%hash = ()>.
841
842=head1 CAVEATS
843
844Memoization is not a cure-all:
845
846=over 4
847
848=item *
849
850Do not memoize a function whose behavior depends on program
851state other than its own arguments, such as global variables, the time
852of day, or file input.  These functions will not produce correct
853results when memoized.  For a particularly easy example:
854
855	sub f {
856	  time;
857	}
858
859This function takes no arguments, and as far as C<Memoize> is
860concerned, it always returns the same result.  C<Memoize> is wrong, of
861course, and the memoized version of this function will call C<time> once
862to get the current time, and it will return that same time
863every time you call it after that.
864
865=item *
866
867Do not memoize a function with side effects.
868
869	sub f {
870	  my ($a, $b) = @_;
871          my $s = $a + $b;
872	  print "$a + $b = $s.\n";
873	}
874
875This function accepts two arguments, adds them, and prints their sum.
876Its return value is the numuber of characters it printed, but you
877probably didn't care about that.  But C<Memoize> doesn't understand
878that.  If you memoize this function, you will get the result you
879expect the first time you ask it to print the sum of 2 and 3, but
880subsequent calls will return 1 (the return value of
881C<print>) without actually printing anything.
882
883=item *
884
885Do not memoize a function that returns a data structure that is
886modified by its caller.
887
888Consider these functions:  C<getusers> returns a list of users somehow,
889and then C<main> throws away the first user on the list and prints the
890rest:
891
892	sub main {
893	  my $userlist = getusers();
894	  shift @$userlist;
895	  foreach $u (@$userlist) {
896	    print "User $u\n";
897	  }
898	}
899
900	sub getusers {
901	  my @users;
902	  # Do something to get a list of users;
903	  \@users;  # Return reference to list.
904	}
905
906If you memoize C<getusers> here, it will work right exactly once.  The
907reference to the users list will be stored in the memo table.  C<main>
908will discard the first element from the referenced list.  The next
909time you invoke C<main>, C<Memoize> will not call C<getusers>; it will
910just return the same reference to the same list it got last time.  But
911this time the list has already had its head removed; C<main> will
912erroneously remove another element from it.  The list will get shorter
913and shorter every time you call C<main>.
914
915Similarly, this:
916
917	$u1 = getusers();
918	$u2 = getusers();
919	pop @$u1;
920
921will modify $u2 as well as $u1, because both variables are references
922to the same array.  Had C<getusers> not been memoized, $u1 and $u2
923would have referred to different arrays.
924
925=item *
926
927Do not memoize a very simple function.
928
929Recently someone mentioned to me that the Memoize module made his
930program run slower instead of faster.  It turned out that he was
931memoizing the following function:
932
933    sub square {
934      $_[0] * $_[0];
935    }
936
937I pointed out that C<Memoize> uses a hash, and that looking up a
938number in the hash is necessarily going to take a lot longer than a
939single multiplication.  There really is no way to speed up the
940C<square> function.
941
942Memoization is not magical.
943
944=back
945
946=head1 PERSISTENT CACHE SUPPORT
947
948You can tie the cache tables to any sort of tied hash that you want
949to, as long as it supports C<TIEHASH>, C<FETCH>, C<STORE>, and
950C<EXISTS>.  For example,
951
952        tie my %cache => 'GDBM_File', $filename, O_RDWR|O_CREAT, 0666;
953        memoize 'function', SCALAR_CACHE => [HASH => \%cache];
954
955works just fine.  For some storage methods, you need a little glue.
956
957C<SDBM_File> doesn't supply an C<EXISTS> method, so included in this
958package is a glue module called C<Memoize::SDBM_File> which does
959provide one.  Use this instead of plain C<SDBM_File> to store your
960cache table on disk in an C<SDBM_File> database:
961
962        tie my %cache => 'Memoize::SDBM_File', $filename, O_RDWR|O_CREAT, 0666;
963        memoize 'function', SCALAR_CACHE => [HASH => \%cache];
964
965C<NDBM_File> has the same problem and the same solution.  (Use
966C<Memoize::NDBM_File instead of plain NDBM_File.>)
967
968C<Storable> isn't a tied hash class at all.  You can use it to store a
969hash to disk and retrieve it again, but you can't modify the hash while
970it's on the disk.  So if you want to store your cache table in a
971C<Storable> database, use C<Memoize::Storable>, which puts a hashlike
972front-end onto C<Storable>.  The hash table is actually kept in
973memory, and is loaded from your C<Storable> file at the time you
974memoize the function, and stored back at the time you unmemoize the
975function (or when your program exits):
976
977        tie my %cache => 'Memoize::Storable', $filename;
978	memoize 'function', SCALAR_CACHE => [HASH => \%cache];
979
980        tie my %cache => 'Memoize::Storable', $filename, 'nstore';
981	memoize 'function', SCALAR_CACHE => [HASH => \%cache];
982
983Include the `nstore' option to have the C<Storable> database written
984in `network order'.  (See L<Storable> for more details about this.)
985
986The C<flush_cache()> function will raise a run-time error unless the
987tied package provides a C<CLEAR> method.
988
989=head1 EXPIRATION SUPPORT
990
991See Memoize::Expire, which is a plug-in module that adds expiration
992functionality to Memoize.  If you don't like the kinds of policies
993that Memoize::Expire implements, it is easy to write your own plug-in
994module to implement whatever policy you desire.  Memoize comes with
995several examples.  An expiration manager that implements a LRU policy
996is available on CPAN as Memoize::ExpireLRU.
997
998=head1 BUGS
999
1000The test suite is much better, but always needs improvement.
1001
1002There is some problem with the way C<goto &f> works under threaded
1003Perl, perhaps because of the lexical scoping of C<@_>.  This is a bug
1004in Perl, and until it is resolved, memoized functions will see a
1005slightly different C<caller()> and will perform a little more slowly
1006on threaded perls than unthreaded perls.
1007
1008Some versions of C<DB_File> won't let you store data under a key of
1009length 0.  That means that if you have a function C<f> which you
1010memoized and the cache is in a C<DB_File> database, then the value of
1011C<f()> (C<f> called with no arguments) will not be memoized.  If this
1012is a big problem, you can supply a normalizer function that prepends
1013C<"x"> to every key.
1014
1015=head1 MAILING LIST
1016
1017To join a very low-traffic mailing list for announcements about
1018C<Memoize>, send an empty note to C<mjd-perl-memoize-request@plover.com>.
1019
1020=head1 AUTHOR
1021
1022Mark-Jason Dominus (C<mjd-perl-memoize+@plover.com>), Plover Systems co.
1023
1024See the C<Memoize.pm> Page at http://perl.plover.com/Memoize/
1025for news and upgrades.  Near this page, at
1026http://perl.plover.com/MiniMemoize/ there is an article about
1027memoization and about the internals of Memoize that appeared in The
1028Perl Journal, issue #13.  (This article is also included in the
1029Memoize distribution as `article.html'.)
1030
1031The author's book I<Higher-Order Perl> (2005, ISBN 1558607013, published
1032by Morgan Kaufmann) discusses memoization (and many other
1033topics) in tremendous detail. It is available on-line for free.
1034For more information, visit http://hop.perl.plover.com/ .
1035
1036To join a mailing list for announcements about C<Memoize>, send an
1037empty message to C<mjd-perl-memoize-request@plover.com>.  This mailing
1038list is for announcements only and has extremely low traffic---fewer than
1039two messages per year.
1040
1041=head1 COPYRIGHT AND LICENSE
1042
1043Copyright 1998, 1999, 2000, 2001, 2012  by Mark Jason Dominus
1044
1045This library is free software; you may redistribute it and/or modify
1046it under the same terms as Perl itself.
1047
1048=head1 THANK YOU
1049
1050Many thanks to Florian Ragwitz for administration and packaging
1051assistance, to John Tromp for bug reports, to Jonathan Roy for bug reports
1052and suggestions, to Michael Schwern for other bug reports and patches,
1053to Mike Cariaso for helping me to figure out the Right Thing to Do
1054About Expiration, to Joshua Gerth, Joshua Chamas, Jonathan Roy
1055(again), Mark D. Anderson, and Andrew Johnson for more suggestions
1056about expiration, to Brent Powers for the Memoize::ExpireLRU module,
1057to Ariel Scolnicov for delightful messages about the Fibonacci
1058function, to Dion Almaer for thought-provoking suggestions about the
1059default normalizer, to Walt Mankowski and Kurt Starsinic for much help
1060investigating problems under threaded Perl, to Alex Dudkevich for
1061reporting the bug in prototyped functions and for checking my patch,
1062to Tony Bass for many helpful suggestions, to Jonathan Roy (again) for
1063finding a use for C<unmemoize()>, to Philippe Verdret for enlightening
1064discussion of C<Hook::PrePostCall>, to Nat Torkington for advice I
1065ignored, to Chris Nandor for portability advice, to Randal Schwartz
1066for suggesting the 'C<flush_cache> function, and to Jenda Krynicky for
1067being a light in the world.
1068
1069Special thanks to Jarkko Hietaniemi, the 5.8.0 pumpking, for including
1070this module in the core and for his patient and helpful guidance
1071during the integration process.
1072
1073=cut
1074