Give a concrete example of the still existing Unicode slowness.
[p5sagit/p5-mst-13.2.git] / pod / perlfaq4.pod
1 =head1 NAME
2
3 perlfaq4 - Data Manipulation ($Revision: 1.44 $, $Date: 2003/07/28 17:35:21 $)
4
5 =head1 DESCRIPTION
6
7 This section of the FAQ answers questions related to manipulating
8 numbers, dates, strings, arrays, hashes, and miscellaneous data issues.
9
10 =head1 Data: Numbers
11
12 =head2 Why am I getting long decimals (eg, 19.9499999999999) instead of the numbers I should be getting (eg, 19.95)?
13
14 Internally, your computer represents floating-point numbers
15 in binary. Digital (as in powers of two) computers cannot
16 store all numbers exactly.  Some real numbers lose precision
17 in the process.  This is a problem with how computers store
18 numbers and affects all computer languages, not just Perl.
19
20 L<perlnumber> show the gory details of number
21 representations and conversions.
22
23 To limit the number of decimal places in your numbers, you
24 can use the printf or sprintf function.  See the
25 L<"Floating Point Arithmetic"|perlop> for more details.
26
27         printf "%.2f", 10/3;
28
29         my $number = sprintf "%.2f", 10/3;
30
31 =head2 Why is int() broken?
32
33 Your int() is most probably working just fine.  It's the numbers that
34 aren't quite what you think.
35
36 First, see the above item "Why am I getting long decimals
37 (eg, 19.9499999999999) instead of the numbers I should be getting
38 (eg, 19.95)?".
39
40 For example, this
41
42     print int(0.6/0.2-2), "\n";
43
44 will in most computers print 0, not 1, because even such simple
45 numbers as 0.6 and 0.2 cannot be presented exactly by floating-point
46 numbers.  What you think in the above as 'three' is really more like
47 2.9999999999999995559.
48
49 =head2 Why isn't my octal data interpreted correctly?
50
51 Perl only understands octal and hex numbers as such when they occur as
52 literals in your program.  Octal literals in perl must start with a
53 leading "0" and hexadecimal literals must start with a leading "0x".
54 If they are read in from somewhere and assigned, no automatic
55 conversion takes place.  You must explicitly use oct() or hex() if you
56 want the values converted to decimal.  oct() interprets hex ("0x350"),
57 octal ("0350" or even without the leading "0", like "377") and binary
58 ("0b1010") numbers, while hex() only converts hexadecimal ones, with
59 or without a leading "0x", like "0x255", "3A", "ff", or "deadbeef".
60 The inverse mapping from decimal to octal can be done with either the
61 "%o" or "%O" sprintf() formats.
62
63 This problem shows up most often when people try using chmod(), mkdir(),
64 umask(), or sysopen(), which by widespread tradition typically take
65 permissions in octal.
66
67     chmod(644,  $file); # WRONG
68     chmod(0644, $file); # right
69
70 Note the mistake in the first line was specifying the decimal literal
71 644, rather than the intended octal literal 0644.  The problem can
72 be seen with:
73
74     printf("%#o",644); # prints 01204
75
76 Surely you had not intended C<chmod(01204, $file);> - did you?  If you
77 want to use numeric literals as arguments to chmod() et al. then please
78 try to express them as octal constants, that is with a leading zero and
79 with the following digits restricted to the set 0..7.
80
81 =head2 Does Perl have a round() function?  What about ceil() and floor()?  Trig functions?
82
83 Remember that int() merely truncates toward 0.  For rounding to a
84 certain number of digits, sprintf() or printf() is usually the easiest
85 route.
86
87     printf("%.3f", 3.1415926535);       # prints 3.142
88
89 The POSIX module (part of the standard Perl distribution) implements
90 ceil(), floor(), and a number of other mathematical and trigonometric
91 functions.
92
93     use POSIX;
94     $ceil   = ceil(3.5);                        # 4
95     $floor  = floor(3.5);                       # 3
96
97 In 5.000 to 5.003 perls, trigonometry was done in the Math::Complex
98 module.  With 5.004, the Math::Trig module (part of the standard Perl
99 distribution) implements the trigonometric functions. Internally it
100 uses the Math::Complex module and some functions can break out from
101 the real axis into the complex plane, for example the inverse sine of
102 2.
103
104 Rounding in financial applications can have serious implications, and
105 the rounding method used should be specified precisely.  In these
106 cases, it probably pays not to trust whichever system rounding is
107 being used by Perl, but to instead implement the rounding function you
108 need yourself.
109
110 To see why, notice how you'll still have an issue on half-way-point
111 alternation:
112
113     for ($i = 0; $i < 1.01; $i += 0.05) { printf "%.1f ",$i}
114
115     0.0 0.1 0.1 0.2 0.2 0.2 0.3 0.3 0.4 0.4 0.5 0.5 0.6 0.7 0.7
116     0.8 0.8 0.9 0.9 1.0 1.0
117
118 Don't blame Perl.  It's the same as in C.  IEEE says we have to do this.
119 Perl numbers whose absolute values are integers under 2**31 (on 32 bit
120 machines) will work pretty much like mathematical integers.  Other numbers
121 are not guaranteed.
122
123 =head2 How do I convert between numeric representations?
124
125 As always with Perl there is more than one way to do it.  Below
126 are a few examples of approaches to making common conversions
127 between number representations.  This is intended to be representational
128 rather than exhaustive.
129
130 Some of the examples below use the Bit::Vector module from CPAN.
131 The reason you might choose Bit::Vector over the perl built in
132 functions is that it works with numbers of ANY size, that it is
133 optimized for speed on some operations, and for at least some
134 programmers the notation might be familiar.
135
136 =over 4
137
138 =item How do I convert hexadecimal into decimal
139
140 Using perl's built in conversion of 0x notation:
141
142     $int = 0xDEADBEEF;
143     $dec = sprintf("%d", $int);
144
145 Using the hex function:
146
147     $int = hex("DEADBEEF");
148     $dec = sprintf("%d", $int);
149
150 Using pack:
151
152     $int = unpack("N", pack("H8", substr("0" x 8 . "DEADBEEF", -8)));
153     $dec = sprintf("%d", $int);
154
155 Using the CPAN module Bit::Vector:
156
157     use Bit::Vector;
158     $vec = Bit::Vector->new_Hex(32, "DEADBEEF");
159     $dec = $vec->to_Dec();
160
161 =item How do I convert from decimal to hexadecimal
162
163 Using sprintf:
164
165     $hex = sprintf("%X", 3735928559);
166
167 Using unpack
168
169     $hex = unpack("H*", pack("N", 3735928559));
170
171 Using Bit::Vector
172
173     use Bit::Vector;
174     $vec = Bit::Vector->new_Dec(32, -559038737);
175     $hex = $vec->to_Hex();
176
177 And Bit::Vector supports odd bit counts:
178
179     use Bit::Vector;
180     $vec = Bit::Vector->new_Dec(33, 3735928559);
181     $vec->Resize(32); # suppress leading 0 if unwanted
182     $hex = $vec->to_Hex();
183
184 =item How do I convert from octal to decimal
185
186 Using Perl's built in conversion of numbers with leading zeros:
187
188     $int = 033653337357; # note the leading 0!
189     $dec = sprintf("%d", $int);
190
191 Using the oct function:
192
193     $int = oct("33653337357");
194     $dec = sprintf("%d", $int);
195
196 Using Bit::Vector:
197
198     use Bit::Vector;
199     $vec = Bit::Vector->new(32);
200     $vec->Chunk_List_Store(3, split(//, reverse "33653337357"));
201     $dec = $vec->to_Dec();
202
203 =item How do I convert from decimal to octal
204
205 Using sprintf:
206
207     $oct = sprintf("%o", 3735928559);
208
209 Using Bit::Vector
210
211     use Bit::Vector;
212     $vec = Bit::Vector->new_Dec(32, -559038737);
213     $oct = reverse join('', $vec->Chunk_List_Read(3));
214
215 =item How do I convert from binary to decimal
216
217 Perl 5.6 lets you write binary numbers directly with
218 the 0b notation:
219
220         $number = 0b10110110;
221
222 Using pack and ord
223
224     $decimal = ord(pack('B8', '10110110'));
225
226 Using pack and unpack for larger strings
227
228     $int = unpack("N", pack("B32",
229         substr("0" x 32 . "11110101011011011111011101111", -32)));
230     $dec = sprintf("%d", $int);
231
232     # substr() is used to left pad a 32 character string with zeros.
233
234 Using Bit::Vector:
235
236     $vec = Bit::Vector->new_Bin(32, "11011110101011011011111011101111");
237     $dec = $vec->to_Dec();
238
239 =item How do I convert from decimal to binary
240
241 Using unpack;
242
243     $bin = unpack("B*", pack("N", 3735928559));
244
245 Using Bit::Vector:
246
247     use Bit::Vector;
248     $vec = Bit::Vector->new_Dec(32, -559038737);
249     $bin = $vec->to_Bin();
250
251 The remaining transformations (e.g. hex -> oct, bin -> hex, etc.)
252 are left as an exercise to the inclined reader.
253
254 =back
255
256 =head2 Why doesn't & work the way I want it to?
257
258 The behavior of binary arithmetic operators depends on whether they're
259 used on numbers or strings.  The operators treat a string as a series
260 of bits and work with that (the string C<"3"> is the bit pattern
261 C<00110011>).  The operators work with the binary form of a number
262 (the number C<3> is treated as the bit pattern C<00000011>).
263
264 So, saying C<11 & 3> performs the "and" operation on numbers (yielding
265 C<3>).  Saying C<"11" & "3"> performs the "and" operation on strings
266 (yielding C<"1">).
267
268 Most problems with C<&> and C<|> arise because the programmer thinks
269 they have a number but really it's a string.  The rest arise because
270 the programmer says:
271
272     if ("\020\020" & "\101\101") {
273         # ...
274     }
275
276 but a string consisting of two null bytes (the result of C<"\020\020"
277 & "\101\101">) is not a false value in Perl.  You need:
278
279     if ( ("\020\020" & "\101\101") !~ /[^\000]/) {
280         # ...
281     }
282
283 =head2 How do I multiply matrices?
284
285 Use the Math::Matrix or Math::MatrixReal modules (available from CPAN)
286 or the PDL extension (also available from CPAN).
287
288 =head2 How do I perform an operation on a series of integers?
289
290 To call a function on each element in an array, and collect the
291 results, use:
292
293     @results = map { my_func($_) } @array;
294
295 For example:
296
297     @triple = map { 3 * $_ } @single;
298
299 To call a function on each element of an array, but ignore the
300 results:
301
302     foreach $iterator (@array) {
303         some_func($iterator);
304     }
305
306 To call a function on each integer in a (small) range, you B<can> use:
307
308     @results = map { some_func($_) } (5 .. 25);
309
310 but you should be aware that the C<..> operator creates an array of
311 all integers in the range.  This can take a lot of memory for large
312 ranges.  Instead use:
313
314     @results = ();
315     for ($i=5; $i < 500_005; $i++) {
316         push(@results, some_func($i));
317     }
318
319 This situation has been fixed in Perl5.005. Use of C<..> in a C<for>
320 loop will iterate over the range, without creating the entire range.
321
322     for my $i (5 .. 500_005) {
323         push(@results, some_func($i));
324     }
325
326 will not create a list of 500,000 integers.
327
328 =head2 How can I output Roman numerals?
329
330 Get the http://www.cpan.org/modules/by-module/Roman module.
331
332 =head2 Why aren't my random numbers random?
333
334 If you're using a version of Perl before 5.004, you must call C<srand>
335 once at the start of your program to seed the random number generator.
336
337          BEGIN { srand() if $] < 5.004 }
338
339 5.004 and later automatically call C<srand> at the beginning.  Don't
340 call C<srand> more than once---you make your numbers less random, rather
341 than more.
342
343 Computers are good at being predictable and bad at being random
344 (despite appearances caused by bugs in your programs :-).  see the
345 F<random> article in the "Far More Than You Ever Wanted To Know"
346 collection in http://www.cpan.org/misc/olddoc/FMTEYEWTK.tgz , courtesy of
347 Tom Phoenix, talks more about this.  John von Neumann said, ``Anyone
348 who attempts to generate random numbers by deterministic means is, of
349 course, living in a state of sin.''
350
351 If you want numbers that are more random than C<rand> with C<srand>
352 provides, you should also check out the Math::TrulyRandom module from
353 CPAN.  It uses the imperfections in your system's timer to generate
354 random numbers, but this takes quite a while.  If you want a better
355 pseudorandom generator than comes with your operating system, look at
356 ``Numerical Recipes in C'' at http://www.nr.com/ .
357
358 =head2 How do I get a random number between X and Y?
359
360 Use the following simple function.  It selects a random integer between
361 (and possibly including!) the two given integers, e.g.,
362 C<random_int_in(50,120)>
363
364    sub random_int_in ($$) {
365      my($min, $max) = @_;
366       # Assumes that the two arguments are integers themselves!
367      return $min if $min == $max;
368      ($min, $max) = ($max, $min)  if  $min > $max;
369      return $min + int rand(1 + $max - $min);
370    }
371
372 =head1 Data: Dates
373
374 =head2 How do I find the day or week of the year?
375
376 The localtime function returns the day of the week.  Without an
377 argument localtime uses the current time.
378
379     $day_of_year = (localtime)[7];
380
381 The POSIX module can also format a date as the day of the year or
382 week of the year.
383
384         use POSIX qw/strftime/;
385         my $day_of_year  = strftime "%j", localtime;
386         my $week_of_year = strftime "%W", localtime;
387
388 To get the day of year for any date, use the Time::Local module to get
389 a time in epoch seconds for the argument to localtime.
390
391         use POSIX qw/strftime/;
392         use Time::Local;
393         my $week_of_year = strftime "%W", 
394                 localtime( timelocal( 0, 0, 0, 18, 11, 1987 ) );
395
396 The Date::Calc module provides two functions for to calculate these.
397
398         use Date::Calc;
399         my $day_of_year  = Day_of_Year(  1987, 12, 18 );
400         my $week_of_year = Week_of_Year( 1987, 12, 18 );
401
402 =head2 How do I find the current century or millennium?
403
404 Use the following simple functions:
405
406     sub get_century    {
407         return int((((localtime(shift || time))[5] + 1999))/100);
408     }
409     sub get_millennium {
410         return 1+int((((localtime(shift || time))[5] + 1899))/1000);
411     }
412
413 You can also use the POSIX strftime() function which may be a bit
414 slower but is easier to read and maintain.
415
416         use POSIX qw/strftime/;
417
418         my $week_of_the_year = strftime "%W", localtime;
419         my $day_of_the_year  = strftime "%j", localtime;
420
421 On some systems, the POSIX module's strftime() function has
422 been extended in a non-standard way to use a C<%C> format,
423 which they sometimes claim is the "century".  It isn't,
424 because on most such systems, this is only the first two
425 digits of the four-digit year, and thus cannot be used to
426 reliably determine the current century or millennium.
427
428 =head2 How can I compare two dates and find the difference?
429
430 If you're storing your dates as epoch seconds then simply subtract one
431 from the other.  If you've got a structured date (distinct year, day,
432 month, hour, minute, seconds values), then for reasons of accessibility,
433 simplicity, and efficiency, merely use either timelocal or timegm (from
434 the Time::Local module in the standard distribution) to reduce structured
435 dates to epoch seconds.  However, if you don't know the precise format of
436 your dates, then you should probably use either of the Date::Manip and
437 Date::Calc modules from CPAN before you go hacking up your own parsing
438 routine to handle arbitrary date formats.
439
440 =head2 How can I take a string and turn it into epoch seconds?
441
442 If it's a regular enough string that it always has the same format,
443 you can split it up and pass the parts to C<timelocal> in the standard
444 Time::Local module.  Otherwise, you should look into the Date::Calc
445 and Date::Manip modules from CPAN.
446
447 =head2 How can I find the Julian Day?
448
449 Use the Time::JulianDay module (part of the Time-modules bundle
450 available from CPAN.)
451
452 Before you immerse yourself too deeply in this, be sure to verify that
453 it is the I<Julian> Day you really want.  Are you interested in a way
454 of getting serial days so that you just can tell how many days they
455 are apart or so that you can do also other date arithmetic?  If you
456 are interested in performing date arithmetic, this can be done using
457 modules Date::Manip or Date::Calc.
458
459 There is too many details and much confusion on this issue to cover in
460 this FAQ, but the term is applied (correctly) to a calendar now
461 supplanted by the Gregorian Calendar, with the Julian Calendar failing
462 to adjust properly for leap years on centennial years (among other
463 annoyances).  The term is also used (incorrectly) to mean: [1] days in
464 the Gregorian Calendar; and [2] days since a particular starting time
465 or `epoch', usually 1970 in the Unix world and 1980 in the
466 MS-DOS/Windows world.  If you find that it is not the first meaning
467 that you really want, then check out the Date::Manip and Date::Calc
468 modules.  (Thanks to David Cassell for most of this text.)
469
470 =head2 How do I find yesterday's date?
471
472 If you only need to find the date (and not the same time), you
473 can use the Date::Calc module.
474
475         use Date::Calc qw(Today Add_Delta_Days);
476
477         my @date = Add_Delta_Days( Today(), -1 );
478
479         print "@date\n";
480
481 Most people try to use the time rather than the calendar to
482 figure out dates, but that assumes that your days are
483 twenty-four hours each.  For most people, there are two days
484 a year when they aren't: the switch to and from summer time
485 throws this off. Russ Allbery offers this solution.
486
487     sub yesterday {
488                 my $now  = defined $_[0] ? $_[0] : time;
489                 my $then = $now - 60 * 60 * 24;
490                 my $ndst = (localtime $now)[8] > 0;
491                 my $tdst = (localtime $then)[8] > 0;
492                 $then - ($tdst - $ndst) * 60 * 60;
493                 }
494
495 Should give you "this time yesterday" in seconds since epoch relative to
496 the first argument or the current time if no argument is given and
497 suitable for passing to localtime or whatever else you need to do with
498 it.  $ndst is whether we're currently in daylight savings time; $tdst is
499 whether the point 24 hours ago was in daylight savings time.  If $tdst
500 and $ndst are the same, a boundary wasn't crossed, and the correction
501 will subtract 0.  If $tdst is 1 and $ndst is 0, subtract an hour more
502 from yesterday's time since we gained an extra hour while going off
503 daylight savings time.  If $tdst is 0 and $ndst is 1, subtract a
504 negative hour (add an hour) to yesterday's time since we lost an hour.
505
506 All of this is because during those days when one switches off or onto
507 DST, a "day" isn't 24 hours long; it's either 23 or 25.
508
509 The explicit settings of $ndst and $tdst are necessary because localtime
510 only says it returns the system tm struct, and the system tm struct at
511 least on Solaris doesn't guarantee any particular positive value (like,
512 say, 1) for isdst, just a positive value.  And that value can
513 potentially be negative, if DST information isn't available (this sub
514 just treats those cases like no DST).
515
516 Note that between 2am and 3am on the day after the time zone switches
517 off daylight savings time, the exact hour of "yesterday" corresponding
518 to the current hour is not clearly defined.  Note also that if used
519 between 2am and 3am the day after the change to daylight savings time,
520 the result will be between 3am and 4am of the previous day; it's
521 arguable whether this is correct.
522
523 This sub does not attempt to deal with leap seconds (most things don't).
524
525
526
527 =head2 Does Perl have a Year 2000 problem?  Is Perl Y2K compliant?
528
529 Short answer: No, Perl does not have a Year 2000 problem.  Yes, Perl is
530 Y2K compliant (whatever that means).  The programmers you've hired to
531 use it, however, probably are not.
532
533 Long answer: The question belies a true understanding of the issue.
534 Perl is just as Y2K compliant as your pencil--no more, and no less.
535 Can you use your pencil to write a non-Y2K-compliant memo?  Of course
536 you can.  Is that the pencil's fault?  Of course it isn't.
537
538 The date and time functions supplied with Perl (gmtime and localtime)
539 supply adequate information to determine the year well beyond 2000
540 (2038 is when trouble strikes for 32-bit machines).  The year returned
541 by these functions when used in a list context is the year minus 1900.
542 For years between 1910 and 1999 this I<happens> to be a 2-digit decimal
543 number. To avoid the year 2000 problem simply do not treat the year as
544 a 2-digit number.  It isn't.
545
546 When gmtime() and localtime() are used in scalar context they return
547 a timestamp string that contains a fully-expanded year.  For example,
548 C<$timestamp = gmtime(1005613200)> sets $timestamp to "Tue Nov 13 01:00:00
549 2001".  There's no year 2000 problem here.
550
551 That doesn't mean that Perl can't be used to create non-Y2K compliant
552 programs.  It can.  But so can your pencil.  It's the fault of the user,
553 not the language.  At the risk of inflaming the NRA: ``Perl doesn't
554 break Y2K, people do.''  See http://language.perl.com/news/y2k.html for
555 a longer exposition.
556
557 =head1 Data: Strings
558
559 =head2 How do I validate input?
560
561 The answer to this question is usually a regular expression, perhaps
562 with auxiliary logic.  See the more specific questions (numbers, mail
563 addresses, etc.) for details.
564
565 =head2 How do I unescape a string?
566
567 It depends just what you mean by ``escape''.  URL escapes are dealt
568 with in L<perlfaq9>.  Shell escapes with the backslash (C<\>)
569 character are removed with
570
571     s/\\(.)/$1/g;
572
573 This won't expand C<"\n"> or C<"\t"> or any other special escapes.
574
575 =head2 How do I remove consecutive pairs of characters?
576
577 To turn C<"abbcccd"> into C<"abccd">:
578
579     s/(.)\1/$1/g;       # add /s to include newlines
580
581 Here's a solution that turns "abbcccd" to "abcd":
582
583     y///cs;     # y == tr, but shorter :-)
584
585 =head2 How do I expand function calls in a string?
586
587 This is documented in L<perlref>.  In general, this is fraught with
588 quoting and readability problems, but it is possible.  To interpolate
589 a subroutine call (in list context) into a string:
590
591     print "My sub returned @{[mysub(1,2,3)]} that time.\n";
592
593 See also ``How can I expand variables in text strings?'' in this
594 section of the FAQ.
595
596 =head2 How do I find matching/nesting anything?
597
598 This isn't something that can be done in one regular expression, no
599 matter how complicated.  To find something between two single
600 characters, a pattern like C</x([^x]*)x/> will get the intervening
601 bits in $1. For multiple ones, then something more like
602 C</alpha(.*?)omega/> would be needed.  But none of these deals with
603 nested patterns.  For balanced expressions using C<(>, C<{>, C<[>
604 or C<< < >> as delimiters, use the CPAN module Regexp::Common, or see
605 L<perlre/(??{ code })>.  For other cases, you'll have to write a parser.
606
607 If you are serious about writing a parser, there are a number of
608 modules or oddities that will make your life a lot easier.  There are
609 the CPAN modules Parse::RecDescent, Parse::Yapp, and Text::Balanced;
610 and the byacc program.   Starting from perl 5.8 the Text::Balanced
611 is part of the standard distribution.
612
613 One simple destructive, inside-out approach that you might try is to
614 pull out the smallest nesting parts one at a time:
615
616     while (s/BEGIN((?:(?!BEGIN)(?!END).)*)END//gs) {
617         # do something with $1
618     }
619
620 A more complicated and sneaky approach is to make Perl's regular
621 expression engine do it for you.  This is courtesy Dean Inada, and
622 rather has the nature of an Obfuscated Perl Contest entry, but it
623 really does work:
624
625     # $_ contains the string to parse
626     # BEGIN and END are the opening and closing markers for the
627     # nested text.
628
629     @( = ('(','');
630     @) = (')','');
631     ($re=$_)=~s/((BEGIN)|(END)|.)/$)[!$3]\Q$1\E$([!$2]/gs;
632     @$ = (eval{/$re/},$@!~/unmatched/i);
633     print join("\n",@$[0..$#$]) if( $$[-1] );
634
635 =head2 How do I reverse a string?
636
637 Use reverse() in scalar context, as documented in
638 L<perlfunc/reverse>.
639
640     $reversed = reverse $string;
641
642 =head2 How do I expand tabs in a string?
643
644 You can do it yourself:
645
646     1 while $string =~ s/\t+/' ' x (length($&) * 8 - length($`) % 8)/e;
647
648 Or you can just use the Text::Tabs module (part of the standard Perl
649 distribution).
650
651     use Text::Tabs;
652     @expanded_lines = expand(@lines_with_tabs);
653
654 =head2 How do I reformat a paragraph?
655
656 Use Text::Wrap (part of the standard Perl distribution):
657
658     use Text::Wrap;
659     print wrap("\t", '  ', @paragraphs);
660
661 The paragraphs you give to Text::Wrap should not contain embedded
662 newlines.  Text::Wrap doesn't justify the lines (flush-right).
663
664 Or use the CPAN module Text::Autoformat.  Formatting files can be easily
665 done by making a shell alias, like so:
666
667     alias fmt="perl -i -MText::Autoformat -n0777 \
668         -e 'print autoformat $_, {all=>1}' $*"
669
670 See the documentation for Text::Autoformat to appreciate its many
671 capabilities.
672
673 =head2 How can I access or change N characters of a string?
674
675 You can access the first characters of a string with substr().
676 To get the first character, for example, start at position 0
677 and grab the string of length 1.
678
679
680         $string = "Just another Perl Hacker";
681     $first_char = substr( $string, 0, 1 );  #  'J'
682
683 To change part of a string, you can use the optional fourth
684 argument which is the replacement string.
685
686     substr( $string, 13, 4, "Perl 5.8.0" );
687
688 You can also use substr() as an lvalue.
689
690     substr( $string, 13, 4 ) =  "Perl 5.8.0";
691
692 =head2 How do I change the Nth occurrence of something?
693
694 You have to keep track of N yourself.  For example, let's say you want
695 to change the fifth occurrence of C<"whoever"> or C<"whomever"> into
696 C<"whosoever"> or C<"whomsoever">, case insensitively.  These
697 all assume that $_ contains the string to be altered.
698
699     $count = 0;
700     s{((whom?)ever)}{
701         ++$count == 5           # is it the 5th?
702             ? "${2}soever"      # yes, swap
703             : $1                # renege and leave it there
704     }ige;
705
706 In the more general case, you can use the C</g> modifier in a C<while>
707 loop, keeping count of matches.
708
709     $WANT = 3;
710     $count = 0;
711     $_ = "One fish two fish red fish blue fish";
712     while (/(\w+)\s+fish\b/gi) {
713         if (++$count == $WANT) {
714             print "The third fish is a $1 one.\n";
715         }
716     }
717
718 That prints out: C<"The third fish is a red one.">  You can also use a
719 repetition count and repeated pattern like this:
720
721     /(?:\w+\s+fish\s+){2}(\w+)\s+fish/i;
722
723 =head2 How can I count the number of occurrences of a substring within a string?
724
725 There are a number of ways, with varying efficiency.  If you want a
726 count of a certain single character (X) within a string, you can use the
727 C<tr///> function like so:
728
729     $string = "ThisXlineXhasXsomeXx'sXinXit";
730     $count = ($string =~ tr/X//);
731     print "There are $count X characters in the string";
732
733 This is fine if you are just looking for a single character.  However,
734 if you are trying to count multiple character substrings within a
735 larger string, C<tr///> won't work.  What you can do is wrap a while()
736 loop around a global pattern match.  For example, let's count negative
737 integers:
738
739     $string = "-9 55 48 -2 23 -76 4 14 -44";
740     while ($string =~ /-\d+/g) { $count++ }
741     print "There are $count negative numbers in the string";
742
743 Another version uses a global match in list context, then assigns the
744 result to a scalar, producing a count of the number of matches.
745
746         $count = () = $string =~ /-\d+/g;
747
748 =head2 How do I capitalize all the words on one line?
749
750 To make the first letter of each word upper case:
751
752         $line =~ s/\b(\w)/\U$1/g;
753
754 This has the strange effect of turning "C<don't do it>" into "C<Don'T
755 Do It>".  Sometimes you might want this.  Other times you might need a
756 more thorough solution (Suggested by brian d foy):
757
758     $string =~ s/ (
759                  (^\w)    #at the beginning of the line
760                    |      # or
761                  (\s\w)   #preceded by whitespace
762                    )
763                 /\U$1/xg;
764     $string =~ /([\w']+)/\u\L$1/g;
765
766 To make the whole line upper case:
767
768         $line = uc($line);
769
770 To force each word to be lower case, with the first letter upper case:
771
772         $line =~ s/(\w+)/\u\L$1/g;
773
774 You can (and probably should) enable locale awareness of those
775 characters by placing a C<use locale> pragma in your program.
776 See L<perllocale> for endless details on locales.
777
778 This is sometimes referred to as putting something into "title
779 case", but that's not quite accurate.  Consider the proper
780 capitalization of the movie I<Dr. Strangelove or: How I Learned to
781 Stop Worrying and Love the Bomb>, for example.
782
783 Damian Conway's L<Text::Autoformat> module provides some smart
784 case transformations:
785
786     use Text::Autoformat;
787     my $x = "Dr. Strangelove or: How I Learned to Stop ".
788       "Worrying and Love the Bomb";
789
790     print $x, "\n";
791     for my $style (qw( sentence title highlight ))
792     {
793         print autoformat($x, { case => $style }), "\n";
794     }
795
796 =head2 How can I split a [character] delimited string except when inside [character]?
797
798 Several modules can handle this sort of pasing---Text::Balanced,
799 Text::CVS, Text::CVS_XS, and Text::ParseWords, among others.
800
801 Take the example case of trying to split a string that is
802 comma-separated into its different fields. You can't use C<split(/,/)>
803 because you shouldn't split if the comma is inside quotes.  For
804 example, take a data line like this:
805
806     SAR001,"","Cimetrix, Inc","Bob Smith","CAM",N,8,1,0,7,"Error, Core Dumped"
807
808 Due to the restriction of the quotes, this is a fairly complex
809 problem.  Thankfully, we have Jeffrey Friedl, author of
810 I<Mastering Regular Expressions>, to handle these for us.  He
811 suggests (assuming your string is contained in $text):
812
813      @new = ();
814      push(@new, $+) while $text =~ m{
815          "([^\"\\]*(?:\\.[^\"\\]*)*)",?  # groups the phrase inside the quotes
816        | ([^,]+),?
817        | ,
818      }gx;
819      push(@new, undef) if substr($text,-1,1) eq ',';
820
821 If you want to represent quotation marks inside a
822 quotation-mark-delimited field, escape them with backslashes (eg,
823 C<"like \"this\"">.
824
825 Alternatively, the Text::ParseWords module (part of the standard Perl
826 distribution) lets you say:
827
828     use Text::ParseWords;
829     @new = quotewords(",", 0, $text);
830
831 There's also a Text::CSV (Comma-Separated Values) module on CPAN.
832
833 =head2 How do I strip blank space from the beginning/end of a string?
834
835 Although the simplest approach would seem to be
836
837     $string =~ s/^\s*(.*?)\s*$/$1/;
838
839 not only is this unnecessarily slow and destructive, it also fails with
840 embedded newlines.  It is much faster to do this operation in two steps:
841
842     $string =~ s/^\s+//;
843     $string =~ s/\s+$//;
844
845 Or more nicely written as:
846
847     for ($string) {
848         s/^\s+//;
849         s/\s+$//;
850     }
851
852 This idiom takes advantage of the C<foreach> loop's aliasing
853 behavior to factor out common code.  You can do this
854 on several strings at once, or arrays, or even the
855 values of a hash if you use a slice:
856
857     # trim whitespace in the scalar, the array,
858     # and all the values in the hash
859     foreach ($scalar, @array, @hash{keys %hash}) {
860         s/^\s+//;
861         s/\s+$//;
862     }
863
864 =head2 How do I pad a string with blanks or pad a number with zeroes?
865
866 In the following examples, C<$pad_len> is the length to which you wish
867 to pad the string, C<$text> or C<$num> contains the string to be padded,
868 and C<$pad_char> contains the padding character. You can use a single
869 character string constant instead of the C<$pad_char> variable if you
870 know what it is in advance. And in the same way you can use an integer in
871 place of C<$pad_len> if you know the pad length in advance.
872
873 The simplest method uses the C<sprintf> function. It can pad on the left
874 or right with blanks and on the left with zeroes and it will not
875 truncate the result. The C<pack> function can only pad strings on the
876 right with blanks and it will truncate the result to a maximum length of
877 C<$pad_len>.
878
879     # Left padding a string with blanks (no truncation):
880         $padded = sprintf("%${pad_len}s", $text);
881         $padded = sprintf("%*s", $pad_len, $text);  # same thing
882
883     # Right padding a string with blanks (no truncation):
884         $padded = sprintf("%-${pad_len}s", $text);
885         $padded = sprintf("%-*s", $pad_len, $text); # same thing
886
887     # Left padding a number with 0 (no truncation):
888         $padded = sprintf("%0${pad_len}d", $num);
889         $padded = sprintf("%0*d", $pad_len, $num); # same thing
890
891     # Right padding a string with blanks using pack (will truncate):
892     $padded = pack("A$pad_len",$text);
893
894 If you need to pad with a character other than blank or zero you can use
895 one of the following methods.  They all generate a pad string with the
896 C<x> operator and combine that with C<$text>. These methods do
897 not truncate C<$text>.
898
899 Left and right padding with any character, creating a new string:
900
901     $padded = $pad_char x ( $pad_len - length( $text ) ) . $text;
902     $padded = $text . $pad_char x ( $pad_len - length( $text ) );
903
904 Left and right padding with any character, modifying C<$text> directly:
905
906     substr( $text, 0, 0 ) = $pad_char x ( $pad_len - length( $text ) );
907     $text .= $pad_char x ( $pad_len - length( $text ) );
908
909 =head2 How do I extract selected columns from a string?
910
911 Use substr() or unpack(), both documented in L<perlfunc>.
912 If you prefer thinking in terms of columns instead of widths,
913 you can use this kind of thing:
914
915     # determine the unpack format needed to split Linux ps output
916     # arguments are cut columns
917     my $fmt = cut2fmt(8, 14, 20, 26, 30, 34, 41, 47, 59, 63, 67, 72);
918
919     sub cut2fmt {
920         my(@positions) = @_;
921         my $template  = '';
922         my $lastpos   = 1;
923         for my $place (@positions) {
924             $template .= "A" . ($place - $lastpos) . " ";
925             $lastpos   = $place;
926         }
927         $template .= "A*";
928         return $template;
929     }
930
931 =head2 How do I find the soundex value of a string?
932
933 Use the standard Text::Soundex module distributed with Perl.
934 Before you do so, you may want to determine whether `soundex' is in
935 fact what you think it is.  Knuth's soundex algorithm compresses words
936 into a small space, and so it does not necessarily distinguish between
937 two words which you might want to appear separately.  For example, the
938 last names `Knuth' and `Kant' are both mapped to the soundex code K530.
939 If Text::Soundex does not do what you are looking for, you might want
940 to consider the String::Approx module available at CPAN.
941
942 =head2 How can I expand variables in text strings?
943
944 Let's assume that you have a string like:
945
946     $text = 'this has a $foo in it and a $bar';
947
948 If those were both global variables, then this would
949 suffice:
950
951     $text =~ s/\$(\w+)/${$1}/g;  # no /e needed
952
953 But since they are probably lexicals, or at least, they could
954 be, you'd have to do this:
955
956     $text =~ s/(\$\w+)/$1/eeg;
957     die if $@;                  # needed /ee, not /e
958
959 It's probably better in the general case to treat those
960 variables as entries in some special hash.  For example:
961
962     %user_defs = (
963         foo  => 23,
964         bar  => 19,
965     );
966     $text =~ s/\$(\w+)/$user_defs{$1}/g;
967
968 See also ``How do I expand function calls in a string?'' in this section
969 of the FAQ.
970
971 =head2 What's wrong with always quoting "$vars"?
972
973 The problem is that those double-quotes force stringification--
974 coercing numbers and references into strings--even when you
975 don't want them to be strings.  Think of it this way: double-quote
976 expansion is used to produce new strings.  If you already
977 have a string, why do you need more?
978
979 If you get used to writing odd things like these:
980
981     print "$var";       # BAD
982     $new = "$old";      # BAD
983     somefunc("$var");   # BAD
984
985 You'll be in trouble.  Those should (in 99.8% of the cases) be
986 the simpler and more direct:
987
988     print $var;
989     $new = $old;
990     somefunc($var);
991
992 Otherwise, besides slowing you down, you're going to break code when
993 the thing in the scalar is actually neither a string nor a number, but
994 a reference:
995
996     func(\@array);
997     sub func {
998         my $aref = shift;
999         my $oref = "$aref";  # WRONG
1000     }
1001
1002 You can also get into subtle problems on those few operations in Perl
1003 that actually do care about the difference between a string and a
1004 number, such as the magical C<++> autoincrement operator or the
1005 syscall() function.
1006
1007 Stringification also destroys arrays.
1008
1009     @lines = `command`;
1010     print "@lines";             # WRONG - extra blanks
1011     print @lines;               # right
1012
1013 =head2 Why don't my E<lt>E<lt>HERE documents work?
1014
1015 Check for these three things:
1016
1017 =over 4
1018
1019 =item There must be no space after the E<lt>E<lt> part.
1020
1021 =item There (probably) should be a semicolon at the end.
1022
1023 =item You can't (easily) have any space in front of the tag.
1024
1025 =back
1026
1027 If you want to indent the text in the here document, you
1028 can do this:
1029
1030     # all in one
1031     ($VAR = <<HERE_TARGET) =~ s/^\s+//gm;
1032         your text
1033         goes here
1034     HERE_TARGET
1035
1036 But the HERE_TARGET must still be flush against the margin.
1037 If you want that indented also, you'll have to quote
1038 in the indentation.
1039
1040     ($quote = <<'    FINIS') =~ s/^\s+//gm;
1041             ...we will have peace, when you and all your works have
1042             perished--and the works of your dark master to whom you
1043             would deliver us. You are a liar, Saruman, and a corrupter
1044             of men's hearts.  --Theoden in /usr/src/perl/taint.c
1045         FINIS
1046     $quote =~ s/\s+--/\n--/;
1047
1048 A nice general-purpose fixer-upper function for indented here documents
1049 follows.  It expects to be called with a here document as its argument.
1050 It looks to see whether each line begins with a common substring, and
1051 if so, strips that substring off.  Otherwise, it takes the amount of leading
1052 whitespace found on the first line and removes that much off each
1053 subsequent line.
1054
1055     sub fix {
1056         local $_ = shift;
1057         my ($white, $leader);  # common whitespace and common leading string
1058         if (/^\s*(?:([^\w\s]+)(\s*).*\n)(?:\s*\1\2?.*\n)+$/) {
1059             ($white, $leader) = ($2, quotemeta($1));
1060         } else {
1061             ($white, $leader) = (/^(\s+)/, '');
1062         }
1063         s/^\s*?$leader(?:$white)?//gm;
1064         return $_;
1065     }
1066
1067 This works with leading special strings, dynamically determined:
1068
1069     $remember_the_main = fix<<'    MAIN_INTERPRETER_LOOP';
1070         @@@ int
1071         @@@ runops() {
1072         @@@     SAVEI32(runlevel);
1073         @@@     runlevel++;
1074         @@@     while ( op = (*op->op_ppaddr)() );
1075         @@@     TAINT_NOT;
1076         @@@     return 0;
1077         @@@ }
1078     MAIN_INTERPRETER_LOOP
1079
1080 Or with a fixed amount of leading whitespace, with remaining
1081 indentation correctly preserved:
1082
1083     $poem = fix<<EVER_ON_AND_ON;
1084        Now far ahead the Road has gone,
1085           And I must follow, if I can,
1086        Pursuing it with eager feet,
1087           Until it joins some larger way
1088        Where many paths and errands meet.
1089           And whither then? I cannot say.
1090                 --Bilbo in /usr/src/perl/pp_ctl.c
1091     EVER_ON_AND_ON
1092
1093 =head1 Data: Arrays
1094
1095 =head2 What is the difference between a list and an array?
1096
1097 An array has a changeable length.  A list does not.  An array is something
1098 you can push or pop, while a list is a set of values.  Some people make
1099 the distinction that a list is a value while an array is a variable.
1100 Subroutines are passed and return lists, you put things into list
1101 context, you initialize arrays with lists, and you foreach() across
1102 a list.  C<@> variables are arrays, anonymous arrays are arrays, arrays
1103 in scalar context behave like the number of elements in them, subroutines
1104 access their arguments through the array C<@_>, and push/pop/shift only work
1105 on arrays.
1106
1107 As a side note, there's no such thing as a list in scalar context.
1108 When you say
1109
1110     $scalar = (2, 5, 7, 9);
1111
1112 you're using the comma operator in scalar context, so it uses the scalar
1113 comma operator.  There never was a list there at all!  This causes the
1114 last value to be returned: 9.
1115
1116 =head2 What is the difference between $array[1] and @array[1]?
1117
1118 The former is a scalar value; the latter an array slice, making
1119 it a list with one (scalar) value.  You should use $ when you want a
1120 scalar value (most of the time) and @ when you want a list with one
1121 scalar value in it (very, very rarely; nearly never, in fact).
1122
1123 Sometimes it doesn't make a difference, but sometimes it does.
1124 For example, compare:
1125
1126     $good[0] = `some program that outputs several lines`;
1127
1128 with
1129
1130     @bad[0]  = `same program that outputs several lines`;
1131
1132 The C<use warnings> pragma and the B<-w> flag will warn you about these
1133 matters.
1134
1135 =head2 How can I remove duplicate elements from a list or array?
1136
1137 There are several possible ways, depending on whether the array is
1138 ordered and whether you wish to preserve the ordering.
1139
1140 =over 4
1141
1142 =item a)
1143
1144 If @in is sorted, and you want @out to be sorted:
1145 (this assumes all true values in the array)
1146
1147     $prev = "not equal to $in[0]";
1148     @out = grep($_ ne $prev && ($prev = $_, 1), @in);
1149
1150 This is nice in that it doesn't use much extra memory, simulating
1151 uniq(1)'s behavior of removing only adjacent duplicates.  The ", 1"
1152 guarantees that the expression is true (so that grep picks it up)
1153 even if the $_ is 0, "", or undef.
1154
1155 =item b)
1156
1157 If you don't know whether @in is sorted:
1158
1159     undef %saw;
1160     @out = grep(!$saw{$_}++, @in);
1161
1162 =item c)
1163
1164 Like (b), but @in contains only small integers:
1165
1166     @out = grep(!$saw[$_]++, @in);
1167
1168 =item d)
1169
1170 A way to do (b) without any loops or greps:
1171
1172     undef %saw;
1173     @saw{@in} = ();
1174     @out = sort keys %saw;  # remove sort if undesired
1175
1176 =item e)
1177
1178 Like (d), but @in contains only small positive integers:
1179
1180     undef @ary;
1181     @ary[@in] = @in;
1182     @out = grep {defined} @ary;
1183
1184 =back
1185
1186 But perhaps you should have been using a hash all along, eh?
1187
1188 =head2 How can I tell whether a certain element is contained in a list or array?
1189
1190 Hearing the word "in" is an I<in>dication that you probably should have
1191 used a hash, not a list or array, to store your data.  Hashes are
1192 designed to answer this question quickly and efficiently.  Arrays aren't.
1193
1194 That being said, there are several ways to approach this.  If you
1195 are going to make this query many times over arbitrary string values,
1196 the fastest way is probably to invert the original array and maintain a
1197 hash whose keys are the first array's values.
1198
1199     @blues = qw/azure cerulean teal turquoise lapis-lazuli/;
1200     %is_blue = ();
1201     for (@blues) { $is_blue{$_} = 1 }
1202
1203 Now you can check whether $is_blue{$some_color}.  It might have been a
1204 good idea to keep the blues all in a hash in the first place.
1205
1206 If the values are all small integers, you could use a simple indexed
1207 array.  This kind of an array will take up less space:
1208
1209     @primes = (2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31);
1210     @is_tiny_prime = ();
1211     for (@primes) { $is_tiny_prime[$_] = 1 }
1212     # or simply  @istiny_prime[@primes] = (1) x @primes;
1213
1214 Now you check whether $is_tiny_prime[$some_number].
1215
1216 If the values in question are integers instead of strings, you can save
1217 quite a lot of space by using bit strings instead:
1218
1219     @articles = ( 1..10, 150..2000, 2017 );
1220     undef $read;
1221     for (@articles) { vec($read,$_,1) = 1 }
1222
1223 Now check whether C<vec($read,$n,1)> is true for some C<$n>.
1224
1225 Please do not use
1226
1227     ($is_there) = grep $_ eq $whatever, @array;
1228
1229 or worse yet
1230
1231     ($is_there) = grep /$whatever/, @array;
1232
1233 These are slow (checks every element even if the first matches),
1234 inefficient (same reason), and potentially buggy (what if there are
1235 regex characters in $whatever?).  If you're only testing once, then
1236 use:
1237
1238     $is_there = 0;
1239     foreach $elt (@array) {
1240         if ($elt eq $elt_to_find) {
1241             $is_there = 1;
1242             last;
1243         }
1244     }
1245     if ($is_there) { ... }
1246
1247 =head2 How do I compute the difference of two arrays?  How do I compute the intersection of two arrays?
1248
1249 Use a hash.  Here's code to do both and more.  It assumes that
1250 each element is unique in a given array:
1251
1252     @union = @intersection = @difference = ();
1253     %count = ();
1254     foreach $element (@array1, @array2) { $count{$element}++ }
1255     foreach $element (keys %count) {
1256         push @union, $element;
1257         push @{ $count{$element} > 1 ? \@intersection : \@difference }, $element;
1258     }
1259
1260 Note that this is the I<symmetric difference>, that is, all elements in
1261 either A or in B but not in both.  Think of it as an xor operation.
1262
1263 =head2 How do I test whether two arrays or hashes are equal?
1264
1265 The following code works for single-level arrays.  It uses a stringwise
1266 comparison, and does not distinguish defined versus undefined empty
1267 strings.  Modify if you have other needs.
1268
1269     $are_equal = compare_arrays(\@frogs, \@toads);
1270
1271     sub compare_arrays {
1272         my ($first, $second) = @_;
1273         no warnings;  # silence spurious -w undef complaints
1274         return 0 unless @$first == @$second;
1275         for (my $i = 0; $i < @$first; $i++) {
1276             return 0 if $first->[$i] ne $second->[$i];
1277         }
1278         return 1;
1279     }
1280
1281 For multilevel structures, you may wish to use an approach more
1282 like this one.  It uses the CPAN module FreezeThaw:
1283
1284     use FreezeThaw qw(cmpStr);
1285     @a = @b = ( "this", "that", [ "more", "stuff" ] );
1286
1287     printf "a and b contain %s arrays\n",
1288         cmpStr(\@a, \@b) == 0
1289             ? "the same"
1290             : "different";
1291
1292 This approach also works for comparing hashes.  Here
1293 we'll demonstrate two different answers:
1294
1295     use FreezeThaw qw(cmpStr cmpStrHard);
1296
1297     %a = %b = ( "this" => "that", "extra" => [ "more", "stuff" ] );
1298     $a{EXTRA} = \%b;
1299     $b{EXTRA} = \%a;
1300
1301     printf "a and b contain %s hashes\n",
1302         cmpStr(\%a, \%b) == 0 ? "the same" : "different";
1303
1304     printf "a and b contain %s hashes\n",
1305         cmpStrHard(\%a, \%b) == 0 ? "the same" : "different";
1306
1307
1308 The first reports that both those the hashes contain the same data,
1309 while the second reports that they do not.  Which you prefer is left as
1310 an exercise to the reader.
1311
1312 =head2 How do I find the first array element for which a condition is true?
1313
1314 To find the first array element which satisfies a condition, you can
1315 use the first() function in the List::Util module, which comes with
1316 Perl 5.8.  This example finds the first element that contains "Perl".
1317
1318         use List::Util qw(first);
1319
1320         my $element = first { /Perl/ } @array;
1321
1322 If you cannot use List::Util, you can make your own loop to do the
1323 same thing.  Once you find the element, you stop the loop with last.
1324
1325         my $found;
1326         foreach my $element ( @array )
1327                 {
1328                 if( /Perl/ ) { $found = $element; last }
1329                 }
1330
1331 If you want the array index, you can iterate through the indices
1332 and check the array element at each index until you find one
1333 that satisfies the condition.
1334
1335         my( $found, $index ) = ( undef, -1 );
1336     for( $i = 0; $i < @array; $i++ )
1337         {
1338         if( $array[$i] =~ /Perl/ )
1339                 {
1340                 $found = $array[$i];
1341                 $index = $i;
1342                 last;
1343                 }
1344         }
1345
1346 =head2 How do I handle linked lists?
1347
1348 In general, you usually don't need a linked list in Perl, since with
1349 regular arrays, you can push and pop or shift and unshift at either end,
1350 or you can use splice to add and/or remove arbitrary number of elements at
1351 arbitrary points.  Both pop and shift are both O(1) operations on Perl's
1352 dynamic arrays.  In the absence of shifts and pops, push in general
1353 needs to reallocate on the order every log(N) times, and unshift will
1354 need to copy pointers each time.
1355
1356 If you really, really wanted, you could use structures as described in
1357 L<perldsc> or L<perltoot> and do just what the algorithm book tells you
1358 to do.  For example, imagine a list node like this:
1359
1360     $node = {
1361         VALUE => 42,
1362         LINK  => undef,
1363     };
1364
1365 You could walk the list this way:
1366
1367     print "List: ";
1368     for ($node = $head;  $node; $node = $node->{LINK}) {
1369         print $node->{VALUE}, " ";
1370     }
1371     print "\n";
1372
1373 You could add to the list this way:
1374
1375     my ($head, $tail);
1376     $tail = append($head, 1);       # grow a new head
1377     for $value ( 2 .. 10 ) {
1378         $tail = append($tail, $value);
1379     }
1380
1381     sub append {
1382         my($list, $value) = @_;
1383         my $node = { VALUE => $value };
1384         if ($list) {
1385             $node->{LINK} = $list->{LINK};
1386             $list->{LINK} = $node;
1387         } else {
1388             $_[0] = $node;      # replace caller's version
1389         }
1390         return $node;
1391     }
1392
1393 But again, Perl's built-in are virtually always good enough.
1394
1395 =head2 How do I handle circular lists?
1396
1397 Circular lists could be handled in the traditional fashion with linked
1398 lists, or you could just do something like this with an array:
1399
1400     unshift(@array, pop(@array));  # the last shall be first
1401     push(@array, shift(@array));   # and vice versa
1402
1403 =head2 How do I shuffle an array randomly?
1404
1405 If you either have Perl 5.8.0 or later installed, or if you have
1406 Scalar-List-Utils 1.03 or later installed, you can say:
1407
1408     use List::Util 'shuffle';
1409
1410         @shuffled = shuffle(@list);
1411
1412 If not, you can use a Fisher-Yates shuffle.
1413
1414     sub fisher_yates_shuffle {
1415         my $deck = shift;  # $deck is a reference to an array
1416         my $i = @$deck;
1417         while ($i--) {
1418             my $j = int rand ($i+1);
1419             @$deck[$i,$j] = @$deck[$j,$i];
1420         }
1421     }
1422
1423     # shuffle my mpeg collection
1424     #
1425     my @mpeg = <audio/*/*.mp3>;
1426     fisher_yates_shuffle( \@mpeg );    # randomize @mpeg in place
1427     print @mpeg;
1428
1429 Note that the above implementation shuffles an array in place,
1430 unlike the List::Util::shuffle() which takes a list and returns
1431 a new shuffled list.
1432
1433 You've probably seen shuffling algorithms that work using splice,
1434 randomly picking another element to swap the current element with
1435
1436     srand;
1437     @new = ();
1438     @old = 1 .. 10;  # just a demo
1439     while (@old) {
1440         push(@new, splice(@old, rand @old, 1));
1441     }
1442
1443 This is bad because splice is already O(N), and since you do it N times,
1444 you just invented a quadratic algorithm; that is, O(N**2).  This does
1445 not scale, although Perl is so efficient that you probably won't notice
1446 this until you have rather largish arrays.
1447
1448 =head2 How do I process/modify each element of an array?
1449
1450 Use C<for>/C<foreach>:
1451
1452     for (@lines) {
1453         s/foo/bar/;     # change that word
1454         y/XZ/ZX/;       # swap those letters
1455     }
1456
1457 Here's another; let's compute spherical volumes:
1458
1459     for (@volumes = @radii) {   # @volumes has changed parts
1460         $_ **= 3;
1461         $_ *= (4/3) * 3.14159;  # this will be constant folded
1462     }
1463
1464 which can also be done with map() which is made to transform
1465 one list into another:
1466
1467         @volumes = map {$_ ** 3 * (4/3) * 3.14159} @radii;
1468
1469 If you want to do the same thing to modify the values of the
1470 hash, you can use the C<values> function.  As of Perl 5.6
1471 the values are not copied, so if you modify $orbit (in this
1472 case), you modify the value.
1473
1474     for $orbit ( values %orbits ) {
1475         ($orbit **= 3) *= (4/3) * 3.14159;
1476     }
1477
1478 Prior to perl 5.6 C<values> returned copies of the values,
1479 so older perl code often contains constructions such as
1480 C<@orbits{keys %orbits}> instead of C<values %orbits> where
1481 the hash is to be modified.
1482
1483 =head2 How do I select a random element from an array?
1484
1485 Use the rand() function (see L<perlfunc/rand>):
1486
1487     # at the top of the program:
1488     srand;                      # not needed for 5.004 and later
1489
1490     # then later on
1491     $index   = rand @array;
1492     $element = $array[$index];
1493
1494 Make sure you I<only call srand once per program, if then>.
1495 If you are calling it more than once (such as before each
1496 call to rand), you're almost certainly doing something wrong.
1497
1498 =head2 How do I permute N elements of a list?
1499
1500 Use the List::Permutor module on CPAN.  If the list is
1501 actually an array, try the Algorithm::Permute module (also
1502 on CPAN).  It's written in XS code and is very efficient.
1503
1504         use Algorithm::Permute;
1505         my @array = 'a'..'d';
1506         my $p_iterator = Algorithm::Permute->new ( \@array );
1507         while (my @perm = $p_iterator->next) {
1508            print "next permutation: (@perm)\n";
1509         }
1510
1511 For even faster execution, you could do:
1512
1513    use Algorithm::Permute;
1514    my @array = 'a'..'d';
1515    Algorithm::Permute::permute {
1516       print "next permutation: (@array)\n";
1517    } @array;
1518
1519 Here's a little program that generates all permutations of
1520 all the words on each line of input. The algorithm embodied
1521 in the permute() function is discussed in Volume 4 (still
1522 unpublished) of Knuth's I<The Art of Computer Programming>
1523 and will work on any list:
1524
1525         #!/usr/bin/perl -n
1526         # Fischer-Kause ordered permutation generator
1527
1528         sub permute (&@) {
1529                 my $code = shift;
1530                 my @idx = 0..$#_;
1531                 while ( $code->(@_[@idx]) ) {
1532                         my $p = $#idx;
1533                         --$p while $idx[$p-1] > $idx[$p];
1534                         my $q = $p or return;
1535                         push @idx, reverse splice @idx, $p;
1536                         ++$q while $idx[$p-1] > $idx[$q];
1537                         @idx[$p-1,$q]=@idx[$q,$p-1];
1538                 }
1539         }
1540
1541         permute {print"@_\n"} split;
1542
1543 =head2 How do I sort an array by (anything)?
1544
1545 Supply a comparison function to sort() (described in L<perlfunc/sort>):
1546
1547     @list = sort { $a <=> $b } @list;
1548
1549 The default sort function is cmp, string comparison, which would
1550 sort C<(1, 2, 10)> into C<(1, 10, 2)>.  C<< <=> >>, used above, is
1551 the numerical comparison operator.
1552
1553 If you have a complicated function needed to pull out the part you
1554 want to sort on, then don't do it inside the sort function.  Pull it
1555 out first, because the sort BLOCK can be called many times for the
1556 same element.  Here's an example of how to pull out the first word
1557 after the first number on each item, and then sort those words
1558 case-insensitively.
1559
1560     @idx = ();
1561     for (@data) {
1562         ($item) = /\d+\s*(\S+)/;
1563         push @idx, uc($item);
1564     }
1565     @sorted = @data[ sort { $idx[$a] cmp $idx[$b] } 0 .. $#idx ];
1566
1567 which could also be written this way, using a trick
1568 that's come to be known as the Schwartzian Transform:
1569
1570     @sorted = map  { $_->[0] }
1571               sort { $a->[1] cmp $b->[1] }
1572               map  { [ $_, uc( (/\d+\s*(\S+)/)[0]) ] } @data;
1573
1574 If you need to sort on several fields, the following paradigm is useful.
1575
1576     @sorted = sort { field1($a) <=> field1($b) ||
1577                      field2($a) cmp field2($b) ||
1578                      field3($a) cmp field3($b)
1579                    }     @data;
1580
1581 This can be conveniently combined with precalculation of keys as given
1582 above.
1583
1584 See the F<sort> artitcle article in the "Far More Than You Ever Wanted
1585 To Know" collection in http://www.cpan.org/misc/olddoc/FMTEYEWTK.tgz for
1586 more about this approach.
1587
1588 See also the question below on sorting hashes.
1589
1590 =head2 How do I manipulate arrays of bits?
1591
1592 Use pack() and unpack(), or else vec() and the bitwise operations.
1593
1594 For example, this sets $vec to have bit N set if $ints[N] was set:
1595
1596     $vec = '';
1597     foreach(@ints) { vec($vec,$_,1) = 1 }
1598
1599 Here's how, given a vector in $vec, you can
1600 get those bits into your @ints array:
1601
1602     sub bitvec_to_list {
1603         my $vec = shift;
1604         my @ints;
1605         # Find null-byte density then select best algorithm
1606         if ($vec =~ tr/\0// / length $vec > 0.95) {
1607             use integer;
1608             my $i;
1609             # This method is faster with mostly null-bytes
1610             while($vec =~ /[^\0]/g ) {
1611                 $i = -9 + 8 * pos $vec;
1612                 push @ints, $i if vec($vec, ++$i, 1);
1613                 push @ints, $i if vec($vec, ++$i, 1);
1614                 push @ints, $i if vec($vec, ++$i, 1);
1615                 push @ints, $i if vec($vec, ++$i, 1);
1616                 push @ints, $i if vec($vec, ++$i, 1);
1617                 push @ints, $i if vec($vec, ++$i, 1);
1618                 push @ints, $i if vec($vec, ++$i, 1);
1619                 push @ints, $i if vec($vec, ++$i, 1);
1620             }
1621         } else {
1622             # This method is a fast general algorithm
1623             use integer;
1624             my $bits = unpack "b*", $vec;
1625             push @ints, 0 if $bits =~ s/^(\d)// && $1;
1626             push @ints, pos $bits while($bits =~ /1/g);
1627         }
1628         return \@ints;
1629     }
1630
1631 This method gets faster the more sparse the bit vector is.
1632 (Courtesy of Tim Bunce and Winfried Koenig.)
1633
1634 You can make the while loop a lot shorter with this suggestion
1635 from Benjamin Goldberg:
1636
1637         while($vec =~ /[^\0]+/g ) {
1638            push @ints, grep vec($vec, $_, 1), $-[0] * 8 .. $+[0] * 8;
1639         }
1640
1641 Or use the CPAN module Bit::Vector:
1642
1643     $vector = Bit::Vector->new($num_of_bits);
1644     $vector->Index_List_Store(@ints);
1645     @ints = $vector->Index_List_Read();
1646
1647 Bit::Vector provides efficient methods for bit vector, sets of small integers
1648 and "big int" math.
1649
1650 Here's a more extensive illustration using vec():
1651
1652     # vec demo
1653     $vector = "\xff\x0f\xef\xfe";
1654     print "Ilya's string \\xff\\x0f\\xef\\xfe represents the number ",
1655         unpack("N", $vector), "\n";
1656     $is_set = vec($vector, 23, 1);
1657     print "Its 23rd bit is ", $is_set ? "set" : "clear", ".\n";
1658     pvec($vector);
1659
1660     set_vec(1,1,1);
1661     set_vec(3,1,1);
1662     set_vec(23,1,1);
1663
1664     set_vec(3,1,3);
1665     set_vec(3,2,3);
1666     set_vec(3,4,3);
1667     set_vec(3,4,7);
1668     set_vec(3,8,3);
1669     set_vec(3,8,7);
1670
1671     set_vec(0,32,17);
1672     set_vec(1,32,17);
1673
1674     sub set_vec {
1675         my ($offset, $width, $value) = @_;
1676         my $vector = '';
1677         vec($vector, $offset, $width) = $value;
1678         print "offset=$offset width=$width value=$value\n";
1679         pvec($vector);
1680     }
1681
1682     sub pvec {
1683         my $vector = shift;
1684         my $bits = unpack("b*", $vector);
1685         my $i = 0;
1686         my $BASE = 8;
1687
1688         print "vector length in bytes: ", length($vector), "\n";
1689         @bytes = unpack("A8" x length($vector), $bits);
1690         print "bits are: @bytes\n\n";
1691     }
1692
1693 =head2 Why does defined() return true on empty arrays and hashes?
1694
1695 The short story is that you should probably only use defined on scalars or
1696 functions, not on aggregates (arrays and hashes).  See L<perlfunc/defined>
1697 in the 5.004 release or later of Perl for more detail.
1698
1699 =head1 Data: Hashes (Associative Arrays)
1700
1701 =head2 How do I process an entire hash?
1702
1703 Use the each() function (see L<perlfunc/each>) if you don't care
1704 whether it's sorted:
1705
1706     while ( ($key, $value) = each %hash) {
1707         print "$key = $value\n";
1708     }
1709
1710 If you want it sorted, you'll have to use foreach() on the result of
1711 sorting the keys as shown in an earlier question.
1712
1713 =head2 What happens if I add or remove keys from a hash while iterating over it?
1714
1715 Don't do that. :-)
1716
1717 [lwall] In Perl 4, you were not allowed to modify a hash at all while
1718 iterating over it.  In Perl 5 you can delete from it, but you still
1719 can't add to it, because that might cause a doubling of the hash table,
1720 in which half the entries get copied up to the new top half of the
1721 table, at which point you've totally bamboozled the iterator code.
1722 Even if the table doesn't double, there's no telling whether your new
1723 entry will be inserted before or after the current iterator position.
1724
1725 Either treasure up your changes and make them after the iterator finishes
1726 or use keys to fetch all the old keys at once, and iterate over the list
1727 of keys.
1728
1729 =head2 How do I look up a hash element by value?
1730
1731 Create a reverse hash:
1732
1733     %by_value = reverse %by_key;
1734     $key = $by_value{$value};
1735
1736 That's not particularly efficient.  It would be more space-efficient
1737 to use:
1738
1739     while (($key, $value) = each %by_key) {
1740         $by_value{$value} = $key;
1741     }
1742
1743 If your hash could have repeated values, the methods above will only find
1744 one of the associated keys.   This may or may not worry you.  If it does
1745 worry you, you can always reverse the hash into a hash of arrays instead:
1746
1747      while (($key, $value) = each %by_key) {
1748          push @{$key_list_by_value{$value}}, $key;
1749      }
1750
1751 =head2 How can I know how many entries are in a hash?
1752
1753 If you mean how many keys, then all you have to do is
1754 use the keys() function in a scalar context:
1755
1756     $num_keys = keys %hash;
1757
1758 The keys() function also resets the iterator, which means that you may
1759 see strange results if you use this between uses of other hash operators
1760 such as each().
1761
1762 =head2 How do I sort a hash (optionally by value instead of key)?
1763
1764 Internally, hashes are stored in a way that prevents you from imposing
1765 an order on key-value pairs.  Instead, you have to sort a list of the
1766 keys or values:
1767
1768     @keys = sort keys %hash;    # sorted by key
1769     @keys = sort {
1770                     $hash{$a} cmp $hash{$b}
1771             } keys %hash;       # and by value
1772
1773 Here we'll do a reverse numeric sort by value, and if two keys are
1774 identical, sort by length of key, or if that fails, by straight ASCII
1775 comparison of the keys (well, possibly modified by your locale--see
1776 L<perllocale>).
1777
1778     @keys = sort {
1779                 $hash{$b} <=> $hash{$a}
1780                           ||
1781                 length($b) <=> length($a)
1782                           ||
1783                       $a cmp $b
1784     } keys %hash;
1785
1786 =head2 How can I always keep my hash sorted?
1787
1788 You can look into using the DB_File module and tie() using the
1789 $DB_BTREE hash bindings as documented in L<DB_File/"In Memory Databases">.
1790 The Tie::IxHash module from CPAN might also be instructive.
1791
1792 =head2 What's the difference between "delete" and "undef" with hashes?
1793
1794 Hashes contain pairs of scalars: the first is the key, the
1795 second is the value.  The key will be coerced to a string,
1796 although the value can be any kind of scalar: string,
1797 number, or reference.  If a key $key is present in
1798 %hash, C<exists($hash{$key})> will return true.  The value
1799 for a given key can be C<undef>, in which case
1800 C<$hash{$key}> will be C<undef> while C<exists $hash{$key}>
1801 will return true.  This corresponds to (C<$key>, C<undef>)
1802 being in the hash.
1803
1804 Pictures help...  here's the %hash table:
1805
1806           keys  values
1807         +------+------+
1808         |  a   |  3   |
1809         |  x   |  7   |
1810         |  d   |  0   |
1811         |  e   |  2   |
1812         +------+------+
1813
1814 And these conditions hold
1815
1816         $hash{'a'}                       is true
1817         $hash{'d'}                       is false
1818         defined $hash{'d'}               is true
1819         defined $hash{'a'}               is true
1820         exists $hash{'a'}                is true (Perl5 only)
1821         grep ($_ eq 'a', keys %hash)     is true
1822
1823 If you now say
1824
1825         undef $hash{'a'}
1826
1827 your table now reads:
1828
1829
1830           keys  values
1831         +------+------+
1832         |  a   | undef|
1833         |  x   |  7   |
1834         |  d   |  0   |
1835         |  e   |  2   |
1836         +------+------+
1837
1838 and these conditions now hold; changes in caps:
1839
1840         $hash{'a'}                       is FALSE
1841         $hash{'d'}                       is false
1842         defined $hash{'d'}               is true
1843         defined $hash{'a'}               is FALSE
1844         exists $hash{'a'}                is true (Perl5 only)
1845         grep ($_ eq 'a', keys %hash)     is true
1846
1847 Notice the last two: you have an undef value, but a defined key!
1848
1849 Now, consider this:
1850
1851         delete $hash{'a'}
1852
1853 your table now reads:
1854
1855           keys  values
1856         +------+------+
1857         |  x   |  7   |
1858         |  d   |  0   |
1859         |  e   |  2   |
1860         +------+------+
1861
1862 and these conditions now hold; changes in caps:
1863
1864         $hash{'a'}                       is false
1865         $hash{'d'}                       is false
1866         defined $hash{'d'}               is true
1867         defined $hash{'a'}               is false
1868         exists $hash{'a'}                is FALSE (Perl5 only)
1869         grep ($_ eq 'a', keys %hash)     is FALSE
1870
1871 See, the whole entry is gone!
1872
1873 =head2 Why don't my tied hashes make the defined/exists distinction?
1874
1875 This depends on the tied hash's implementation of EXISTS().
1876 For example, there isn't the concept of undef with hashes
1877 that are tied to DBM* files. It also means that exists() and
1878 defined() do the same thing with a DBM* file, and what they
1879 end up doing is not what they do with ordinary hashes.
1880
1881 =head2 How do I reset an each() operation part-way through?
1882
1883 Using C<keys %hash> in scalar context returns the number of keys in
1884 the hash I<and> resets the iterator associated with the hash.  You may
1885 need to do this if you use C<last> to exit a loop early so that when you
1886 re-enter it, the hash iterator has been reset.
1887
1888 =head2 How can I get the unique keys from two hashes?
1889
1890 First you extract the keys from the hashes into lists, then solve
1891 the "removing duplicates" problem described above.  For example:
1892
1893     %seen = ();
1894     for $element (keys(%foo), keys(%bar)) {
1895         $seen{$element}++;
1896     }
1897     @uniq = keys %seen;
1898
1899 Or more succinctly:
1900
1901     @uniq = keys %{{%foo,%bar}};
1902
1903 Or if you really want to save space:
1904
1905     %seen = ();
1906     while (defined ($key = each %foo)) {
1907         $seen{$key}++;
1908     }
1909     while (defined ($key = each %bar)) {
1910         $seen{$key}++;
1911     }
1912     @uniq = keys %seen;
1913
1914 =head2 How can I store a multidimensional array in a DBM file?
1915
1916 Either stringify the structure yourself (no fun), or else
1917 get the MLDBM (which uses Data::Dumper) module from CPAN and layer
1918 it on top of either DB_File or GDBM_File.
1919
1920 =head2 How can I make my hash remember the order I put elements into it?
1921
1922 Use the Tie::IxHash from CPAN.
1923
1924     use Tie::IxHash;
1925     tie my %myhash, 'Tie::IxHash';
1926     for (my $i=0; $i<20; $i++) {
1927         $myhash{$i} = 2*$i;
1928     }
1929     my @keys = keys %myhash;
1930     # @keys = (0,1,2,3,...)
1931
1932 =head2 Why does passing a subroutine an undefined element in a hash create it?
1933
1934 If you say something like:
1935
1936     somefunc($hash{"nonesuch key here"});
1937
1938 Then that element "autovivifies"; that is, it springs into existence
1939 whether you store something there or not.  That's because functions
1940 get scalars passed in by reference.  If somefunc() modifies C<$_[0]>,
1941 it has to be ready to write it back into the caller's version.
1942
1943 This has been fixed as of Perl5.004.
1944
1945 Normally, merely accessing a key's value for a nonexistent key does
1946 I<not> cause that key to be forever there.  This is different than
1947 awk's behavior.
1948
1949 =head2 How can I make the Perl equivalent of a C structure/C++ class/hash or array of hashes or arrays?
1950
1951 Usually a hash ref, perhaps like this:
1952
1953     $record = {
1954         NAME   => "Jason",
1955         EMPNO  => 132,
1956         TITLE  => "deputy peon",
1957         AGE    => 23,
1958         SALARY => 37_000,
1959         PALS   => [ "Norbert", "Rhys", "Phineas"],
1960     };
1961
1962 References are documented in L<perlref> and the upcoming L<perlreftut>.
1963 Examples of complex data structures are given in L<perldsc> and
1964 L<perllol>.  Examples of structures and object-oriented classes are
1965 in L<perltoot>.
1966
1967 =head2 How can I use a reference as a hash key?
1968
1969 You can't do this directly, but you could use the standard Tie::RefHash
1970 module distributed with Perl.
1971
1972 =head1 Data: Misc
1973
1974 =head2 How do I handle binary data correctly?
1975
1976 Perl is binary clean, so this shouldn't be a problem.  For example,
1977 this works fine (assuming the files are found):
1978
1979     if (`cat /vmunix` =~ /gzip/) {
1980         print "Your kernel is GNU-zip enabled!\n";
1981     }
1982
1983 On less elegant (read: Byzantine) systems, however, you have
1984 to play tedious games with "text" versus "binary" files.  See
1985 L<perlfunc/"binmode"> or L<perlopentut>.
1986
1987 If you're concerned about 8-bit ASCII data, then see L<perllocale>.
1988
1989 If you want to deal with multibyte characters, however, there are
1990 some gotchas.  See the section on Regular Expressions.
1991
1992 =head2 How do I determine whether a scalar is a number/whole/integer/float?
1993
1994 Assuming that you don't care about IEEE notations like "NaN" or
1995 "Infinity", you probably just want to use a regular expression.
1996
1997    if (/\D/)            { print "has nondigits\n" }
1998    if (/^\d+$/)         { print "is a whole number\n" }
1999    if (/^-?\d+$/)       { print "is an integer\n" }
2000    if (/^[+-]?\d+$/)    { print "is a +/- integer\n" }
2001    if (/^-?\d+\.?\d*$/) { print "is a real number\n" }
2002    if (/^-?(?:\d+(?:\.\d*)?|\.\d+)$/) { print "is a decimal number\n" }
2003    if (/^([+-]?)(?=\d|\.\d)\d*(\.\d*)?([Ee]([+-]?\d+))?$/)
2004                         { print "a C float\n" }
2005
2006 You can also use the L<Data::Types|Data::Types> module on
2007 the CPAN, which exports functions that validate data types
2008 using these and other regular expressions, or you can use
2009 the C<Regexp::Common> module from CPAN which has regular
2010 expressions to match various types of numbers.
2011
2012 If you're on a POSIX system, Perl's supports the C<POSIX::strtod>
2013 function.  Its semantics are somewhat cumbersome, so here's a C<getnum>
2014 wrapper function for more convenient access.  This function takes
2015 a string and returns the number it found, or C<undef> for input that
2016 isn't a C float.  The C<is_numeric> function is a front end to C<getnum>
2017 if you just want to say, ``Is this a float?''
2018
2019     sub getnum {
2020         use POSIX qw(strtod);
2021         my $str = shift;
2022         $str =~ s/^\s+//;
2023         $str =~ s/\s+$//;
2024         $! = 0;
2025         my($num, $unparsed) = strtod($str);
2026         if (($str eq '') || ($unparsed != 0) || $!) {
2027             return undef;
2028         } else {
2029             return $num;
2030         }
2031     }
2032
2033     sub is_numeric { defined getnum($_[0]) }
2034
2035 Or you could check out the L<String::Scanf|String::Scanf> module on the CPAN
2036 instead. The POSIX module (part of the standard Perl distribution) provides
2037 the C<strtod> and C<strtol> for converting strings to double and longs,
2038 respectively.
2039
2040 =head2 How do I keep persistent data across program calls?
2041
2042 For some specific applications, you can use one of the DBM modules.
2043 See L<AnyDBM_File>.  More generically, you should consult the FreezeThaw
2044 or Storable modules from CPAN.  Starting from Perl 5.8 Storable is part
2045 of the standard distribution.  Here's one example using Storable's C<store>
2046 and C<retrieve> functions:
2047
2048     use Storable;
2049     store(\%hash, "filename");
2050
2051     # later on...
2052     $href = retrieve("filename");        # by ref
2053     %hash = %{ retrieve("filename") };   # direct to hash
2054
2055 =head2 How do I print out or copy a recursive data structure?
2056
2057 The Data::Dumper module on CPAN (or the 5.005 release of Perl) is great
2058 for printing out data structures.  The Storable module on CPAN (or the
2059 5.8 release of Perl), provides a function called C<dclone> that recursively
2060 copies its argument.
2061
2062     use Storable qw(dclone);
2063     $r2 = dclone($r1);
2064
2065 Where $r1 can be a reference to any kind of data structure you'd like.
2066 It will be deeply copied.  Because C<dclone> takes and returns references,
2067 you'd have to add extra punctuation if you had a hash of arrays that
2068 you wanted to copy.
2069
2070     %newhash = %{ dclone(\%oldhash) };
2071
2072 =head2 How do I define methods for every class/object?
2073
2074 Use the UNIVERSAL class (see L<UNIVERSAL>).
2075
2076 =head2 How do I verify a credit card checksum?
2077
2078 Get the Business::CreditCard module from CPAN.
2079
2080 =head2 How do I pack arrays of doubles or floats for XS code?
2081
2082 The kgbpack.c code in the PGPLOT module on CPAN does just this.
2083 If you're doing a lot of float or double processing, consider using
2084 the PDL module from CPAN instead--it makes number-crunching easy.
2085
2086 =head1 AUTHOR AND COPYRIGHT
2087
2088 Copyright (c) 1997-2002 Tom Christiansen and Nathan Torkington.
2089 All rights reserved.
2090
2091 This documentation is free; you can redistribute it and/or modify it
2092 under the same terms as Perl itself.
2093
2094 Irrespective of its distribution, all code examples in this file
2095 are hereby placed into the public domain.  You are permitted and
2096 encouraged to use this code in your own programs for fun
2097 or for profit as you see fit.  A simple comment in the code giving
2098 credit would be courteous but is not required.