1=head1 NAME 2 3perlfaq4 - Data Manipulation 4 5=head1 DESCRIPTION 6 7This section of the FAQ answers questions related to manipulating 8numbers, 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 14For the long explanation, see David Goldberg's "What Every Computer 15Scientist Should Know About Floating-Point Arithmetic" 16(L<http://web.cse.msu.edu/~cse320/Documents/FloatingPoint.pdf>). 17 18Internally, your computer represents floating-point numbers in binary. 19Digital (as in powers of two) computers cannot store all numbers 20exactly. Some real numbers lose precision in the process. This is a 21problem with how computers store numbers and affects all computer 22languages, not just Perl. 23 24L<perlnumber> shows the gory details of number representations and 25conversions. 26 27To limit the number of decimal places in your numbers, you can use the 28C<printf> or C<sprintf> function. See 29L<perlop/"Floating-point Arithmetic"> for more details. 30 31 printf "%.2f", 10/3; 32 33 my $number = sprintf "%.2f", 10/3; 34 35=head2 Why is int() broken? 36 37Your C<int()> is most probably working just fine. It's the numbers that 38aren't quite what you think. 39 40First, see the answer to "Why am I getting long decimals 41(eg, 19.9499999999999) instead of the numbers I should be getting 42(eg, 19.95)?". 43 44For example, this 45 46 print int(0.6/0.2-2), "\n"; 47 48will in most computers print 0, not 1, because even such simple 49numbers as 0.6 and 0.2 cannot be presented exactly by floating-point 50numbers. What you think in the above as 'three' is really more like 512.9999999999999995559. 52 53=head2 Why isn't my octal data interpreted correctly? 54 55(contributed by brian d foy) 56 57You're probably trying to convert a string to a number, which Perl only 58converts as a decimal number. When Perl converts a string to a number, it 59ignores leading spaces and zeroes, then assumes the rest of the digits 60are in base 10: 61 62 my $string = '0644'; 63 64 print $string + 0; # prints 644 65 66 print $string + 44; # prints 688, certainly not octal! 67 68This problem usually involves one of the Perl built-ins that has the 69same name a Unix command that uses octal numbers as arguments on the 70command line. In this example, C<chmod> on the command line knows that 71its first argument is octal because that's what it does: 72 73 %prompt> chmod 644 file 74 75If you want to use the same literal digits (644) in Perl, you have to tell 76Perl to treat them as octal numbers either by prefixing the digits with 77a C<0> or using C<oct>: 78 79 chmod( 0644, $filename ); # right, has leading zero 80 chmod( oct(644), $filename ); # also correct 81 82The problem comes in when you take your numbers from something that Perl 83thinks is a string, such as a command line argument in C<@ARGV>: 84 85 chmod( $ARGV[0], $filename ); # wrong, even if "0644" 86 87 chmod( oct($ARGV[0]), $filename ); # correct, treat string as octal 88 89You can always check the value you're using by printing it in octal 90notation to ensure it matches what you think it should be. Print it 91in octal and decimal format: 92 93 printf "0%o %d", $number, $number; 94 95=head2 Does Perl have a round() function? What about ceil() and floor()? Trig functions? 96 97Remember that C<int()> merely truncates toward 0. For rounding to a 98certain number of digits, C<sprintf()> or C<printf()> is usually the 99easiest route. 100 101 printf("%.3f", 3.1415926535); # prints 3.142 102 103The L<POSIX> module (part of the standard Perl distribution) 104implements C<ceil()>, C<floor()>, and a number of other mathematical 105and trigonometric functions. 106 107 use POSIX; 108 my $ceil = ceil(3.5); # 4 109 my $floor = floor(3.5); # 3 110 111In 5.000 to 5.003 perls, trigonometry was done in the L<Math::Complex> 112module. With 5.004, the L<Math::Trig> module (part of the standard Perl 113distribution) implements the trigonometric functions. Internally it 114uses the L<Math::Complex> module and some functions can break out from 115the real axis into the complex plane, for example the inverse sine of 1162. 117 118Rounding in financial applications can have serious implications, and 119the rounding method used should be specified precisely. In these 120cases, it probably pays not to trust whichever system of rounding is 121being used by Perl, but instead to implement the rounding function you 122need yourself. 123 124To see why, notice how you'll still have an issue on half-way-point 125alternation: 126 127 for (my $i = 0; $i < 1.01; $i += 0.05) { printf "%.1f ",$i} 128 129 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 130 0.8 0.8 0.9 0.9 1.0 1.0 131 132Don't blame Perl. It's the same as in C. IEEE says we have to do 133this. Perl numbers whose absolute values are integers under 2**31 (on 13432-bit machines) will work pretty much like mathematical integers. 135Other numbers are not guaranteed. 136 137=head2 How do I convert between numeric representations/bases/radixes? 138 139As always with Perl there is more than one way to do it. Below are a 140few examples of approaches to making common conversions between number 141representations. This is intended to be representational rather than 142exhaustive. 143 144Some of the examples later in L<perlfaq4> use the L<Bit::Vector> 145module from CPAN. The reason you might choose L<Bit::Vector> over the 146perl built-in functions is that it works with numbers of ANY size, 147that it is optimized for speed on some operations, and for at least 148some programmers the notation might be familiar. 149 150=over 4 151 152=item How do I convert hexadecimal into decimal 153 154Using perl's built in conversion of C<0x> notation: 155 156 my $dec = 0xDEADBEEF; 157 158Using the C<hex> function: 159 160 my $dec = hex("DEADBEEF"); 161 162Using C<pack>: 163 164 my $dec = unpack("N", pack("H8", substr("0" x 8 . "DEADBEEF", -8))); 165 166Using the CPAN module C<Bit::Vector>: 167 168 use Bit::Vector; 169 my $vec = Bit::Vector->new_Hex(32, "DEADBEEF"); 170 my $dec = $vec->to_Dec(); 171 172=item How do I convert from decimal to hexadecimal 173 174Using C<sprintf>: 175 176 my $hex = sprintf("%X", 3735928559); # upper case A-F 177 my $hex = sprintf("%x", 3735928559); # lower case a-f 178 179Using C<unpack>: 180 181 my $hex = unpack("H*", pack("N", 3735928559)); 182 183Using L<Bit::Vector>: 184 185 use Bit::Vector; 186 my $vec = Bit::Vector->new_Dec(32, -559038737); 187 my $hex = $vec->to_Hex(); 188 189And L<Bit::Vector> supports odd bit counts: 190 191 use Bit::Vector; 192 my $vec = Bit::Vector->new_Dec(33, 3735928559); 193 $vec->Resize(32); # suppress leading 0 if unwanted 194 my $hex = $vec->to_Hex(); 195 196=item How do I convert from octal to decimal 197 198Using Perl's built in conversion of numbers with leading zeros: 199 200 my $dec = 033653337357; # note the leading 0! 201 202Using the C<oct> function: 203 204 my $dec = oct("33653337357"); 205 206Using L<Bit::Vector>: 207 208 use Bit::Vector; 209 my $vec = Bit::Vector->new(32); 210 $vec->Chunk_List_Store(3, split(//, reverse "33653337357")); 211 my $dec = $vec->to_Dec(); 212 213=item How do I convert from decimal to octal 214 215Using C<sprintf>: 216 217 my $oct = sprintf("%o", 3735928559); 218 219Using L<Bit::Vector>: 220 221 use Bit::Vector; 222 my $vec = Bit::Vector->new_Dec(32, -559038737); 223 my $oct = reverse join('', $vec->Chunk_List_Read(3)); 224 225=item How do I convert from binary to decimal 226 227Perl 5.6 lets you write binary numbers directly with 228the C<0b> notation: 229 230 my $number = 0b10110110; 231 232Using C<oct>: 233 234 my $input = "10110110"; 235 my $decimal = oct( "0b$input" ); 236 237Using C<pack> and C<ord>: 238 239 my $decimal = ord(pack('B8', '10110110')); 240 241Using C<pack> and C<unpack> for larger strings: 242 243 my $int = unpack("N", pack("B32", 244 substr("0" x 32 . "11110101011011011111011101111", -32))); 245 my $dec = sprintf("%d", $int); 246 247 # substr() is used to left-pad a 32-character string with zeros. 248 249Using L<Bit::Vector>: 250 251 my $vec = Bit::Vector->new_Bin(32, "11011110101011011011111011101111"); 252 my $dec = $vec->to_Dec(); 253 254=item How do I convert from decimal to binary 255 256Using C<sprintf> (perl 5.6+): 257 258 my $bin = sprintf("%b", 3735928559); 259 260Using C<unpack>: 261 262 my $bin = unpack("B*", pack("N", 3735928559)); 263 264Using L<Bit::Vector>: 265 266 use Bit::Vector; 267 my $vec = Bit::Vector->new_Dec(32, -559038737); 268 my $bin = $vec->to_Bin(); 269 270The remaining transformations (e.g. hex -> oct, bin -> hex, etc.) 271are left as an exercise to the inclined reader. 272 273=back 274 275=head2 Why doesn't & work the way I want it to? 276 277The behavior of binary arithmetic operators depends on whether they're 278used on numbers or strings. The operators treat a string as a series 279of bits and work with that (the string C<"3"> is the bit pattern 280C<00110011>). The operators work with the binary form of a number 281(the number C<3> is treated as the bit pattern C<00000011>). 282 283So, saying C<11 & 3> performs the "and" operation on numbers (yielding 284C<3>). Saying C<"11" & "3"> performs the "and" operation on strings 285(yielding C<"1">). 286 287Most problems with C<&> and C<|> arise because the programmer thinks 288they have a number but really it's a string or vice versa. To avoid this, 289stringify the arguments explicitly (using C<""> or C<qq()>) or convert them 290to numbers explicitly (using C<0+$arg>). The rest arise because 291the programmer says: 292 293 if ("\020\020" & "\101\101") { 294 # ... 295 } 296 297but a string consisting of two null bytes (the result of C<"\020\020" 298& "\101\101">) is not a false value in Perl. You need: 299 300 if ( ("\020\020" & "\101\101") !~ /[^\000]/) { 301 # ... 302 } 303 304=head2 How do I multiply matrices? 305 306Use the L<Math::Matrix> or L<Math::MatrixReal> modules (available from CPAN) 307or the L<PDL> extension (also available from CPAN). 308 309=head2 How do I perform an operation on a series of integers? 310 311To call a function on each element in an array, and collect the 312results, use: 313 314 my @results = map { my_func($_) } @array; 315 316For example: 317 318 my @triple = map { 3 * $_ } @single; 319 320To call a function on each element of an array, but ignore the 321results: 322 323 foreach my $iterator (@array) { 324 some_func($iterator); 325 } 326 327To call a function on each integer in a (small) range, you B<can> use: 328 329 my @results = map { some_func($_) } (5 .. 25); 330 331but you should be aware that in this form, the C<..> operator 332creates a list of all integers in the range, which can take a lot of 333memory for large ranges. However, the problem does not occur when 334using C<..> within a C<for> loop, because in that case the range 335operator is optimized to I<iterate> over the range, without creating 336the entire list. So 337 338 my @results = (); 339 for my $i (5 .. 500_005) { 340 push(@results, some_func($i)); 341 } 342 343or even 344 345 push(@results, some_func($_)) for 5 .. 500_005; 346 347will not create an intermediate list of 500,000 integers. 348 349=head2 How can I output Roman numerals? 350 351Get the L<http://www.cpan.org/modules/by-module/Roman> module. 352 353=head2 Why aren't my random numbers random? 354 355If you're using a version of Perl before 5.004, you must call C<srand> 356once at the start of your program to seed the random number generator. 357 358 BEGIN { srand() if $] < 5.004 } 359 3605.004 and later automatically call C<srand> at the beginning. Don't 361call C<srand> more than once--you make your numbers less random, 362rather than more. 363 364Computers are good at being predictable and bad at being random 365(despite appearances caused by bugs in your programs :-). The 366F<random> article in the "Far More Than You Ever Wanted To Know" 367collection in L<http://www.cpan.org/misc/olddoc/FMTEYEWTK.tgz>, courtesy 368of Tom Phoenix, talks more about this. John von Neumann said, "Anyone 369who attempts to generate random numbers by deterministic means is, of 370course, living in a state of sin." 371 372Perl relies on the underlying system for the implementation of 373C<rand> and C<srand>; on some systems, the generated numbers are 374not random enough (especially on Windows : see 375L<http://www.perlmonks.org/?node_id=803632>). 376Several CPAN modules in the C<Math> namespace implement better 377pseudorandom generators; see for example 378L<Math::Random::MT> ("Mersenne Twister", fast), or 379L<Math::TrulyRandom> (uses the imperfections in the system's 380timer to generate random numbers, which is rather slow). 381More algorithms for random numbers are described in 382"Numerical Recipes in C" at L<http://www.nr.com/> 383 384=head2 How do I get a random number between X and Y? 385 386To get a random number between two values, you can use the C<rand()> 387built-in to get a random number between 0 and 1. From there, you shift 388that into the range that you want. 389 390C<rand($x)> returns a number such that C<< 0 <= rand($x) < $x >>. Thus 391what you want to have perl figure out is a random number in the range 392from 0 to the difference between your I<X> and I<Y>. 393 394That is, to get a number between 10 and 15, inclusive, you want a 395random number between 0 and 5 that you can then add to 10. 396 397 my $number = 10 + int rand( 15-10+1 ); # ( 10,11,12,13,14, or 15 ) 398 399Hence you derive the following simple function to abstract 400that. It selects a random integer between the two given 401integers (inclusive), For example: C<random_int_between(50,120)>. 402 403 sub random_int_between { 404 my($min, $max) = @_; 405 # Assumes that the two arguments are integers themselves! 406 return $min if $min == $max; 407 ($min, $max) = ($max, $min) if $min > $max; 408 return $min + int rand(1 + $max - $min); 409 } 410 411=head1 Data: Dates 412 413=head2 How do I find the day or week of the year? 414 415The day of the year is in the list returned 416by the C<localtime> function. Without an 417argument C<localtime> uses the current time. 418 419 my $day_of_year = (localtime)[7]; 420 421The L<POSIX> module can also format a date as the day of the year or 422week of the year. 423 424 use POSIX qw/strftime/; 425 my $day_of_year = strftime "%j", localtime; 426 my $week_of_year = strftime "%W", localtime; 427 428To get the day of year for any date, use L<POSIX>'s C<mktime> to get 429a time in epoch seconds for the argument to C<localtime>. 430 431 use POSIX qw/mktime strftime/; 432 my $week_of_year = strftime "%W", 433 localtime( mktime( 0, 0, 0, 18, 11, 87 ) ); 434 435You can also use L<Time::Piece>, which comes with Perl and provides a 436C<localtime> that returns an object: 437 438 use Time::Piece; 439 my $day_of_year = localtime->yday; 440 my $week_of_year = localtime->week; 441 442The L<Date::Calc> module provides two functions to calculate these, too: 443 444 use Date::Calc; 445 my $day_of_year = Day_of_Year( 1987, 12, 18 ); 446 my $week_of_year = Week_of_Year( 1987, 12, 18 ); 447 448=head2 How do I find the current century or millennium? 449 450Use the following simple functions: 451 452 sub get_century { 453 return int((((localtime(shift || time))[5] + 1999))/100); 454 } 455 456 sub get_millennium { 457 return 1+int((((localtime(shift || time))[5] + 1899))/1000); 458 } 459 460On some systems, the L<POSIX> module's C<strftime()> function has been 461extended in a non-standard way to use a C<%C> format, which they 462sometimes claim is the "century". It isn't, because on most such 463systems, this is only the first two digits of the four-digit year, and 464thus cannot be used to determine reliably the current century or 465millennium. 466 467=head2 How can I compare two dates and find the difference? 468 469(contributed by brian d foy) 470 471You could just store all your dates as a number and then subtract. 472Life isn't always that simple though. 473 474The L<Time::Piece> module, which comes with Perl, replaces L<localtime> 475with a version that returns an object. It also overloads the comparison 476operators so you can compare them directly: 477 478 use Time::Piece; 479 my $date1 = localtime( $some_time ); 480 my $date2 = localtime( $some_other_time ); 481 482 if( $date1 < $date2 ) { 483 print "The date was in the past\n"; 484 } 485 486You can also get differences with a subtraction, which returns a 487L<Time::Seconds> object: 488 489 my $diff = $date1 - $date2; 490 print "The difference is ", $date_diff->days, " days\n"; 491 492If you want to work with formatted dates, the L<Date::Manip>, 493L<Date::Calc>, or L<DateTime> modules can help you. 494 495=head2 How can I take a string and turn it into epoch seconds? 496 497If it's a regular enough string that it always has the same format, 498you can split it up and pass the parts to C<timelocal> in the standard 499L<Time::Local> module. Otherwise, you should look into the L<Date::Calc>, 500L<Date::Parse>, and L<Date::Manip> modules from CPAN. 501 502=head2 How can I find the Julian Day? 503 504(contributed by brian d foy and Dave Cross) 505 506You can use the L<Time::Piece> module, part of the Standard Library, 507which can convert a date/time to a Julian Day: 508 509 $ perl -MTime::Piece -le 'print localtime->julian_day' 510 2455607.7959375 511 512Or the modified Julian Day: 513 514 $ perl -MTime::Piece -le 'print localtime->mjd' 515 55607.2961226851 516 517Or even the day of the year (which is what some people think of as a 518Julian day): 519 520 $ perl -MTime::Piece -le 'print localtime->yday' 521 45 522 523You can also do the same things with the L<DateTime> module: 524 525 $ perl -MDateTime -le'print DateTime->today->jd' 526 2453401.5 527 $ perl -MDateTime -le'print DateTime->today->mjd' 528 53401 529 $ perl -MDateTime -le'print DateTime->today->doy' 530 31 531 532You can use the L<Time::JulianDay> module available on CPAN. Ensure 533that you really want to find a Julian day, though, as many people have 534different ideas about Julian days (see L<http://www.hermetic.ch/cal_stud/jdn.htm> 535for instance): 536 537 $ perl -MTime::JulianDay -le 'print local_julian_day( time )' 538 55608 539 540=head2 How do I find yesterday's date? 541X<date> X<yesterday> X<DateTime> X<Date::Calc> X<Time::Local> 542X<daylight saving time> X<day> X<Today_and_Now> X<localtime> 543X<timelocal> 544 545(contributed by brian d foy) 546 547To do it correctly, you can use one of the C<Date> modules since they 548work with calendars instead of times. The L<DateTime> module makes it 549simple, and give you the same time of day, only the day before, 550despite daylight saving time changes: 551 552 use DateTime; 553 554 my $yesterday = DateTime->now->subtract( days => 1 ); 555 556 print "Yesterday was $yesterday\n"; 557 558You can also use the L<Date::Calc> module using its C<Today_and_Now> 559function. 560 561 use Date::Calc qw( Today_and_Now Add_Delta_DHMS ); 562 563 my @date_time = Add_Delta_DHMS( Today_and_Now(), -1, 0, 0, 0 ); 564 565 print "@date_time\n"; 566 567Most people try to use the time rather than the calendar to figure out 568dates, but that assumes that days are twenty-four hours each. For 569most people, there are two days a year when they aren't: the switch to 570and from summer time throws this off. For example, the rest of the 571suggestions will be wrong sometimes: 572 573Starting with Perl 5.10, L<Time::Piece> and L<Time::Seconds> are part 574of the standard distribution, so you might think that you could do 575something like this: 576 577 use Time::Piece; 578 use Time::Seconds; 579 580 my $yesterday = localtime() - ONE_DAY; # WRONG 581 print "Yesterday was $yesterday\n"; 582 583The L<Time::Piece> module exports a new C<localtime> that returns an 584object, and L<Time::Seconds> exports the C<ONE_DAY> constant that is a 585set number of seconds. This means that it always gives the time 24 586hours ago, which is not always yesterday. This can cause problems 587around the end of daylight saving time when there's one day that is 25 588hours long. 589 590You have the same problem with L<Time::Local>, which will give the wrong 591answer for those same special cases: 592 593 # contributed by Gunnar Hjalmarsson 594 use Time::Local; 595 my $today = timelocal 0, 0, 12, ( localtime )[3..5]; 596 my ($d, $m, $y) = ( localtime $today-86400 )[3..5]; # WRONG 597 printf "Yesterday: %d-%02d-%02d\n", $y+1900, $m+1, $d; 598 599=head2 Does Perl have a Year 2000 or 2038 problem? Is Perl Y2K compliant? 600 601(contributed by brian d foy) 602 603Perl itself never had a Y2K problem, although that never stopped people 604from creating Y2K problems on their own. See the documentation for 605C<localtime> for its proper use. 606 607Starting with Perl 5.12, C<localtime> and C<gmtime> can handle dates past 60803:14:08 January 19, 2038, when a 32-bit based time would overflow. You 609still might get a warning on a 32-bit C<perl>: 610 611 % perl5.12 -E 'say scalar localtime( 0x9FFF_FFFFFFFF )' 612 Integer overflow in hexadecimal number at -e line 1. 613 Wed Nov 1 19:42:39 5576711 614 615On a 64-bit C<perl>, you can get even larger dates for those really long 616running projects: 617 618 % perl5.12 -E 'say scalar gmtime( 0x9FFF_FFFFFFFF )' 619 Thu Nov 2 00:42:39 5576711 620 621You're still out of luck if you need to keep track of decaying protons 622though. 623 624=head1 Data: Strings 625 626=head2 How do I validate input? 627 628(contributed by brian d foy) 629 630There are many ways to ensure that values are what you expect or 631want to accept. Besides the specific examples that we cover in the 632perlfaq, you can also look at the modules with "Assert" and "Validate" 633in their names, along with other modules such as L<Regexp::Common>. 634 635Some modules have validation for particular types of input, such 636as L<Business::ISBN>, L<Business::CreditCard>, L<Email::Valid>, 637and L<Data::Validate::IP>. 638 639=head2 How do I unescape a string? 640 641It depends just what you mean by "escape". URL escapes are dealt 642with in L<perlfaq9>. Shell escapes with the backslash (C<\>) 643character are removed with 644 645 s/\\(.)/$1/g; 646 647This won't expand C<"\n"> or C<"\t"> or any other special escapes. 648 649=head2 How do I remove consecutive pairs of characters? 650 651(contributed by brian d foy) 652 653You can use the substitution operator to find pairs of characters (or 654runs of characters) and replace them with a single instance. In this 655substitution, we find a character in C<(.)>. The memory parentheses 656store the matched character in the back-reference C<\g1> and we use 657that to require that the same thing immediately follow it. We replace 658that part of the string with the character in C<$1>. 659 660 s/(.)\g1/$1/g; 661 662We can also use the transliteration operator, C<tr///>. In this 663example, the search list side of our C<tr///> contains nothing, but 664the C<c> option complements that so it contains everything. The 665replacement list also contains nothing, so the transliteration is 666almost a no-op since it won't do any replacements (or more exactly, 667replace the character with itself). However, the C<s> option squashes 668duplicated and consecutive characters in the string so a character 669does not show up next to itself 670 671 my $str = 'Haarlem'; # in the Netherlands 672 $str =~ tr///cs; # Now Harlem, like in New York 673 674=head2 How do I expand function calls in a string? 675 676(contributed by brian d foy) 677 678This is documented in L<perlref>, and although it's not the easiest 679thing to read, it does work. In each of these examples, we call the 680function inside the braces used to dereference a reference. If we 681have more than one return value, we can construct and dereference an 682anonymous array. In this case, we call the function in list context. 683 684 print "The time values are @{ [localtime] }.\n"; 685 686If we want to call the function in scalar context, we have to do a bit 687more work. We can really have any code we like inside the braces, so 688we simply have to end with the scalar reference, although how you do 689that is up to you, and you can use code inside the braces. Note that 690the use of parens creates a list context, so we need C<scalar> to 691force the scalar context on the function: 692 693 print "The time is ${\(scalar localtime)}.\n" 694 695 print "The time is ${ my $x = localtime; \$x }.\n"; 696 697If your function already returns a reference, you don't need to create 698the reference yourself. 699 700 sub timestamp { my $t = localtime; \$t } 701 702 print "The time is ${ timestamp() }.\n"; 703 704The C<Interpolation> module can also do a lot of magic for you. You can 705specify a variable name, in this case C<E>, to set up a tied hash that 706does the interpolation for you. It has several other methods to do this 707as well. 708 709 use Interpolation E => 'eval'; 710 print "The time values are $E{localtime()}.\n"; 711 712In most cases, it is probably easier to simply use string concatenation, 713which also forces scalar context. 714 715 print "The time is " . localtime() . ".\n"; 716 717=head2 How do I find matching/nesting anything? 718 719To find something between two single 720characters, a pattern like C</x([^x]*)x/> will get the intervening 721bits in $1. For multiple ones, then something more like 722C</alpha(.*?)omega/> would be needed. For nested patterns 723and/or balanced expressions, see the so-called 724L<< (?PARNO)|perlre/C<(?PARNO)> C<(?-PARNO)> C<(?+PARNO)> C<(?R)> C<(?0)> >> 725construct (available since perl 5.10). 726The CPAN module L<Regexp::Common> can help to build such 727regular expressions (see in particular 728L<Regexp::Common::balanced> and L<Regexp::Common::delimited>). 729 730More complex cases will require to write a parser, probably 731using a parsing module from CPAN, like 732L<Regexp::Grammars>, L<Parse::RecDescent>, L<Parse::Yapp>, 733L<Text::Balanced>, or L<Marpa::XS>. 734 735=head2 How do I reverse a string? 736 737Use C<reverse()> in scalar context, as documented in 738L<perlfunc/reverse>. 739 740 my $reversed = reverse $string; 741 742=head2 How do I expand tabs in a string? 743 744You can do it yourself: 745 746 1 while $string =~ s/\t+/' ' x (length($&) * 8 - length($`) % 8)/e; 747 748Or you can just use the L<Text::Tabs> module (part of the standard Perl 749distribution). 750 751 use Text::Tabs; 752 my @expanded_lines = expand(@lines_with_tabs); 753 754=head2 How do I reformat a paragraph? 755 756Use L<Text::Wrap> (part of the standard Perl distribution): 757 758 use Text::Wrap; 759 print wrap("\t", ' ', @paragraphs); 760 761The paragraphs you give to L<Text::Wrap> should not contain embedded 762newlines. L<Text::Wrap> doesn't justify the lines (flush-right). 763 764Or use the CPAN module L<Text::Autoformat>. Formatting files can be 765easily done by making a shell alias, like so: 766 767 alias fmt="perl -i -MText::Autoformat -n0777 \ 768 -e 'print autoformat $_, {all=>1}' $*" 769 770See the documentation for L<Text::Autoformat> to appreciate its many 771capabilities. 772 773=head2 How can I access or change N characters of a string? 774 775You can access the first characters of a string with substr(). 776To get the first character, for example, start at position 0 777and grab the string of length 1. 778 779 780 my $string = "Just another Perl Hacker"; 781 my $first_char = substr( $string, 0, 1 ); # 'J' 782 783To change part of a string, you can use the optional fourth 784argument which is the replacement string. 785 786 substr( $string, 13, 4, "Perl 5.8.0" ); 787 788You can also use substr() as an lvalue. 789 790 substr( $string, 13, 4 ) = "Perl 5.8.0"; 791 792=head2 How do I change the Nth occurrence of something? 793 794You have to keep track of N yourself. For example, let's say you want 795to change the fifth occurrence of C<"whoever"> or C<"whomever"> into 796C<"whosoever"> or C<"whomsoever">, case insensitively. These 797all assume that $_ contains the string to be altered. 798 799 $count = 0; 800 s{((whom?)ever)}{ 801 ++$count == 5 # is it the 5th? 802 ? "${2}soever" # yes, swap 803 : $1 # renege and leave it there 804 }ige; 805 806In the more general case, you can use the C</g> modifier in a C<while> 807loop, keeping count of matches. 808 809 $WANT = 3; 810 $count = 0; 811 $_ = "One fish two fish red fish blue fish"; 812 while (/(\w+)\s+fish\b/gi) { 813 if (++$count == $WANT) { 814 print "The third fish is a $1 one.\n"; 815 } 816 } 817 818That prints out: C<"The third fish is a red one."> You can also use a 819repetition count and repeated pattern like this: 820 821 /(?:\w+\s+fish\s+){2}(\w+)\s+fish/i; 822 823=head2 How can I count the number of occurrences of a substring within a string? 824 825There are a number of ways, with varying efficiency. If you want a 826count of a certain single character (X) within a string, you can use the 827C<tr///> function like so: 828 829 my $string = "ThisXlineXhasXsomeXx'sXinXit"; 830 my $count = ($string =~ tr/X//); 831 print "There are $count X characters in the string"; 832 833This is fine if you are just looking for a single character. However, 834if you are trying to count multiple character substrings within a 835larger string, C<tr///> won't work. What you can do is wrap a while() 836loop around a global pattern match. For example, let's count negative 837integers: 838 839 my $string = "-9 55 48 -2 23 -76 4 14 -44"; 840 my $count = 0; 841 while ($string =~ /-\d+/g) { $count++ } 842 print "There are $count negative numbers in the string"; 843 844Another version uses a global match in list context, then assigns the 845result to a scalar, producing a count of the number of matches. 846 847 my $count = () = $string =~ /-\d+/g; 848 849=head2 How do I capitalize all the words on one line? 850X<Text::Autoformat> X<capitalize> X<case, title> X<case, sentence> 851 852(contributed by brian d foy) 853 854Damian Conway's L<Text::Autoformat> handles all of the thinking 855for you. 856 857 use Text::Autoformat; 858 my $x = "Dr. Strangelove or: How I Learned to Stop ". 859 "Worrying and Love the Bomb"; 860 861 print $x, "\n"; 862 for my $style (qw( sentence title highlight )) { 863 print autoformat($x, { case => $style }), "\n"; 864 } 865 866How do you want to capitalize those words? 867 868 FRED AND BARNEY'S LODGE # all uppercase 869 Fred And Barney's Lodge # title case 870 Fred and Barney's Lodge # highlight case 871 872It's not as easy a problem as it looks. How many words do you think 873are in there? Wait for it... wait for it.... If you answered 5 874you're right. Perl words are groups of C<\w+>, but that's not what 875you want to capitalize. How is Perl supposed to know not to capitalize 876that C<s> after the apostrophe? You could try a regular expression: 877 878 $string =~ s/ ( 879 (^\w) #at the beginning of the line 880 | # or 881 (\s\w) #preceded by whitespace 882 ) 883 /\U$1/xg; 884 885 $string =~ s/([\w']+)/\u\L$1/g; 886 887Now, what if you don't want to capitalize that "and"? Just use 888L<Text::Autoformat> and get on with the next problem. :) 889 890=head2 How can I split a [character]-delimited string except when inside [character]? 891 892Several modules can handle this sort of parsing--L<Text::Balanced>, 893L<Text::CSV>, L<Text::CSV_XS>, and L<Text::ParseWords>, among others. 894 895Take the example case of trying to split a string that is 896comma-separated into its different fields. You can't use C<split(/,/)> 897because you shouldn't split if the comma is inside quotes. For 898example, take a data line like this: 899 900 SAR001,"","Cimetrix, Inc","Bob Smith","CAM",N,8,1,0,7,"Error, Core Dumped" 901 902Due to the restriction of the quotes, this is a fairly complex 903problem. Thankfully, we have Jeffrey Friedl, author of 904I<Mastering Regular Expressions>, to handle these for us. He 905suggests (assuming your string is contained in C<$text>): 906 907 my @new = (); 908 push(@new, $+) while $text =~ m{ 909 "([^\"\\]*(?:\\.[^\"\\]*)*)",? # groups the phrase inside the quotes 910 | ([^,]+),? 911 | , 912 }gx; 913 push(@new, undef) if substr($text,-1,1) eq ','; 914 915If you want to represent quotation marks inside a 916quotation-mark-delimited field, escape them with backslashes (eg, 917C<"like \"this\"">. 918 919Alternatively, the L<Text::ParseWords> module (part of the standard 920Perl distribution) lets you say: 921 922 use Text::ParseWords; 923 @new = quotewords(",", 0, $text); 924 925For parsing or generating CSV, though, using L<Text::CSV> rather than 926implementing it yourself is highly recommended; you'll save yourself odd bugs 927popping up later by just using code which has already been tried and tested in 928production for years. 929 930=head2 How do I strip blank space from the beginning/end of a string? 931 932(contributed by brian d foy) 933 934A substitution can do this for you. For a single line, you want to 935replace all the leading or trailing whitespace with nothing. You 936can do that with a pair of substitutions: 937 938 s/^\s+//; 939 s/\s+$//; 940 941You can also write that as a single substitution, although it turns 942out the combined statement is slower than the separate ones. That 943might not matter to you, though: 944 945 s/^\s+|\s+$//g; 946 947In this regular expression, the alternation matches either at the 948beginning or the end of the string since the anchors have a lower 949precedence than the alternation. With the C</g> flag, the substitution 950makes all possible matches, so it gets both. Remember, the trailing 951newline matches the C<\s+>, and the C<$> anchor can match to the 952absolute end of the string, so the newline disappears too. Just add 953the newline to the output, which has the added benefit of preserving 954"blank" (consisting entirely of whitespace) lines which the C<^\s+> 955would remove all by itself: 956 957 while( <> ) { 958 s/^\s+|\s+$//g; 959 print "$_\n"; 960 } 961 962For a multi-line string, you can apply the regular expression to each 963logical line in the string by adding the C</m> flag (for 964"multi-line"). With the C</m> flag, the C<$> matches I<before> an 965embedded newline, so it doesn't remove it. This pattern still removes 966the newline at the end of the string: 967 968 $string =~ s/^\s+|\s+$//gm; 969 970Remember that lines consisting entirely of whitespace will disappear, 971since the first part of the alternation can match the entire string 972and replace it with nothing. If you need to keep embedded blank lines, 973you have to do a little more work. Instead of matching any whitespace 974(since that includes a newline), just match the other whitespace: 975 976 $string =~ s/^[\t\f ]+|[\t\f ]+$//mg; 977 978=head2 How do I pad a string with blanks or pad a number with zeroes? 979 980In the following examples, C<$pad_len> is the length to which you wish 981to pad the string, C<$text> or C<$num> contains the string to be padded, 982and C<$pad_char> contains the padding character. You can use a single 983character string constant instead of the C<$pad_char> variable if you 984know what it is in advance. And in the same way you can use an integer in 985place of C<$pad_len> if you know the pad length in advance. 986 987The simplest method uses the C<sprintf> function. It can pad on the left 988or right with blanks and on the left with zeroes and it will not 989truncate the result. The C<pack> function can only pad strings on the 990right with blanks and it will truncate the result to a maximum length of 991C<$pad_len>. 992 993 # Left padding a string with blanks (no truncation): 994 my $padded = sprintf("%${pad_len}s", $text); 995 my $padded = sprintf("%*s", $pad_len, $text); # same thing 996 997 # Right padding a string with blanks (no truncation): 998 my $padded = sprintf("%-${pad_len}s", $text); 999 my $padded = sprintf("%-*s", $pad_len, $text); # same thing 1000 1001 # Left padding a number with 0 (no truncation): 1002 my $padded = sprintf("%0${pad_len}d", $num); 1003 my $padded = sprintf("%0*d", $pad_len, $num); # same thing 1004 1005 # Right padding a string with blanks using pack (will truncate): 1006 my $padded = pack("A$pad_len",$text); 1007 1008If you need to pad with a character other than blank or zero you can use 1009one of the following methods. They all generate a pad string with the 1010C<x> operator and combine that with C<$text>. These methods do 1011not truncate C<$text>. 1012 1013Left and right padding with any character, creating a new string: 1014 1015 my $padded = $pad_char x ( $pad_len - length( $text ) ) . $text; 1016 my $padded = $text . $pad_char x ( $pad_len - length( $text ) ); 1017 1018Left and right padding with any character, modifying C<$text> directly: 1019 1020 substr( $text, 0, 0 ) = $pad_char x ( $pad_len - length( $text ) ); 1021 $text .= $pad_char x ( $pad_len - length( $text ) ); 1022 1023=head2 How do I extract selected columns from a string? 1024 1025(contributed by brian d foy) 1026 1027If you know the columns that contain the data, you can 1028use C<substr> to extract a single column. 1029 1030 my $column = substr( $line, $start_column, $length ); 1031 1032You can use C<split> if the columns are separated by whitespace or 1033some other delimiter, as long as whitespace or the delimiter cannot 1034appear as part of the data. 1035 1036 my $line = ' fred barney betty '; 1037 my @columns = split /\s+/, $line; 1038 # ( '', 'fred', 'barney', 'betty' ); 1039 1040 my $line = 'fred||barney||betty'; 1041 my @columns = split /\|/, $line; 1042 # ( 'fred', '', 'barney', '', 'betty' ); 1043 1044If you want to work with comma-separated values, don't do this since 1045that format is a bit more complicated. Use one of the modules that 1046handle that format, such as L<Text::CSV>, L<Text::CSV_XS>, or 1047L<Text::CSV_PP>. 1048 1049If you want to break apart an entire line of fixed columns, you can use 1050C<unpack> with the A (ASCII) format. By using a number after the format 1051specifier, you can denote the column width. See the C<pack> and C<unpack> 1052entries in L<perlfunc> for more details. 1053 1054 my @fields = unpack( $line, "A8 A8 A8 A16 A4" ); 1055 1056Note that spaces in the format argument to C<unpack> do not denote literal 1057spaces. If you have space separated data, you may want C<split> instead. 1058 1059=head2 How do I find the soundex value of a string? 1060 1061(contributed by brian d foy) 1062 1063You can use the C<Text::Soundex> module. If you want to do fuzzy or close 1064matching, you might also try the L<String::Approx>, and 1065L<Text::Metaphone>, and L<Text::DoubleMetaphone> modules. 1066 1067=head2 How can I expand variables in text strings? 1068 1069(contributed by brian d foy) 1070 1071If you can avoid it, don't, or if you can use a templating system, 1072such as L<Text::Template> or L<Template> Toolkit, do that instead. You 1073might even be able to get the job done with C<sprintf> or C<printf>: 1074 1075 my $string = sprintf 'Say hello to %s and %s', $foo, $bar; 1076 1077However, for the one-off simple case where I don't want to pull out a 1078full templating system, I'll use a string that has two Perl scalar 1079variables in it. In this example, I want to expand C<$foo> and C<$bar> 1080to their variable's values: 1081 1082 my $foo = 'Fred'; 1083 my $bar = 'Barney'; 1084 $string = 'Say hello to $foo and $bar'; 1085 1086One way I can do this involves the substitution operator and a double 1087C</e> flag. The first C</e> evaluates C<$1> on the replacement side and 1088turns it into C<$foo>. The second /e starts with C<$foo> and replaces 1089it with its value. C<$foo>, then, turns into 'Fred', and that's finally 1090what's left in the string: 1091 1092 $string =~ s/(\$\w+)/$1/eeg; # 'Say hello to Fred and Barney' 1093 1094The C</e> will also silently ignore violations of strict, replacing 1095undefined variable names with the empty string. Since I'm using the 1096C</e> flag (twice even!), I have all of the same security problems I 1097have with C<eval> in its string form. If there's something odd in 1098C<$foo>, perhaps something like C<@{[ system "rm -rf /" ]}>, then 1099I could get myself in trouble. 1100 1101To get around the security problem, I could also pull the values from 1102a hash instead of evaluating variable names. Using a single C</e>, I 1103can check the hash to ensure the value exists, and if it doesn't, I 1104can replace the missing value with a marker, in this case C<???> to 1105signal that I missed something: 1106 1107 my $string = 'This has $foo and $bar'; 1108 1109 my %Replacements = ( 1110 foo => 'Fred', 1111 ); 1112 1113 # $string =~ s/\$(\w+)/$Replacements{$1}/g; 1114 $string =~ s/\$(\w+)/ 1115 exists $Replacements{$1} ? $Replacements{$1} : '???' 1116 /eg; 1117 1118 print $string; 1119 1120=head2 What's wrong with always quoting "$vars"? 1121 1122The problem is that those double-quotes force 1123stringification--coercing numbers and references into strings--even 1124when you don't want them to be strings. Think of it this way: 1125double-quote expansion is used to produce new strings. If you already 1126have a string, why do you need more? 1127 1128If you get used to writing odd things like these: 1129 1130 print "$var"; # BAD 1131 my $new = "$old"; # BAD 1132 somefunc("$var"); # BAD 1133 1134You'll be in trouble. Those should (in 99.8% of the cases) be 1135the simpler and more direct: 1136 1137 print $var; 1138 my $new = $old; 1139 somefunc($var); 1140 1141Otherwise, besides slowing you down, you're going to break code when 1142the thing in the scalar is actually neither a string nor a number, but 1143a reference: 1144 1145 func(\@array); 1146 sub func { 1147 my $aref = shift; 1148 my $oref = "$aref"; # WRONG 1149 } 1150 1151You can also get into subtle problems on those few operations in Perl 1152that actually do care about the difference between a string and a 1153number, such as the magical C<++> autoincrement operator or the 1154syscall() function. 1155 1156Stringification also destroys arrays. 1157 1158 my @lines = `command`; 1159 print "@lines"; # WRONG - extra blanks 1160 print @lines; # right 1161 1162=head2 Why don't my E<lt>E<lt>HERE documents work? 1163 1164Here documents are found in L<perlop>. Check for these three things: 1165 1166=over 4 1167 1168=item There must be no space after the E<lt>E<lt> part. 1169 1170=item There (probably) should be a semicolon at the end of the opening token 1171 1172=item You can't (easily) have any space in front of the tag. 1173 1174=item There needs to be at least a line separator after the end token. 1175 1176=back 1177 1178If you want to indent the text in the here document, you 1179can do this: 1180 1181 # all in one 1182 (my $VAR = <<HERE_TARGET) =~ s/^\s+//gm; 1183 your text 1184 goes here 1185 HERE_TARGET 1186 1187But the HERE_TARGET must still be flush against the margin. 1188If you want that indented also, you'll have to quote 1189in the indentation. 1190 1191 (my $quote = <<' FINIS') =~ s/^\s+//gm; 1192 ...we will have peace, when you and all your works have 1193 perished--and the works of your dark master to whom you 1194 would deliver us. You are a liar, Saruman, and a corrupter 1195 of men's hearts. --Theoden in /usr/src/perl/taint.c 1196 FINIS 1197 $quote =~ s/\s+--/\n--/; 1198 1199A nice general-purpose fixer-upper function for indented here documents 1200follows. It expects to be called with a here document as its argument. 1201It looks to see whether each line begins with a common substring, and 1202if so, strips that substring off. Otherwise, it takes the amount of leading 1203whitespace found on the first line and removes that much off each 1204subsequent line. 1205 1206 sub fix { 1207 local $_ = shift; 1208 my ($white, $leader); # common whitespace and common leading string 1209 if (/^\s*(?:([^\w\s]+)(\s*).*\n)(?:\s*\g1\g2?.*\n)+$/) { 1210 ($white, $leader) = ($2, quotemeta($1)); 1211 } else { 1212 ($white, $leader) = (/^(\s+)/, ''); 1213 } 1214 s/^\s*?$leader(?:$white)?//gm; 1215 return $_; 1216 } 1217 1218This works with leading special strings, dynamically determined: 1219 1220 my $remember_the_main = fix<<' MAIN_INTERPRETER_LOOP'; 1221 @@@ int 1222 @@@ runops() { 1223 @@@ SAVEI32(runlevel); 1224 @@@ runlevel++; 1225 @@@ while ( op = (*op->op_ppaddr)() ); 1226 @@@ TAINT_NOT; 1227 @@@ return 0; 1228 @@@ } 1229 MAIN_INTERPRETER_LOOP 1230 1231Or with a fixed amount of leading whitespace, with remaining 1232indentation correctly preserved: 1233 1234 my $poem = fix<<EVER_ON_AND_ON; 1235 Now far ahead the Road has gone, 1236 And I must follow, if I can, 1237 Pursuing it with eager feet, 1238 Until it joins some larger way 1239 Where many paths and errands meet. 1240 And whither then? I cannot say. 1241 --Bilbo in /usr/src/perl/pp_ctl.c 1242 EVER_ON_AND_ON 1243 1244=head1 Data: Arrays 1245 1246=head2 What is the difference between a list and an array? 1247 1248(contributed by brian d foy) 1249 1250A list is a fixed collection of scalars. An array is a variable that 1251holds a variable collection of scalars. An array can supply its collection 1252for list operations, so list operations also work on arrays: 1253 1254 # slices 1255 ( 'dog', 'cat', 'bird' )[2,3]; 1256 @animals[2,3]; 1257 1258 # iteration 1259 foreach ( qw( dog cat bird ) ) { ... } 1260 foreach ( @animals ) { ... } 1261 1262 my @three = grep { length == 3 } qw( dog cat bird ); 1263 my @three = grep { length == 3 } @animals; 1264 1265 # supply an argument list 1266 wash_animals( qw( dog cat bird ) ); 1267 wash_animals( @animals ); 1268 1269Array operations, which change the scalars, rearrange them, or add 1270or subtract some scalars, only work on arrays. These can't work on a 1271list, which is fixed. Array operations include C<shift>, C<unshift>, 1272C<push>, C<pop>, and C<splice>. 1273 1274An array can also change its length: 1275 1276 $#animals = 1; # truncate to two elements 1277 $#animals = 10000; # pre-extend to 10,001 elements 1278 1279You can change an array element, but you can't change a list element: 1280 1281 $animals[0] = 'Rottweiler'; 1282 qw( dog cat bird )[0] = 'Rottweiler'; # syntax error! 1283 1284 foreach ( @animals ) { 1285 s/^d/fr/; # works fine 1286 } 1287 1288 foreach ( qw( dog cat bird ) ) { 1289 s/^d/fr/; # Error! Modification of read only value! 1290 } 1291 1292However, if the list element is itself a variable, it appears that you 1293can change a list element. However, the list element is the variable, not 1294the data. You're not changing the list element, but something the list 1295element refers to. The list element itself doesn't change: it's still 1296the same variable. 1297 1298You also have to be careful about context. You can assign an array to 1299a scalar to get the number of elements in the array. This only works 1300for arrays, though: 1301 1302 my $count = @animals; # only works with arrays 1303 1304If you try to do the same thing with what you think is a list, you 1305get a quite different result. Although it looks like you have a list 1306on the righthand side, Perl actually sees a bunch of scalars separated 1307by a comma: 1308 1309 my $scalar = ( 'dog', 'cat', 'bird' ); # $scalar gets bird 1310 1311Since you're assigning to a scalar, the righthand side is in scalar 1312context. The comma operator (yes, it's an operator!) in scalar 1313context evaluates its lefthand side, throws away the result, and 1314evaluates it's righthand side and returns the result. In effect, 1315that list-lookalike assigns to C<$scalar> it's rightmost value. Many 1316people mess this up because they choose a list-lookalike whose 1317last element is also the count they expect: 1318 1319 my $scalar = ( 1, 2, 3 ); # $scalar gets 3, accidentally 1320 1321=head2 What is the difference between $array[1] and @array[1]? 1322 1323(contributed by brian d foy) 1324 1325The difference is the sigil, that special character in front of the 1326array name. The C<$> sigil means "exactly one item", while the C<@> 1327sigil means "zero or more items". The C<$> gets you a single scalar, 1328while the C<@> gets you a list. 1329 1330The confusion arises because people incorrectly assume that the sigil 1331denotes the variable type. 1332 1333The C<$array[1]> is a single-element access to the array. It's going 1334to return the item in index 1 (or undef if there is no item there). 1335If you intend to get exactly one element from the array, this is the 1336form you should use. 1337 1338The C<@array[1]> is an array slice, although it has only one index. 1339You can pull out multiple elements simultaneously by specifying 1340additional indices as a list, like C<@array[1,4,3,0]>. 1341 1342Using a slice on the lefthand side of the assignment supplies list 1343context to the righthand side. This can lead to unexpected results. 1344For instance, if you want to read a single line from a filehandle, 1345assigning to a scalar value is fine: 1346 1347 $array[1] = <STDIN>; 1348 1349However, in list context, the line input operator returns all of the 1350lines as a list. The first line goes into C<@array[1]> and the rest 1351of the lines mysteriously disappear: 1352 1353 @array[1] = <STDIN>; # most likely not what you want 1354 1355Either the C<use warnings> pragma or the B<-w> flag will warn you when 1356you use an array slice with a single index. 1357 1358=head2 How can I remove duplicate elements from a list or array? 1359 1360(contributed by brian d foy) 1361 1362Use a hash. When you think the words "unique" or "duplicated", think 1363"hash keys". 1364 1365If you don't care about the order of the elements, you could just 1366create the hash then extract the keys. It's not important how you 1367create that hash: just that you use C<keys> to get the unique 1368elements. 1369 1370 my %hash = map { $_, 1 } @array; 1371 # or a hash slice: @hash{ @array } = (); 1372 # or a foreach: $hash{$_} = 1 foreach ( @array ); 1373 1374 my @unique = keys %hash; 1375 1376If you want to use a module, try the C<uniq> function from 1377L<List::MoreUtils>. In list context it returns the unique elements, 1378preserving their order in the list. In scalar context, it returns the 1379number of unique elements. 1380 1381 use List::MoreUtils qw(uniq); 1382 1383 my @unique = uniq( 1, 2, 3, 4, 4, 5, 6, 5, 7 ); # 1,2,3,4,5,6,7 1384 my $unique = uniq( 1, 2, 3, 4, 4, 5, 6, 5, 7 ); # 7 1385 1386You can also go through each element and skip the ones you've seen 1387before. Use a hash to keep track. The first time the loop sees an 1388element, that element has no key in C<%Seen>. The C<next> statement 1389creates the key and immediately uses its value, which is C<undef>, so 1390the loop continues to the C<push> and increments the value for that 1391key. The next time the loop sees that same element, its key exists in 1392the hash I<and> the value for that key is true (since it's not 0 or 1393C<undef>), so the next skips that iteration and the loop goes to the 1394next element. 1395 1396 my @unique = (); 1397 my %seen = (); 1398 1399 foreach my $elem ( @array ) { 1400 next if $seen{ $elem }++; 1401 push @unique, $elem; 1402 } 1403 1404You can write this more briefly using a grep, which does the 1405same thing. 1406 1407 my %seen = (); 1408 my @unique = grep { ! $seen{ $_ }++ } @array; 1409 1410=head2 How can I tell whether a certain element is contained in a list or array? 1411 1412(portions of this answer contributed by Anno Siegel and brian d foy) 1413 1414Hearing the word "in" is an I<in>dication that you probably should have 1415used a hash, not a list or array, to store your data. Hashes are 1416designed to answer this question quickly and efficiently. Arrays aren't. 1417 1418That being said, there are several ways to approach this. In Perl 5.10 1419and later, you can use the smart match operator to check that an item is 1420contained in an array or a hash: 1421 1422 use 5.010; 1423 1424 if( $item ~~ @array ) { 1425 say "The array contains $item" 1426 } 1427 1428 if( $item ~~ %hash ) { 1429 say "The hash contains $item" 1430 } 1431 1432With earlier versions of Perl, you have to do a bit more work. If you 1433are going to make this query many times over arbitrary string values, 1434the fastest way is probably to invert the original array and maintain a 1435hash whose keys are the first array's values: 1436 1437 my @blues = qw/azure cerulean teal turquoise lapis-lazuli/; 1438 my %is_blue = (); 1439 for (@blues) { $is_blue{$_} = 1 } 1440 1441Now you can check whether C<$is_blue{$some_color}>. It might have 1442been a good idea to keep the blues all in a hash in the first place. 1443 1444If the values are all small integers, you could use a simple indexed 1445array. This kind of an array will take up less space: 1446 1447 my @primes = (2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31); 1448 my @is_tiny_prime = (); 1449 for (@primes) { $is_tiny_prime[$_] = 1 } 1450 # or simply @istiny_prime[@primes] = (1) x @primes; 1451 1452Now you check whether $is_tiny_prime[$some_number]. 1453 1454If the values in question are integers instead of strings, you can save 1455quite a lot of space by using bit strings instead: 1456 1457 my @articles = ( 1..10, 150..2000, 2017 ); 1458 undef $read; 1459 for (@articles) { vec($read,$_,1) = 1 } 1460 1461Now check whether C<vec($read,$n,1)> is true for some C<$n>. 1462 1463These methods guarantee fast individual tests but require a re-organization 1464of the original list or array. They only pay off if you have to test 1465multiple values against the same array. 1466 1467If you are testing only once, the standard module L<List::Util> exports 1468the function C<first> for this purpose. It works by stopping once it 1469finds the element. It's written in C for speed, and its Perl equivalent 1470looks like this subroutine: 1471 1472 sub first (&@) { 1473 my $code = shift; 1474 foreach (@_) { 1475 return $_ if &{$code}(); 1476 } 1477 undef; 1478 } 1479 1480If speed is of little concern, the common idiom uses grep in scalar context 1481(which returns the number of items that passed its condition) to traverse the 1482entire list. This does have the benefit of telling you how many matches it 1483found, though. 1484 1485 my $is_there = grep $_ eq $whatever, @array; 1486 1487If you want to actually extract the matching elements, simply use grep in 1488list context. 1489 1490 my @matches = grep $_ eq $whatever, @array; 1491 1492=head2 How do I compute the difference of two arrays? How do I compute the intersection of two arrays? 1493 1494Use a hash. Here's code to do both and more. It assumes that each 1495element is unique in a given array: 1496 1497 my (@union, @intersection, @difference); 1498 my %count = (); 1499 foreach my $element (@array1, @array2) { $count{$element}++ } 1500 foreach my $element (keys %count) { 1501 push @union, $element; 1502 push @{ $count{$element} > 1 ? \@intersection : \@difference }, $element; 1503 } 1504 1505Note that this is the I<symmetric difference>, that is, all elements 1506in either A or in B but not in both. Think of it as an xor operation. 1507 1508=head2 How do I test whether two arrays or hashes are equal? 1509 1510With Perl 5.10 and later, the smart match operator can give you the answer 1511with the least amount of work: 1512 1513 use 5.010; 1514 1515 if( @array1 ~~ @array2 ) { 1516 say "The arrays are the same"; 1517 } 1518 1519 if( %hash1 ~~ %hash2 ) # doesn't check values! { 1520 say "The hash keys are the same"; 1521 } 1522 1523The following code works for single-level arrays. It uses a 1524stringwise comparison, and does not distinguish defined versus 1525undefined empty strings. Modify if you have other needs. 1526 1527 $are_equal = compare_arrays(\@frogs, \@toads); 1528 1529 sub compare_arrays { 1530 my ($first, $second) = @_; 1531 no warnings; # silence spurious -w undef complaints 1532 return 0 unless @$first == @$second; 1533 for (my $i = 0; $i < @$first; $i++) { 1534 return 0 if $first->[$i] ne $second->[$i]; 1535 } 1536 return 1; 1537 } 1538 1539For multilevel structures, you may wish to use an approach more 1540like this one. It uses the CPAN module L<FreezeThaw>: 1541 1542 use FreezeThaw qw(cmpStr); 1543 my @a = my @b = ( "this", "that", [ "more", "stuff" ] ); 1544 1545 printf "a and b contain %s arrays\n", 1546 cmpStr(\@a, \@b) == 0 1547 ? "the same" 1548 : "different"; 1549 1550This approach also works for comparing hashes. Here we'll demonstrate 1551two different answers: 1552 1553 use FreezeThaw qw(cmpStr cmpStrHard); 1554 1555 my %a = my %b = ( "this" => "that", "extra" => [ "more", "stuff" ] ); 1556 $a{EXTRA} = \%b; 1557 $b{EXTRA} = \%a; 1558 1559 printf "a and b contain %s hashes\n", 1560 cmpStr(\%a, \%b) == 0 ? "the same" : "different"; 1561 1562 printf "a and b contain %s hashes\n", 1563 cmpStrHard(\%a, \%b) == 0 ? "the same" : "different"; 1564 1565 1566The first reports that both those the hashes contain the same data, 1567while the second reports that they do not. Which you prefer is left as 1568an exercise to the reader. 1569 1570=head2 How do I find the first array element for which a condition is true? 1571 1572To find the first array element which satisfies a condition, you can 1573use the C<first()> function in the L<List::Util> module, which comes 1574with Perl 5.8. This example finds the first element that contains 1575"Perl". 1576 1577 use List::Util qw(first); 1578 1579 my $element = first { /Perl/ } @array; 1580 1581If you cannot use L<List::Util>, you can make your own loop to do the 1582same thing. Once you find the element, you stop the loop with last. 1583 1584 my $found; 1585 foreach ( @array ) { 1586 if( /Perl/ ) { $found = $_; last } 1587 } 1588 1589If you want the array index, use the C<firstidx()> function from 1590C<List::MoreUtils>: 1591 1592 use List::MoreUtils qw(firstidx); 1593 my $index = firstidx { /Perl/ } @array; 1594 1595Or write it yourself, iterating through the indices 1596and checking the array element at each index until you find one 1597that satisfies the condition: 1598 1599 my( $found, $index ) = ( undef, -1 ); 1600 for( $i = 0; $i < @array; $i++ ) { 1601 if( $array[$i] =~ /Perl/ ) { 1602 $found = $array[$i]; 1603 $index = $i; 1604 last; 1605 } 1606 } 1607 1608=head2 How do I handle linked lists? 1609 1610(contributed by brian d foy) 1611 1612Perl's arrays do not have a fixed size, so you don't need linked lists 1613if you just want to add or remove items. You can use array operations 1614such as C<push>, C<pop>, C<shift>, C<unshift>, or C<splice> to do 1615that. 1616 1617Sometimes, however, linked lists can be useful in situations where you 1618want to "shard" an array so you have have many small arrays instead of 1619a single big array. You can keep arrays longer than Perl's largest 1620array index, lock smaller arrays separately in threaded programs, 1621reallocate less memory, or quickly insert elements in the middle of 1622the chain. 1623 1624Steve Lembark goes through the details in his YAPC::NA 2009 talk "Perly 1625Linked Lists" ( L<http://www.slideshare.net/lembark/perly-linked-lists> ), 1626although you can just use his L<LinkedList::Single> module. 1627 1628=head2 How do I handle circular lists? 1629X<circular> X<array> X<Tie::Cycle> X<Array::Iterator::Circular> 1630X<cycle> X<modulus> 1631 1632(contributed by brian d foy) 1633 1634If you want to cycle through an array endlessly, you can increment the 1635index modulo the number of elements in the array: 1636 1637 my @array = qw( a b c ); 1638 my $i = 0; 1639 1640 while( 1 ) { 1641 print $array[ $i++ % @array ], "\n"; 1642 last if $i > 20; 1643 } 1644 1645You can also use L<Tie::Cycle> to use a scalar that always has the 1646next element of the circular array: 1647 1648 use Tie::Cycle; 1649 1650 tie my $cycle, 'Tie::Cycle', [ qw( FFFFFF 000000 FFFF00 ) ]; 1651 1652 print $cycle; # FFFFFF 1653 print $cycle; # 000000 1654 print $cycle; # FFFF00 1655 1656The L<Array::Iterator::Circular> creates an iterator object for 1657circular arrays: 1658 1659 use Array::Iterator::Circular; 1660 1661 my $color_iterator = Array::Iterator::Circular->new( 1662 qw(red green blue orange) 1663 ); 1664 1665 foreach ( 1 .. 20 ) { 1666 print $color_iterator->next, "\n"; 1667 } 1668 1669=head2 How do I shuffle an array randomly? 1670 1671If you either have Perl 5.8.0 or later installed, or if you have 1672Scalar-List-Utils 1.03 or later installed, you can say: 1673 1674 use List::Util 'shuffle'; 1675 1676 @shuffled = shuffle(@list); 1677 1678If not, you can use a Fisher-Yates shuffle. 1679 1680 sub fisher_yates_shuffle { 1681 my $deck = shift; # $deck is a reference to an array 1682 return unless @$deck; # must not be empty! 1683 1684 my $i = @$deck; 1685 while (--$i) { 1686 my $j = int rand ($i+1); 1687 @$deck[$i,$j] = @$deck[$j,$i]; 1688 } 1689 } 1690 1691 # shuffle my mpeg collection 1692 # 1693 my @mpeg = <audio/*/*.mp3>; 1694 fisher_yates_shuffle( \@mpeg ); # randomize @mpeg in place 1695 print @mpeg; 1696 1697Note that the above implementation shuffles an array in place, 1698unlike the C<List::Util::shuffle()> which takes a list and returns 1699a new shuffled list. 1700 1701You've probably seen shuffling algorithms that work using splice, 1702randomly picking another element to swap the current element with 1703 1704 srand; 1705 @new = (); 1706 @old = 1 .. 10; # just a demo 1707 while (@old) { 1708 push(@new, splice(@old, rand @old, 1)); 1709 } 1710 1711This is bad because splice is already O(N), and since you do it N 1712times, you just invented a quadratic algorithm; that is, O(N**2). 1713This does not scale, although Perl is so efficient that you probably 1714won't notice this until you have rather largish arrays. 1715 1716=head2 How do I process/modify each element of an array? 1717 1718Use C<for>/C<foreach>: 1719 1720 for (@lines) { 1721 s/foo/bar/; # change that word 1722 tr/XZ/ZX/; # swap those letters 1723 } 1724 1725Here's another; let's compute spherical volumes: 1726 1727 my @volumes = @radii; 1728 for (@volumes) { # @volumes has changed parts 1729 $_ **= 3; 1730 $_ *= (4/3) * 3.14159; # this will be constant folded 1731 } 1732 1733which can also be done with C<map()> which is made to transform 1734one list into another: 1735 1736 my @volumes = map {$_ ** 3 * (4/3) * 3.14159} @radii; 1737 1738If you want to do the same thing to modify the values of the 1739hash, you can use the C<values> function. As of Perl 5.6 1740the values are not copied, so if you modify $orbit (in this 1741case), you modify the value. 1742 1743 for my $orbit ( values %orbits ) { 1744 ($orbit **= 3) *= (4/3) * 3.14159; 1745 } 1746 1747Prior to perl 5.6 C<values> returned copies of the values, 1748so older perl code often contains constructions such as 1749C<@orbits{keys %orbits}> instead of C<values %orbits> where 1750the hash is to be modified. 1751 1752=head2 How do I select a random element from an array? 1753 1754Use the C<rand()> function (see L<perlfunc/rand>): 1755 1756 my $index = rand @array; 1757 my $element = $array[$index]; 1758 1759Or, simply: 1760 1761 my $element = $array[ rand @array ]; 1762 1763=head2 How do I permute N elements of a list? 1764X<List::Permutor> X<permute> X<Algorithm::Loops> X<Knuth> 1765X<The Art of Computer Programming> X<Fischer-Krause> 1766 1767Use the L<List::Permutor> module on CPAN. If the list is actually an 1768array, try the L<Algorithm::Permute> module (also on CPAN). It's 1769written in XS code and is very efficient: 1770 1771 use Algorithm::Permute; 1772 1773 my @array = 'a'..'d'; 1774 my $p_iterator = Algorithm::Permute->new ( \@array ); 1775 1776 while (my @perm = $p_iterator->next) { 1777 print "next permutation: (@perm)\n"; 1778 } 1779 1780For even faster execution, you could do: 1781 1782 use Algorithm::Permute; 1783 1784 my @array = 'a'..'d'; 1785 1786 Algorithm::Permute::permute { 1787 print "next permutation: (@array)\n"; 1788 } @array; 1789 1790Here's a little program that generates all permutations of all the 1791words on each line of input. The algorithm embodied in the 1792C<permute()> function is discussed in Volume 4 (still unpublished) of 1793Knuth's I<The Art of Computer Programming> and will work on any list: 1794 1795 #!/usr/bin/perl -n 1796 # Fischer-Krause ordered permutation generator 1797 1798 sub permute (&@) { 1799 my $code = shift; 1800 my @idx = 0..$#_; 1801 while ( $code->(@_[@idx]) ) { 1802 my $p = $#idx; 1803 --$p while $idx[$p-1] > $idx[$p]; 1804 my $q = $p or return; 1805 push @idx, reverse splice @idx, $p; 1806 ++$q while $idx[$p-1] > $idx[$q]; 1807 @idx[$p-1,$q]=@idx[$q,$p-1]; 1808 } 1809 } 1810 1811 permute { print "@_\n" } split; 1812 1813The L<Algorithm::Loops> module also provides the C<NextPermute> and 1814C<NextPermuteNum> functions which efficiently find all unique permutations 1815of an array, even if it contains duplicate values, modifying it in-place: 1816if its elements are in reverse-sorted order then the array is reversed, 1817making it sorted, and it returns false; otherwise the next 1818permutation is returned. 1819 1820C<NextPermute> uses string order and C<NextPermuteNum> numeric order, so 1821you can enumerate all the permutations of C<0..9> like this: 1822 1823 use Algorithm::Loops qw(NextPermuteNum); 1824 1825 my @list= 0..9; 1826 do { print "@list\n" } while NextPermuteNum @list; 1827 1828=head2 How do I sort an array by (anything)? 1829 1830Supply a comparison function to sort() (described in L<perlfunc/sort>): 1831 1832 @list = sort { $a <=> $b } @list; 1833 1834The default sort function is cmp, string comparison, which would 1835sort C<(1, 2, 10)> into C<(1, 10, 2)>. C<< <=> >>, used above, is 1836the numerical comparison operator. 1837 1838If you have a complicated function needed to pull out the part you 1839want to sort on, then don't do it inside the sort function. Pull it 1840out first, because the sort BLOCK can be called many times for the 1841same element. Here's an example of how to pull out the first word 1842after the first number on each item, and then sort those words 1843case-insensitively. 1844 1845 my @idx; 1846 for (@data) { 1847 my $item; 1848 ($item) = /\d+\s*(\S+)/; 1849 push @idx, uc($item); 1850 } 1851 my @sorted = @data[ sort { $idx[$a] cmp $idx[$b] } 0 .. $#idx ]; 1852 1853which could also be written this way, using a trick 1854that's come to be known as the Schwartzian Transform: 1855 1856 my @sorted = map { $_->[0] } 1857 sort { $a->[1] cmp $b->[1] } 1858 map { [ $_, uc( (/\d+\s*(\S+)/)[0]) ] } @data; 1859 1860If you need to sort on several fields, the following paradigm is useful. 1861 1862 my @sorted = sort { 1863 field1($a) <=> field1($b) || 1864 field2($a) cmp field2($b) || 1865 field3($a) cmp field3($b) 1866 } @data; 1867 1868This can be conveniently combined with precalculation of keys as given 1869above. 1870 1871See the F<sort> article in the "Far More Than You Ever Wanted 1872To Know" collection in L<http://www.cpan.org/misc/olddoc/FMTEYEWTK.tgz> for 1873more about this approach. 1874 1875See also the question later in L<perlfaq4> on sorting hashes. 1876 1877=head2 How do I manipulate arrays of bits? 1878 1879Use C<pack()> and C<unpack()>, or else C<vec()> and the bitwise 1880operations. 1881 1882For example, you don't have to store individual bits in an array 1883(which would mean that you're wasting a lot of space). To convert an 1884array of bits to a string, use C<vec()> to set the right bits. This 1885sets C<$vec> to have bit N set only if C<$ints[N]> was set: 1886 1887 my @ints = (...); # array of bits, e.g. ( 1, 0, 0, 1, 1, 0 ... ) 1888 my $vec = ''; 1889 foreach( 0 .. $#ints ) { 1890 vec($vec,$_,1) = 1 if $ints[$_]; 1891 } 1892 1893The string C<$vec> only takes up as many bits as it needs. For 1894instance, if you had 16 entries in C<@ints>, C<$vec> only needs two 1895bytes to store them (not counting the scalar variable overhead). 1896 1897Here's how, given a vector in C<$vec>, you can get those bits into 1898your C<@ints> array: 1899 1900 sub bitvec_to_list { 1901 my $vec = shift; 1902 my @ints; 1903 # Find null-byte density then select best algorithm 1904 if ($vec =~ tr/\0// / length $vec > 0.95) { 1905 use integer; 1906 my $i; 1907 1908 # This method is faster with mostly null-bytes 1909 while($vec =~ /[^\0]/g ) { 1910 $i = -9 + 8 * pos $vec; 1911 push @ints, $i if vec($vec, ++$i, 1); 1912 push @ints, $i if vec($vec, ++$i, 1); 1913 push @ints, $i if vec($vec, ++$i, 1); 1914 push @ints, $i if vec($vec, ++$i, 1); 1915 push @ints, $i if vec($vec, ++$i, 1); 1916 push @ints, $i if vec($vec, ++$i, 1); 1917 push @ints, $i if vec($vec, ++$i, 1); 1918 push @ints, $i if vec($vec, ++$i, 1); 1919 } 1920 } 1921 else { 1922 # This method is a fast general algorithm 1923 use integer; 1924 my $bits = unpack "b*", $vec; 1925 push @ints, 0 if $bits =~ s/^(\d)// && $1; 1926 push @ints, pos $bits while($bits =~ /1/g); 1927 } 1928 1929 return \@ints; 1930 } 1931 1932This method gets faster the more sparse the bit vector is. 1933(Courtesy of Tim Bunce and Winfried Koenig.) 1934 1935You can make the while loop a lot shorter with this suggestion 1936from Benjamin Goldberg: 1937 1938 while($vec =~ /[^\0]+/g ) { 1939 push @ints, grep vec($vec, $_, 1), $-[0] * 8 .. $+[0] * 8; 1940 } 1941 1942Or use the CPAN module L<Bit::Vector>: 1943 1944 my $vector = Bit::Vector->new($num_of_bits); 1945 $vector->Index_List_Store(@ints); 1946 my @ints = $vector->Index_List_Read(); 1947 1948L<Bit::Vector> provides efficient methods for bit vector, sets of 1949small integers and "big int" math. 1950 1951Here's a more extensive illustration using vec(): 1952 1953 # vec demo 1954 my $vector = "\xff\x0f\xef\xfe"; 1955 print "Ilya's string \\xff\\x0f\\xef\\xfe represents the number ", 1956 unpack("N", $vector), "\n"; 1957 my $is_set = vec($vector, 23, 1); 1958 print "Its 23rd bit is ", $is_set ? "set" : "clear", ".\n"; 1959 pvec($vector); 1960 1961 set_vec(1,1,1); 1962 set_vec(3,1,1); 1963 set_vec(23,1,1); 1964 1965 set_vec(3,1,3); 1966 set_vec(3,2,3); 1967 set_vec(3,4,3); 1968 set_vec(3,4,7); 1969 set_vec(3,8,3); 1970 set_vec(3,8,7); 1971 1972 set_vec(0,32,17); 1973 set_vec(1,32,17); 1974 1975 sub set_vec { 1976 my ($offset, $width, $value) = @_; 1977 my $vector = ''; 1978 vec($vector, $offset, $width) = $value; 1979 print "offset=$offset width=$width value=$value\n"; 1980 pvec($vector); 1981 } 1982 1983 sub pvec { 1984 my $vector = shift; 1985 my $bits = unpack("b*", $vector); 1986 my $i = 0; 1987 my $BASE = 8; 1988 1989 print "vector length in bytes: ", length($vector), "\n"; 1990 @bytes = unpack("A8" x length($vector), $bits); 1991 print "bits are: @bytes\n\n"; 1992 } 1993 1994=head2 Why does defined() return true on empty arrays and hashes? 1995 1996The short story is that you should probably only use defined on scalars or 1997functions, not on aggregates (arrays and hashes). See L<perlfunc/defined> 1998in the 5.004 release or later of Perl for more detail. 1999 2000=head1 Data: Hashes (Associative Arrays) 2001 2002=head2 How do I process an entire hash? 2003 2004(contributed by brian d foy) 2005 2006There are a couple of ways that you can process an entire hash. You 2007can get a list of keys, then go through each key, or grab a one 2008key-value pair at a time. 2009 2010To go through all of the keys, use the C<keys> function. This extracts 2011all of the keys of the hash and gives them back to you as a list. You 2012can then get the value through the particular key you're processing: 2013 2014 foreach my $key ( keys %hash ) { 2015 my $value = $hash{$key} 2016 ... 2017 } 2018 2019Once you have the list of keys, you can process that list before you 2020process the hash elements. For instance, you can sort the keys so you 2021can process them in lexical order: 2022 2023 foreach my $key ( sort keys %hash ) { 2024 my $value = $hash{$key} 2025 ... 2026 } 2027 2028Or, you might want to only process some of the items. If you only want 2029to deal with the keys that start with C<text:>, you can select just 2030those using C<grep>: 2031 2032 foreach my $key ( grep /^text:/, keys %hash ) { 2033 my $value = $hash{$key} 2034 ... 2035 } 2036 2037If the hash is very large, you might not want to create a long list of 2038keys. To save some memory, you can grab one key-value pair at a time using 2039C<each()>, which returns a pair you haven't seen yet: 2040 2041 while( my( $key, $value ) = each( %hash ) ) { 2042 ... 2043 } 2044 2045The C<each> operator returns the pairs in apparently random order, so if 2046ordering matters to you, you'll have to stick with the C<keys> method. 2047 2048The C<each()> operator can be a bit tricky though. You can't add or 2049delete keys of the hash while you're using it without possibly 2050skipping or re-processing some pairs after Perl internally rehashes 2051all of the elements. Additionally, a hash has only one iterator, so if 2052you mix C<keys>, C<values>, or C<each> on the same hash, you risk resetting 2053the iterator and messing up your processing. See the C<each> entry in 2054L<perlfunc> for more details. 2055 2056=head2 How do I merge two hashes? 2057X<hash> X<merge> X<slice, hash> 2058 2059(contributed by brian d foy) 2060 2061Before you decide to merge two hashes, you have to decide what to do 2062if both hashes contain keys that are the same and if you want to leave 2063the original hashes as they were. 2064 2065If you want to preserve the original hashes, copy one hash (C<%hash1>) 2066to a new hash (C<%new_hash>), then add the keys from the other hash 2067(C<%hash2> to the new hash. Checking that the key already exists in 2068C<%new_hash> gives you a chance to decide what to do with the 2069duplicates: 2070 2071 my %new_hash = %hash1; # make a copy; leave %hash1 alone 2072 2073 foreach my $key2 ( keys %hash2 ) { 2074 if( exists $new_hash{$key2} ) { 2075 warn "Key [$key2] is in both hashes!"; 2076 # handle the duplicate (perhaps only warning) 2077 ... 2078 next; 2079 } 2080 else { 2081 $new_hash{$key2} = $hash2{$key2}; 2082 } 2083 } 2084 2085If you don't want to create a new hash, you can still use this looping 2086technique; just change the C<%new_hash> to C<%hash1>. 2087 2088 foreach my $key2 ( keys %hash2 ) { 2089 if( exists $hash1{$key2} ) { 2090 warn "Key [$key2] is in both hashes!"; 2091 # handle the duplicate (perhaps only warning) 2092 ... 2093 next; 2094 } 2095 else { 2096 $hash1{$key2} = $hash2{$key2}; 2097 } 2098 } 2099 2100If you don't care that one hash overwrites keys and values from the other, you 2101could just use a hash slice to add one hash to another. In this case, values 2102from C<%hash2> replace values from C<%hash1> when they have keys in common: 2103 2104 @hash1{ keys %hash2 } = values %hash2; 2105 2106=head2 What happens if I add or remove keys from a hash while iterating over it? 2107 2108(contributed by brian d foy) 2109 2110The easy answer is "Don't do that!" 2111 2112If you iterate through the hash with each(), you can delete the key 2113most recently returned without worrying about it. If you delete or add 2114other keys, the iterator may skip or double up on them since perl 2115may rearrange the hash table. See the 2116entry for C<each()> in L<perlfunc>. 2117 2118=head2 How do I look up a hash element by value? 2119 2120Create a reverse hash: 2121 2122 my %by_value = reverse %by_key; 2123 my $key = $by_value{$value}; 2124 2125That's not particularly efficient. It would be more space-efficient 2126to use: 2127 2128 while (my ($key, $value) = each %by_key) { 2129 $by_value{$value} = $key; 2130 } 2131 2132If your hash could have repeated values, the methods above will only find 2133one of the associated keys. This may or may not worry you. If it does 2134worry you, you can always reverse the hash into a hash of arrays instead: 2135 2136 while (my ($key, $value) = each %by_key) { 2137 push @{$key_list_by_value{$value}}, $key; 2138 } 2139 2140=head2 How can I know how many entries are in a hash? 2141 2142(contributed by brian d foy) 2143 2144This is very similar to "How do I process an entire hash?", also in 2145L<perlfaq4>, but a bit simpler in the common cases. 2146 2147You can use the C<keys()> built-in function in scalar context to find out 2148have many entries you have in a hash: 2149 2150 my $key_count = keys %hash; # must be scalar context! 2151 2152If you want to find out how many entries have a defined value, that's 2153a bit different. You have to check each value. A C<grep> is handy: 2154 2155 my $defined_value_count = grep { defined } values %hash; 2156 2157You can use that same structure to count the entries any way that 2158you like. If you want the count of the keys with vowels in them, 2159you just test for that instead: 2160 2161 my $vowel_count = grep { /[aeiou]/ } keys %hash; 2162 2163The C<grep> in scalar context returns the count. If you want the list 2164of matching items, just use it in list context instead: 2165 2166 my @defined_values = grep { defined } values %hash; 2167 2168The C<keys()> function also resets the iterator, which means that you may 2169see strange results if you use this between uses of other hash operators 2170such as C<each()>. 2171 2172=head2 How do I sort a hash (optionally by value instead of key)? 2173 2174(contributed by brian d foy) 2175 2176To sort a hash, start with the keys. In this example, we give the list of 2177keys to the sort function which then compares them ASCIIbetically (which 2178might be affected by your locale settings). The output list has the keys 2179in ASCIIbetical order. Once we have the keys, we can go through them to 2180create a report which lists the keys in ASCIIbetical order. 2181 2182 my @keys = sort { $a cmp $b } keys %hash; 2183 2184 foreach my $key ( @keys ) { 2185 printf "%-20s %6d\n", $key, $hash{$key}; 2186 } 2187 2188We could get more fancy in the C<sort()> block though. Instead of 2189comparing the keys, we can compute a value with them and use that 2190value as the comparison. 2191 2192For instance, to make our report order case-insensitive, we use 2193C<lc> to lowercase the keys before comparing them: 2194 2195 my @keys = sort { lc $a cmp lc $b } keys %hash; 2196 2197Note: if the computation is expensive or the hash has many elements, 2198you may want to look at the Schwartzian Transform to cache the 2199computation results. 2200 2201If we want to sort by the hash value instead, we use the hash key 2202to look it up. We still get out a list of keys, but this time they 2203are ordered by their value. 2204 2205 my @keys = sort { $hash{$a} <=> $hash{$b} } keys %hash; 2206 2207From there we can get more complex. If the hash values are the same, 2208we can provide a secondary sort on the hash key. 2209 2210 my @keys = sort { 2211 $hash{$a} <=> $hash{$b} 2212 or 2213 "\L$a" cmp "\L$b" 2214 } keys %hash; 2215 2216=head2 How can I always keep my hash sorted? 2217X<hash tie sort DB_File Tie::IxHash> 2218 2219You can look into using the C<DB_File> module and C<tie()> using the 2220C<$DB_BTREE> hash bindings as documented in L<DB_File/"In Memory 2221Databases">. The L<Tie::IxHash> module from CPAN might also be 2222instructive. Although this does keep your hash sorted, you might not 2223like the slowdown you suffer from the tie interface. Are you sure you 2224need to do this? :) 2225 2226=head2 What's the difference between "delete" and "undef" with hashes? 2227 2228Hashes contain pairs of scalars: the first is the key, the 2229second is the value. The key will be coerced to a string, 2230although the value can be any kind of scalar: string, 2231number, or reference. If a key C<$key> is present in 2232%hash, C<exists($hash{$key})> will return true. The value 2233for a given key can be C<undef>, in which case 2234C<$hash{$key}> will be C<undef> while C<exists $hash{$key}> 2235will return true. This corresponds to (C<$key>, C<undef>) 2236being in the hash. 2237 2238Pictures help... Here's the C<%hash> table: 2239 2240 keys values 2241 +------+------+ 2242 | a | 3 | 2243 | x | 7 | 2244 | d | 0 | 2245 | e | 2 | 2246 +------+------+ 2247 2248And these conditions hold 2249 2250 $hash{'a'} is true 2251 $hash{'d'} is false 2252 defined $hash{'d'} is true 2253 defined $hash{'a'} is true 2254 exists $hash{'a'} is true (Perl 5 only) 2255 grep ($_ eq 'a', keys %hash) is true 2256 2257If you now say 2258 2259 undef $hash{'a'} 2260 2261your table now reads: 2262 2263 2264 keys values 2265 +------+------+ 2266 | a | undef| 2267 | x | 7 | 2268 | d | 0 | 2269 | e | 2 | 2270 +------+------+ 2271 2272and these conditions now hold; changes in caps: 2273 2274 $hash{'a'} is FALSE 2275 $hash{'d'} is false 2276 defined $hash{'d'} is true 2277 defined $hash{'a'} is FALSE 2278 exists $hash{'a'} is true (Perl 5 only) 2279 grep ($_ eq 'a', keys %hash) is true 2280 2281Notice the last two: you have an undef value, but a defined key! 2282 2283Now, consider this: 2284 2285 delete $hash{'a'} 2286 2287your table now reads: 2288 2289 keys values 2290 +------+------+ 2291 | x | 7 | 2292 | d | 0 | 2293 | e | 2 | 2294 +------+------+ 2295 2296and these conditions now hold; changes in caps: 2297 2298 $hash{'a'} is false 2299 $hash{'d'} is false 2300 defined $hash{'d'} is true 2301 defined $hash{'a'} is false 2302 exists $hash{'a'} is FALSE (Perl 5 only) 2303 grep ($_ eq 'a', keys %hash) is FALSE 2304 2305See, the whole entry is gone! 2306 2307=head2 Why don't my tied hashes make the defined/exists distinction? 2308 2309This depends on the tied hash's implementation of EXISTS(). 2310For example, there isn't the concept of undef with hashes 2311that are tied to DBM* files. It also means that exists() and 2312defined() do the same thing with a DBM* file, and what they 2313end up doing is not what they do with ordinary hashes. 2314 2315=head2 How do I reset an each() operation part-way through? 2316 2317(contributed by brian d foy) 2318 2319You can use the C<keys> or C<values> functions to reset C<each>. To 2320simply reset the iterator used by C<each> without doing anything else, 2321use one of them in void context: 2322 2323 keys %hash; # resets iterator, nothing else. 2324 values %hash; # resets iterator, nothing else. 2325 2326See the documentation for C<each> in L<perlfunc>. 2327 2328=head2 How can I get the unique keys from two hashes? 2329 2330First you extract the keys from the hashes into lists, then solve 2331the "removing duplicates" problem described above. For example: 2332 2333 my %seen = (); 2334 for my $element (keys(%foo), keys(%bar)) { 2335 $seen{$element}++; 2336 } 2337 my @uniq = keys %seen; 2338 2339Or more succinctly: 2340 2341 my @uniq = keys %{{%foo,%bar}}; 2342 2343Or if you really want to save space: 2344 2345 my %seen = (); 2346 while (defined ($key = each %foo)) { 2347 $seen{$key}++; 2348 } 2349 while (defined ($key = each %bar)) { 2350 $seen{$key}++; 2351 } 2352 my @uniq = keys %seen; 2353 2354=head2 How can I store a multidimensional array in a DBM file? 2355 2356Either stringify the structure yourself (no fun), or else 2357get the MLDBM (which uses Data::Dumper) module from CPAN and layer 2358it on top of either DB_File or GDBM_File. You might also try DBM::Deep, but 2359it can be a bit slow. 2360 2361=head2 How can I make my hash remember the order I put elements into it? 2362 2363Use the L<Tie::IxHash> from CPAN. 2364 2365 use Tie::IxHash; 2366 2367 tie my %myhash, 'Tie::IxHash'; 2368 2369 for (my $i=0; $i<20; $i++) { 2370 $myhash{$i} = 2*$i; 2371 } 2372 2373 my @keys = keys %myhash; 2374 # @keys = (0,1,2,3,...) 2375 2376=head2 Why does passing a subroutine an undefined element in a hash create it? 2377 2378(contributed by brian d foy) 2379 2380Are you using a really old version of Perl? 2381 2382Normally, accessing a hash key's value for a nonexistent key will 2383I<not> create the key. 2384 2385 my %hash = (); 2386 my $value = $hash{ 'foo' }; 2387 print "This won't print\n" if exists $hash{ 'foo' }; 2388 2389Passing C<$hash{ 'foo' }> to a subroutine used to be a special case, though. 2390Since you could assign directly to C<$_[0]>, Perl had to be ready to 2391make that assignment so it created the hash key ahead of time: 2392 2393 my_sub( $hash{ 'foo' } ); 2394 print "This will print before 5.004\n" if exists $hash{ 'foo' }; 2395 2396 sub my_sub { 2397 # $_[0] = 'bar'; # create hash key in case you do this 2398 1; 2399 } 2400 2401Since Perl 5.004, however, this situation is a special case and Perl 2402creates the hash key only when you make the assignment: 2403 2404 my_sub( $hash{ 'foo' } ); 2405 print "This will print, even after 5.004\n" if exists $hash{ 'foo' }; 2406 2407 sub my_sub { 2408 $_[0] = 'bar'; 2409 } 2410 2411However, if you want the old behavior (and think carefully about that 2412because it's a weird side effect), you can pass a hash slice instead. 2413Perl 5.004 didn't make this a special case: 2414 2415 my_sub( @hash{ qw/foo/ } ); 2416 2417=head2 How can I make the Perl equivalent of a C structure/C++ class/hash or array of hashes or arrays? 2418 2419Usually a hash ref, perhaps like this: 2420 2421 $record = { 2422 NAME => "Jason", 2423 EMPNO => 132, 2424 TITLE => "deputy peon", 2425 AGE => 23, 2426 SALARY => 37_000, 2427 PALS => [ "Norbert", "Rhys", "Phineas"], 2428 }; 2429 2430References are documented in L<perlref> and L<perlreftut>. 2431Examples of complex data structures are given in L<perldsc> and 2432L<perllol>. Examples of structures and object-oriented classes are 2433in L<perltoot>. 2434 2435=head2 How can I use a reference as a hash key? 2436 2437(contributed by brian d foy and Ben Morrow) 2438 2439Hash keys are strings, so you can't really use a reference as the key. 2440When you try to do that, perl turns the reference into its stringified 2441form (for instance, C<HASH(0xDEADBEEF)>). From there you can't get 2442back the reference from the stringified form, at least without doing 2443some extra work on your own. 2444 2445Remember that the entry in the hash will still be there even if 2446the referenced variable goes out of scope, and that it is entirely 2447possible for Perl to subsequently allocate a different variable at 2448the same address. This will mean a new variable might accidentally 2449be associated with the value for an old. 2450 2451If you have Perl 5.10 or later, and you just want to store a value 2452against the reference for lookup later, you can use the core 2453Hash::Util::Fieldhash module. This will also handle renaming the 2454keys if you use multiple threads (which causes all variables to be 2455reallocated at new addresses, changing their stringification), and 2456garbage-collecting the entries when the referenced variable goes out 2457of scope. 2458 2459If you actually need to be able to get a real reference back from 2460each hash entry, you can use the Tie::RefHash module, which does the 2461required work for you. 2462 2463=head2 How can I check if a key exists in a multilevel hash? 2464 2465(contributed by brian d foy) 2466 2467The trick to this problem is avoiding accidental autovivification. If 2468you want to check three keys deep, you might naE<0xEF>vely try this: 2469 2470 my %hash; 2471 if( exists $hash{key1}{key2}{key3} ) { 2472 ...; 2473 } 2474 2475Even though you started with a completely empty hash, after that call to 2476C<exists> you've created the structure you needed to check for C<key3>: 2477 2478 %hash = ( 2479 'key1' => { 2480 'key2' => {} 2481 } 2482 ); 2483 2484That's autovivification. You can get around this in a few ways. The 2485easiest way is to just turn it off. The lexical C<autovivification> 2486pragma is available on CPAN. Now you don't add to the hash: 2487 2488 { 2489 no autovivification; 2490 my %hash; 2491 if( exists $hash{key1}{key2}{key3} ) { 2492 ...; 2493 } 2494 } 2495 2496The L<Data::Diver> module on CPAN can do it for you too. Its C<Dive> 2497subroutine can tell you not only if the keys exist but also get the 2498value: 2499 2500 use Data::Diver qw(Dive); 2501 2502 my @exists = Dive( \%hash, qw(key1 key2 key3) ); 2503 if( ! @exists ) { 2504 ...; # keys do not exist 2505 } 2506 elsif( ! defined $exists[0] ) { 2507 ...; # keys exist but value is undef 2508 } 2509 2510You can easily do this yourself too by checking each level of the hash 2511before you move onto the next level. This is essentially what 2512L<Data::Diver> does for you: 2513 2514 if( check_hash( \%hash, qw(key1 key2 key3) ) ) { 2515 ...; 2516 } 2517 2518 sub check_hash { 2519 my( $hash, @keys ) = @_; 2520 2521 return unless @keys; 2522 2523 foreach my $key ( @keys ) { 2524 return unless eval { exists $hash->{$key} }; 2525 $hash = $hash->{$key}; 2526 } 2527 2528 return 1; 2529 } 2530 2531=head2 How can I prevent addition of unwanted keys into a hash? 2532 2533Since version 5.8.0, hashes can be I<restricted> to a fixed number 2534of given keys. Methods for creating and dealing with restricted hashes 2535are exported by the L<Hash::Util> module. 2536 2537=head1 Data: Misc 2538 2539=head2 How do I handle binary data correctly? 2540 2541Perl is binary-clean, so it can handle binary data just fine. 2542On Windows or DOS, however, you have to use C<binmode> for binary 2543files to avoid conversions for line endings. In general, you should 2544use C<binmode> any time you want to work with binary data. 2545 2546Also see L<perlfunc/"binmode"> or L<perlopentut>. 2547 2548If you're concerned about 8-bit textual data then see L<perllocale>. 2549If you want to deal with multibyte characters, however, there are 2550some gotchas. See the section on Regular Expressions. 2551 2552=head2 How do I determine whether a scalar is a number/whole/integer/float? 2553 2554Assuming that you don't care about IEEE notations like "NaN" or 2555"Infinity", you probably just want to use a regular expression: 2556 2557 use 5.010; 2558 2559 given( $number ) { 2560 when( /\D/ ) 2561 { say "\thas nondigits"; continue } 2562 when( /^\d+\z/ ) 2563 { say "\tis a whole number"; continue } 2564 when( /^-?\d+\z/ ) 2565 { say "\tis an integer"; continue } 2566 when( /^[+-]?\d+\z/ ) 2567 { say "\tis a +/- integer"; continue } 2568 when( /^-?(?:\d+\.?|\.\d)\d*\z/ ) 2569 { say "\tis a real number"; continue } 2570 when( /^[+-]?(?=\.?\d)\d*\.?\d*(?:e[+-]?\d+)?\z/i) 2571 { say "\tis a C float" } 2572 } 2573 2574There are also some commonly used modules for the task. 2575L<Scalar::Util> (distributed with 5.8) provides access to perl's 2576internal function C<looks_like_number> for determining whether a 2577variable looks like a number. L<Data::Types> exports functions that 2578validate data types using both the above and other regular 2579expressions. Thirdly, there is L<Regexp::Common> which has regular 2580expressions to match various types of numbers. Those three modules are 2581available from the CPAN. 2582 2583If you're on a POSIX system, Perl supports the C<POSIX::strtod> 2584function for converting strings to doubles (and also C<POSIX::strtol> 2585for longs). Its semantics are somewhat cumbersome, so here's a 2586C<getnum> wrapper function for more convenient access. This function 2587takes a string and returns the number it found, or C<undef> for input 2588that isn't a C float. The C<is_numeric> function is a front end to 2589C<getnum> if you just want to say, "Is this a float?" 2590 2591 sub getnum { 2592 use POSIX qw(strtod); 2593 my $str = shift; 2594 $str =~ s/^\s+//; 2595 $str =~ s/\s+$//; 2596 $! = 0; 2597 my($num, $unparsed) = strtod($str); 2598 if (($str eq '') || ($unparsed != 0) || $!) { 2599 return undef; 2600 } 2601 else { 2602 return $num; 2603 } 2604 } 2605 2606 sub is_numeric { defined getnum($_[0]) } 2607 2608Or you could check out the L<String::Scanf> module on the CPAN 2609instead. 2610 2611=head2 How do I keep persistent data across program calls? 2612 2613For some specific applications, you can use one of the DBM modules. 2614See L<AnyDBM_File>. More generically, you should consult the L<FreezeThaw> 2615or L<Storable> modules from CPAN. Starting from Perl 5.8, L<Storable> is part 2616of the standard distribution. Here's one example using L<Storable>'s C<store> 2617and C<retrieve> functions: 2618 2619 use Storable; 2620 store(\%hash, "filename"); 2621 2622 # later on... 2623 $href = retrieve("filename"); # by ref 2624 %hash = %{ retrieve("filename") }; # direct to hash 2625 2626=head2 How do I print out or copy a recursive data structure? 2627 2628The L<Data::Dumper> module on CPAN (or the 5.005 release of Perl) is great 2629for printing out data structures. The L<Storable> module on CPAN (or the 26305.8 release of Perl), provides a function called C<dclone> that recursively 2631copies its argument. 2632 2633 use Storable qw(dclone); 2634 $r2 = dclone($r1); 2635 2636Where C<$r1> can be a reference to any kind of data structure you'd like. 2637It will be deeply copied. Because C<dclone> takes and returns references, 2638you'd have to add extra punctuation if you had a hash of arrays that 2639you wanted to copy. 2640 2641 %newhash = %{ dclone(\%oldhash) }; 2642 2643=head2 How do I define methods for every class/object? 2644 2645(contributed by Ben Morrow) 2646 2647You can use the C<UNIVERSAL> class (see L<UNIVERSAL>). However, please 2648be very careful to consider the consequences of doing this: adding 2649methods to every object is very likely to have unintended 2650consequences. If possible, it would be better to have all your object 2651inherit from some common base class, or to use an object system like 2652Moose that supports roles. 2653 2654=head2 How do I verify a credit card checksum? 2655 2656Get the L<Business::CreditCard> module from CPAN. 2657 2658=head2 How do I pack arrays of doubles or floats for XS code? 2659 2660The arrays.h/arrays.c code in the L<PGPLOT> module on CPAN does just this. 2661If you're doing a lot of float or double processing, consider using 2662the L<PDL> module from CPAN instead--it makes number-crunching easy. 2663 2664See L<http://search.cpan.org/dist/PGPLOT> for the code. 2665 2666 2667=head1 AUTHOR AND COPYRIGHT 2668 2669Copyright (c) 1997-2010 Tom Christiansen, Nathan Torkington, and 2670other authors as noted. All rights reserved. 2671 2672This documentation is free; you can redistribute it and/or modify it 2673under the same terms as Perl itself. 2674 2675Irrespective of its distribution, all code examples in this file 2676are hereby placed into the public domain. You are permitted and 2677encouraged to use this code in your own programs for fun 2678or for profit as you see fit. A simple comment in the code giving 2679credit would be courteous but is not required. 2680