home *** CD-ROM | disk | FTP | other *** search
/ Acorn User 10 / AU_CD10.iso / Updates / Perl / Non-RPC / Docs / perlop < prev    next >
Text File  |  1999-04-17  |  80KB  |  2,045 lines

  1. NAME
  2.     perlop - Perl operators and precedence
  3.  
  4. SYNOPSIS
  5.     Perl operators have the following associativity and precedence,
  6.     listed from highest precedence to lowest. Note that all
  7.     operators borrowed from C keep the same precedence relationship
  8.     with each other, even where C's precedence is slightly screwy.
  9.     (This makes learning Perl easier for C folks.) With very few
  10.     exceptions, these all operate on scalar values only, not array
  11.     values.
  12.  
  13.         left    terms and list operators (leftward)
  14.         left    ->
  15.         nonassoc    ++ --
  16.         right    **
  17.         right    ! ~ \ and unary + and -
  18.         left    =~ !~
  19.         left    * / % x
  20.         left    + - .
  21.         left    << >>
  22.         nonassoc    named unary operators
  23.         nonassoc    < > <= >= lt gt le ge
  24.         nonassoc    == != <=> eq ne cmp
  25.         left    &
  26.         left    | ^
  27.         left    &&
  28.         left    ||
  29.         nonassoc    ..  ...
  30.         right    ?:
  31.         right    = += -= *= etc.
  32.         left    , =>
  33.         nonassoc    list operators (rightward)
  34.         right    not
  35.         left    and
  36.         left    or xor
  37.  
  38.  
  39.     In the following sections, these operators are covered in
  40.     precedence order.
  41.  
  42.     Many operators can be overloaded for objects. See the overload
  43.     manpage.
  44.  
  45. DESCRIPTION
  46.   Terms and List Operators (Leftward)
  47.  
  48.     A TERM has the highest precedence in Perl. They include
  49.     variables, quote and quote-like operators, any expression in
  50.     parentheses, and any function whose arguments are parenthesized.
  51.     Actually, there aren't really functions in this sense, just list
  52.     operators and unary operators behaving as functions because you
  53.     put parentheses around the arguments. These are all documented
  54.     in the perlfunc manpage.
  55.  
  56.     If any list operator (print(), etc.) or any unary operator
  57.     (chdir(), etc.) is followed by a left parenthesis as the next
  58.     token, the operator and arguments within parentheses are taken
  59.     to be of highest precedence, just like a normal function call.
  60.  
  61.     In the absence of parentheses, the precedence of list operators
  62.     such as `print', `sort', or `chmod' is either very high or very
  63.     low depending on whether you are looking at the left side or the
  64.     right side of the operator. For example, in
  65.  
  66.         @ary = (1, 3, sort 4, 2);
  67.         print @ary;        # prints 1324
  68.  
  69.  
  70.     the commas on the right of the sort are evaluated before the
  71.     sort, but the commas on the left are evaluated after. In other
  72.     words, list operators tend to gobble up all the arguments that
  73.     follow them, and then act like a simple TERM with regard to the
  74.     preceding expression. Note that you have to be careful with
  75.     parentheses:
  76.  
  77.         # These evaluate exit before doing the print:
  78.         print($foo, exit);    # Obviously not what you want.
  79.         print $foo, exit;    # Nor is this.
  80.  
  81.         # These do the print before evaluating exit:
  82.         (print $foo), exit;    # This is what you want.
  83.         print($foo), exit;    # Or this.
  84.         print ($foo), exit;    # Or even this.
  85.  
  86.  
  87.     Also note that
  88.  
  89.         print ($foo & 255) + 1, "\n";
  90.  
  91.  
  92.     probably doesn't do what you expect at first glance. See the
  93.     Named Unary Operators manpage for more discussion of this.
  94.  
  95.     Also parsed as terms are the `do {}' and `eval {}' constructs,
  96.     as well as subroutine and method calls, and the anonymous
  97.     constructors `[]' and `{}'.
  98.  
  99.     See also the Quote and Quote-like Operators manpage toward the
  100.     end of this section, as well as the section on "I/O Operators".
  101.  
  102.   The Arrow Operator
  103.  
  104.     Just as in C and C++, "`->'" is an infix dereference operator.
  105.     If the right side is either a `[...]' or `{...}' subscript, then
  106.     the left side must be either a hard or symbolic reference to an
  107.     array or hash (or a location capable of holding a hard
  108.     reference, if it's an lvalue (assignable)). See the perlref
  109.     manpage.
  110.  
  111.     Otherwise, the right side is a method name or a simple scalar
  112.     variable containing the method name, and the left side must
  113.     either be an object (a blessed reference) or a class name (that
  114.     is, a package name). See the perlobj manpage.
  115.  
  116.   Auto-increment and Auto-decrement
  117.  
  118.     "++" and "--" work as in C. That is, if placed before a
  119.     variable, they increment or decrement the variable before
  120.     returning the value, and if placed after, increment or decrement
  121.     the variable after returning the value.
  122.  
  123.     The auto-increment operator has a little extra builtin magic to
  124.     it. If you increment a variable that is numeric, or that has
  125.     ever been used in a numeric context, you get a normal increment.
  126.     If, however, the variable has been used in only string contexts
  127.     since it was set, and has a value that is not the empty string
  128.     and matches the pattern `/^[a-zA-Z]*[0-9]*$/', the increment is
  129.     done as a string, preserving each character within its range,
  130.     with carry:
  131.  
  132.         print ++($foo = '99');    # prints '100'
  133.         print ++($foo = 'a0');    # prints 'a1'
  134.         print ++($foo = 'Az');    # prints 'Ba'
  135.         print ++($foo = 'zz');    # prints 'aaa'
  136.  
  137.  
  138.     The auto-decrement operator is not magical.
  139.  
  140.   Exponentiation
  141.  
  142.     Binary "**" is the exponentiation operator. Note that it binds
  143.     even more tightly than unary minus, so -2**4 is -(2**4), not (-
  144.     2)**4. (This is implemented using C's pow(3) function, which
  145.     actually works on doubles internally.)
  146.  
  147.   Symbolic Unary Operators
  148.  
  149.     Unary "!" performs logical negation, i.e., "not". See also `not'
  150.     for a lower precedence version of this.
  151.  
  152.     Unary "-" performs arithmetic negation if the operand is
  153.     numeric. If the operand is an identifier, a string consisting of
  154.     a minus sign concatenated with the identifier is returned.
  155.     Otherwise, if the string starts with a plus or minus, a string
  156.     starting with the opposite sign is returned. One effect of these
  157.     rules is that `-bareword' is equivalent to `"-bareword"'.
  158.  
  159.     Unary "~" performs bitwise negation, i.e., 1's complement. For
  160.     example, `0666 &~ 027' is 0640. (See also the Integer Arithmetic
  161.     manpage and the Bitwise String Operators manpage.)
  162.  
  163.     Unary "+" has no effect whatsoever, even on strings. It is
  164.     useful syntactically for separating a function name from a
  165.     parenthesized expression that would otherwise be interpreted as
  166.     the complete list of function arguments. (See examples above
  167.     under the Terms and List Operators (Leftward) manpage.)
  168.  
  169.     Unary "\" creates a reference to whatever follows it. See the
  170.     perlref manpage. Do not confuse this behavior with the behavior
  171.     of backslash within a string, although both forms do convey the
  172.     notion of protecting the next thing from interpretation.
  173.  
  174.   Binding Operators
  175.  
  176.     Binary "=~" binds a scalar expression to a pattern match.
  177.     Certain operations search or modify the string $_ by default.
  178.     This operator makes that kind of operation work on some other
  179.     string. The right argument is a search pattern, substitution, or
  180.     transliteration. The left argument is what is supposed to be
  181.     searched, substituted, or transliterated instead of the default
  182.     $_. The return value indicates the success of the operation. (If
  183.     the right argument is an expression rather than a search
  184.     pattern, substitution, or transliteration, it is interpreted as
  185.     a search pattern at run time. This can be is less efficient than
  186.     an explicit search, because the pattern must be compiled every
  187.     time the expression is evaluated.
  188.  
  189.     Binary "!~" is just like "=~" except the return value is negated
  190.     in the logical sense.
  191.  
  192.   Multiplicative Operators
  193.  
  194.     Binary "*" multiplies two numbers.
  195.  
  196.     Binary "/" divides two numbers.
  197.  
  198.     Binary "%" computes the modulus of two numbers. Given integer
  199.     operands `$a' and `$b': If `$b' is positive, then `$a % $b' is
  200.     `$a' minus the largest multiple of `$b' that is not greater than
  201.     `$a'. If `$b' is negative, then `$a % $b' is `$a' minus the
  202.     smallest multiple of `$b' that is not less than `$a' (i.e. the
  203.     result will be less than or equal to zero). Note than when `use
  204.     integer' is in scope, "%" give you direct access to the modulus
  205.     operator as implemented by your C compiler. This operator is not
  206.     as well defined for negative operands, but it will execute
  207.     faster.
  208.  
  209.     Binary "x" is the repetition operator. In scalar context, it
  210.     returns a string consisting of the left operand repeated the
  211.     number of times specified by the right operand. In list context,
  212.     if the left operand is a list in parentheses, it repeats the
  213.     list.
  214.  
  215.         print '-' x 80;        # print row of dashes
  216.  
  217.         print "\t" x ($tab/8), ' ' x ($tab%8);    # tab over
  218.  
  219.         @ones = (1) x 80;        # a list of 80 1's
  220.         @ones = (5) x @ones;    # set all elements to 5
  221.  
  222.  
  223.   Additive Operators
  224.  
  225.     Binary "+" returns the sum of two numbers.
  226.  
  227.     Binary "-" returns the difference of two numbers.
  228.  
  229.     Binary "." concatenates two strings.
  230.  
  231.   Shift Operators
  232.  
  233.     Binary "<<" returns the value of its left argument shifted left
  234.     by the number of bits specified by the right argument. Arguments
  235.     should be integers. (See also the Integer Arithmetic manpage.)
  236.  
  237.     Binary ">>" returns the value of its left argument shifted right
  238.     by the number of bits specified by the right argument. Arguments
  239.     should be integers. (See also the Integer Arithmetic manpage.)
  240.  
  241.   Named Unary Operators
  242.  
  243.     The various named unary operators are treated as functions with
  244.     one argument, with optional parentheses. These include the
  245.     filetest operators, like `-f', `-M', etc. See the perlfunc
  246.     manpage.
  247.  
  248.     If any list operator (print(), etc.) or any unary operator
  249.     (chdir(), etc.) is followed by a left parenthesis as the next
  250.     token, the operator and arguments within parentheses are taken
  251.     to be of highest precedence, just like a normal function call.
  252.     Examples:
  253.  
  254.         chdir $foo    || die;    # (chdir $foo) || die
  255.         chdir($foo)   || die;    # (chdir $foo) || die
  256.         chdir ($foo)  || die;    # (chdir $foo) || die
  257.         chdir +($foo) || die;    # (chdir $foo) || die
  258.  
  259.  
  260.     but, because * is higher precedence than ||:
  261.  
  262.         chdir $foo * 20;    # chdir ($foo * 20)
  263.         chdir($foo) * 20;    # (chdir $foo) * 20
  264.         chdir ($foo) * 20;    # (chdir $foo) * 20
  265.         chdir +($foo) * 20;    # chdir ($foo * 20)
  266.  
  267.         rand 10 * 20;    # rand (10 * 20)
  268.         rand(10) * 20;    # (rand 10) * 20
  269.         rand (10) * 20;    # (rand 10) * 20
  270.         rand +(10) * 20;    # rand (10 * 20)
  271.  
  272.  
  273.     See also the section on "Terms and List Operators (Leftward)".
  274.  
  275.   Relational Operators
  276.  
  277.     Binary "<" returns true if the left argument is numerically less
  278.     than the right argument.
  279.  
  280.     Binary ">" returns true if the left argument is numerically
  281.     greater than the right argument.
  282.  
  283.     Binary "<=" returns true if the left argument is numerically
  284.     less than or equal to the right argument.
  285.  
  286.     Binary ">=" returns true if the left argument is numerically
  287.     greater than or equal to the right argument.
  288.  
  289.     Binary "lt" returns true if the left argument is stringwise less
  290.     than the right argument.
  291.  
  292.     Binary "gt" returns true if the left argument is stringwise
  293.     greater than the right argument.
  294.  
  295.     Binary "le" returns true if the left argument is stringwise less
  296.     than or equal to the right argument.
  297.  
  298.     Binary "ge" returns true if the left argument is stringwise
  299.     greater than or equal to the right argument.
  300.  
  301.   Equality Operators
  302.  
  303.     Binary "==" returns true if the left argument is numerically
  304.     equal to the right argument.
  305.  
  306.     Binary "!=" returns true if the left argument is numerically not
  307.     equal to the right argument.
  308.  
  309.     Binary "<=>" returns -1, 0, or 1 depending on whether the left
  310.     argument is numerically less than, equal to, or greater than the
  311.     right argument.
  312.  
  313.     Binary "eq" returns true if the left argument is stringwise
  314.     equal to the right argument.
  315.  
  316.     Binary "ne" returns true if the left argument is stringwise not
  317.     equal to the right argument.
  318.  
  319.     Binary "cmp" returns -1, 0, or 1 depending on whether the left
  320.     argument is stringwise less than, equal to, or greater than the
  321.     right argument.
  322.  
  323.     "lt", "le", "ge", "gt" and "cmp" use the collation (sort) order
  324.     specified by the current locale if `use locale' is in effect.
  325.     See the perllocale manpage.
  326.  
  327.   Bitwise And
  328.  
  329.     Binary "&" returns its operators ANDed together bit by bit. (See
  330.     also the Integer Arithmetic manpage and the Bitwise String
  331.     Operators manpage.)
  332.  
  333.   Bitwise Or and Exclusive Or
  334.  
  335.     Binary "|" returns its operators ORed together bit by bit. (See
  336.     also the Integer Arithmetic manpage and the Bitwise String
  337.     Operators manpage.)
  338.  
  339.     Binary "^" returns its operators XORed together bit by bit. (See
  340.     also the Integer Arithmetic manpage and the Bitwise String
  341.     Operators manpage.)
  342.  
  343.   C-style Logical And
  344.  
  345.     Binary "&&" performs a short-circuit logical AND operation. That
  346.     is, if the left operand is false, the right operand is not even
  347.     evaluated. Scalar or list context propagates down to the right
  348.     operand if it is evaluated.
  349.  
  350.   C-style Logical Or
  351.  
  352.     Binary "||" performs a short-circuit logical OR operation. That
  353.     is, if the left operand is true, the right operand is not even
  354.     evaluated. Scalar or list context propagates down to the right
  355.     operand if it is evaluated.
  356.  
  357.     The `||' and `&&' operators differ from C's in that, rather than
  358.     returning 0 or 1, they return the last value evaluated. Thus, a
  359.     reasonably portable way to find out the home directory (assuming
  360.     it's not "0") might be:
  361.  
  362.         $home = $ENV{'HOME'} || $ENV{'LOGDIR'} ||
  363.         (getpwuid($<))[7] || die "You're homeless!\n";
  364.  
  365.  
  366.     In particular, this means that you shouldn't use this for
  367.     selecting between two aggregates for assignment:
  368.  
  369.         @a = @b || @c;        # this is wrong
  370.         @a = scalar(@b) || @c;    # really meant this
  371.         @a = @b ? @b : @c;        # this works fine, though
  372.  
  373.  
  374.     As more readable alternatives to `&&' and `||' when used for
  375.     control flow, Perl provides `and' and `or' operators (see
  376.     below). The short-circuit behavior is identical. The precedence
  377.     of "and" and "or" is much lower, however, so that you can safely
  378.     use them after a list operator without the need for parentheses:
  379.  
  380.         unlink "alpha", "beta", "gamma"
  381.             or gripe(), next LINE;
  382.  
  383.  
  384.     With the C-style operators that would have been written like
  385.     this:
  386.  
  387.         unlink("alpha", "beta", "gamma")
  388.             || (gripe(), next LINE);
  389.  
  390.  
  391.     Use "or" for assignment is unlikely to do what you want; see
  392.     below.
  393.  
  394.   Range Operators
  395.  
  396.     Binary ".." is the range operator, which is really two different
  397.     operators depending on the context. In list context, it returns
  398.     an array of values counting (by ones) from the left value to the
  399.     right value. This is useful for writing `foreach (1..10)' loops
  400.     and for doing slice operations on arrays. In the current
  401.     implementation, no temporary array is created when the range
  402.     operator is used as the expression in `foreach' loops, but older
  403.     versions of Perl might burn a lot of memory when you write
  404.     something like this:
  405.  
  406.         for (1 .. 1_000_000) {
  407.         # code
  408.         }
  409.  
  410.  
  411.     In scalar context, ".." returns a boolean value. The operator is
  412.     bistable, like a flip-flop, and emulates the line-range (comma)
  413.     operator of sed, awk, and various editors. Each ".." operator
  414.     maintains its own boolean state. It is false as long as its left
  415.     operand is false. Once the left operand is true, the range
  416.     operator stays true until the right operand is true, *AFTER*
  417.     which the range operator becomes false again. (It doesn't become
  418.     false till the next time the range operator is evaluated. It can
  419.     test the right operand and become false on the same evaluation
  420.     it became true (as in awk), but it still returns true once. If
  421.     you don't want it to test the right operand till the next
  422.     evaluation (as in sed), use three dots ("...") instead of two.)
  423.     The right operand is not evaluated while the operator is in the
  424.     "false" state, and the left operand is not evaluated while the
  425.     operator is in the "true" state. The precedence is a little
  426.     lower than || and &&. The value returned is either the empty
  427.     string for false, or a sequence number (beginning with 1) for
  428.     true. The sequence number is reset for each range encountered.
  429.     The final sequence number in a range has the string "E0"
  430.     appended to it, which doesn't affect its numeric value, but
  431.     gives you something to search for if you want to exclude the
  432.     endpoint. You can exclude the beginning point by waiting for the
  433.     sequence number to be greater than 1. If either operand of
  434.     scalar ".." is a constant expression, that operand is implicitly
  435.     compared to the `$.' variable, the current line number.
  436.     Examples:
  437.  
  438.     As a scalar operator:
  439.  
  440.         if (101 .. 200) { print; }    # print 2nd hundred lines
  441.         next line if (1 .. /^$/);    # skip header lines
  442.         s/^/> / if (/^$/ .. eof());    # quote body
  443.  
  444.         # parse mail messages
  445.         while (<>) {
  446.             $in_header =   1  .. /^$/;
  447.             $in_body   = /^$/ .. eof();
  448.         # do something based on those
  449.         } continue {
  450.         close ARGV if eof;         # reset $. each file
  451.         }
  452.  
  453.  
  454.     As a list operator:
  455.  
  456.         for (101 .. 200) { print; }    # print $_ 100 times
  457.         @foo = @foo[0 .. $#foo];    # an expensive no-op
  458.         @foo = @foo[$#foo-4 .. $#foo];    # slice last 5 items
  459.  
  460.  
  461.     The range operator (in list context) makes use of the magical
  462.     auto-increment algorithm if the operands are strings. You can
  463.     say
  464.  
  465.         @alphabet = ('A' .. 'Z');
  466.  
  467.  
  468.     to get all the letters of the alphabet, or
  469.  
  470.         $hexdigit = (0 .. 9, 'a' .. 'f')[$num & 15];
  471.  
  472.  
  473.     to get a hexadecimal digit, or
  474.  
  475.         @z2 = ('01' .. '31');  print $z2[$mday];
  476.  
  477.  
  478.     to get dates with leading zeros. If the final value specified is
  479.     not in the sequence that the magical increment would produce,
  480.     the sequence goes until the next value would be longer than the
  481.     final value specified.
  482.  
  483.   Conditional Operator
  484.  
  485.     Ternary "?:" is the conditional operator, just as in C. It works
  486.     much like an if-then-else. If the argument before the ? is true,
  487.     the argument before the : is returned, otherwise the argument
  488.     after the : is returned. For example:
  489.  
  490.         printf "I have %d dog%s.\n", $n,
  491.             ($n == 1) ? '' : "s";
  492.  
  493.  
  494.     Scalar or list context propagates downward into the 2nd or 3rd
  495.     argument, whichever is selected.
  496.  
  497.         $a = $ok ? $b : $c;  # get a scalar
  498.         @a = $ok ? @b : @c;  # get an array
  499.         $a = $ok ? @b : @c;  # oops, that's just a count!
  500.  
  501.  
  502.     The operator may be assigned to if both the 2nd and 3rd
  503.     arguments are legal lvalues (meaning that you can assign to
  504.     them):
  505.  
  506.         ($a_or_b ? $a : $b) = $c;
  507.  
  508.  
  509.     This is not necessarily guaranteed to contribute to the
  510.     readability of your program.
  511.  
  512.     Because this operator produces an assignable result, using
  513.     assignments without parentheses will get you in trouble. For
  514.     example, this:
  515.  
  516.         $a % 2 ? $a += 10 : $a += 2
  517.  
  518.  
  519.     Really means this:
  520.  
  521.         (($a % 2) ? ($a += 10) : $a) += 2
  522.  
  523.  
  524.     Rather than this:
  525.  
  526.         ($a % 2) ? ($a += 10) : ($a += 2)
  527.  
  528.  
  529.   Assignment Operators
  530.  
  531.     "=" is the ordinary assignment operator.
  532.  
  533.     Assignment operators work as in C. That is,
  534.  
  535.         $a += 2;
  536.  
  537.  
  538.     is equivalent to
  539.  
  540.         $a = $a + 2;
  541.  
  542.  
  543.     although without duplicating any side effects that dereferencing
  544.     the lvalue might trigger, such as from tie(). Other assignment
  545.     operators work similarly. The following are recognized:
  546.  
  547.         **=    +=    *=    &=    <<=    &&=
  548.                -=    /=    |=    >>=    ||=
  549.                .=    %=    ^=
  550.                  x=
  551.  
  552.  
  553.     Note that while these are grouped by family, they all have the
  554.     precedence of assignment.
  555.  
  556.     Unlike in C, the assignment operator produces a valid lvalue.
  557.     Modifying an assignment is equivalent to doing the assignment
  558.     and then modifying the variable that was assigned to. This is
  559.     useful for modifying a copy of something, like this:
  560.  
  561.         ($tmp = $global) =~ tr [A-Z] [a-z];
  562.  
  563.  
  564.     Likewise,
  565.  
  566.         ($a += 2) *= 3;
  567.  
  568.  
  569.     is equivalent to
  570.  
  571.         $a += 2;
  572.         $a *= 3;
  573.  
  574.  
  575.   Comma Operator
  576.  
  577.     Binary "," is the comma operator. In scalar context it evaluates
  578.     its left argument, throws that value away, then evaluates its
  579.     right argument and returns that value. This is just like C's
  580.     comma operator.
  581.  
  582.     In list context, it's just the list argument separator, and
  583.     inserts both its arguments into the list.
  584.  
  585.     The => digraph is mostly just a synonym for the comma operator.
  586.     It's useful for documenting arguments that come in pairs. As of
  587.     release 5.001, it also forces any word to the left of it to be
  588.     interpreted as a string.
  589.  
  590.   List Operators (Rightward)
  591.  
  592.     On the right side of a list operator, it has very low
  593.     precedence, such that it controls all comma-separated
  594.     expressions found there. The only operators with lower
  595.     precedence are the logical operators "and", "or", and "not",
  596.     which may be used to evaluate calls to list operators without
  597.     the need for extra parentheses:
  598.  
  599.         open HANDLE, "filename"
  600.         or die "Can't open: $!\n";
  601.  
  602.  
  603.     See also discussion of list operators in the Terms and List
  604.     Operators (Leftward) manpage.
  605.  
  606.   Logical Not
  607.  
  608.     Unary "not" returns the logical negation of the expression to
  609.     its right. It's the equivalent of "!" except for the very low
  610.     precedence.
  611.  
  612.   Logical And
  613.  
  614.     Binary "and" returns the logical conjunction of the two
  615.     surrounding expressions. It's equivalent to && except for the
  616.     very low precedence. This means that it short-circuits: i.e.,
  617.     the right expression is evaluated only if the left expression is
  618.     true.
  619.  
  620.   Logical or and Exclusive Or
  621.  
  622.     Binary "or" returns the logical disjunction of the two
  623.     surrounding expressions. It's equivalent to || except for the
  624.     very low precedence. This makes it useful for control flow
  625.  
  626.         print FH $data        or die "Can't write to FH: $!";
  627.  
  628.  
  629.     This means that it short-circuits: i.e., the right expression is
  630.     evaluated only if the left expression is false. Due to its
  631.     precedence, you should probably avoid using this for assignment,
  632.     only for control flow.
  633.  
  634.         $a = $b or $c;        # bug: this is wrong
  635.         ($a = $b) or $c;        # really means this
  636.         $a = $b || $c;        # better written this way
  637.  
  638.  
  639.     However, when it's a list context assignment and you're trying
  640.     to use "||" for control flow, you probably need "or" so that the
  641.     assignment takes higher precedence.
  642.  
  643.         @info = stat($file) || die;     # oops, scalar sense of stat!
  644.         @info = stat($file) or die;     # better, now @info gets its due
  645.  
  646.  
  647.     Then again, you could always use parentheses.
  648.  
  649.     Binary "xor" returns the exclusive-OR of the two surrounding
  650.     expressions. It cannot short circuit, of course.
  651.  
  652.   C Operators Missing From Perl
  653.  
  654.     Here is what C has that Perl doesn't:
  655.  
  656.     unary & Address-of operator. (But see the "\" operator for taking a
  657.             reference.)
  658.  
  659.     unary * Dereference-address operator. (Perl's prefix dereferencing
  660.             operators are typed: $, @, %, and &.)
  661.  
  662.     (TYPE)  Type casting operator.
  663.  
  664.  
  665.   Quote and Quote-like Operators
  666.  
  667.     While we usually think of quotes as literal values, in Perl they
  668.     function as operators, providing various kinds of interpolating
  669.     and pattern matching capabilities. Perl provides customary quote
  670.     characters for these behaviors, but also provides a way for you
  671.     to choose your quote character for any of them. In the following
  672.     table, a `{}' represents any pair of delimiters you choose. Non-
  673.     bracketing delimiters use the same character fore and aft, but
  674.     the 4 sorts of brackets (round, angle, square, curly) will all
  675.     nest.
  676.  
  677.         Customary  Generic        Meaning         Interpolates
  678.         ''     q{}          Literal          no
  679.         ""    qq{}          Literal          yes
  680.         ``    qx{}          Command          yes (unless '' is delimiter)
  681.             qw{}         Word list          no
  682.         //     m{}       Pattern match      yes (unless '' is delimiter)
  683.             qr{}          Pattern          yes (unless '' is delimiter)
  684.              s{}{}        Substitution      yes (unless '' is delimiter)
  685.             tr{}{}      Transliteration      no (but see below)
  686.  
  687.  
  688.     Note that there can be whitespace between the operator and the
  689.     quoting characters, except when `#' is being used as the quoting
  690.     character. `q#foo#' is parsed as being the string `foo', while
  691.     `q #foo#' is the operator `q' followed by a comment. Its
  692.     argument will be taken from the next line. This allows you to
  693.     write:
  694.  
  695.         s {foo}  # Replace foo
  696.           {bar}  # with bar.
  697.  
  698.  
  699.     For constructs that do interpolation, variables beginning with
  700.     "`$'" or "`@'" are interpolated, as are the following sequences.
  701.     Within a transliteration, the first ten of these sequences may
  702.     be used.
  703.  
  704.         \t        tab             (HT, TAB)
  705.         \n        newline         (NL)
  706.         \r        return          (CR)
  707.         \f        form feed       (FF)
  708.         \b        backspace       (BS)
  709.         \a        alarm (bell)    (BEL)
  710.         \e        escape          (ESC)
  711.         \033    octal char    (ESC)
  712.         \x1b    hex char    (ESC)
  713.         \c[        control char
  714.  
  715.         \l        lowercase next char
  716.         \u        uppercase next char
  717.         \L        lowercase till \E
  718.         \U        uppercase till \E
  719.         \E        end case modification
  720.         \Q        quote non-word characters till \E
  721.  
  722.  
  723.     If `use locale' is in effect, the case map used by `\l', `\L',
  724.     `\u' and `\U' is taken from the current locale. See the
  725.     perllocale manpage.
  726.  
  727.     All systems use the virtual `"\n"' to represent a line
  728.     terminator, called a "newline". There is no such thing as an
  729.     unvarying, physical newline character. It is an illusion that
  730.     the operating system, device drivers, C libraries, and Perl all
  731.     conspire to preserve. Not all systems read `"\r"' as ASCII CR
  732.     and `"\n"' as ASCII LF. For example, on a Mac, these are
  733.     reversed, and on systems without line terminator, printing
  734.     `"\n"' may emit no actual data. In general, use `"\n"' when you
  735.     mean a "newline" for your system, but use the literal ASCII when
  736.     you need an exact character. For example, most networking
  737.     protocols expect and prefer a CR+LF (`"\012\015"' or `"\cJ\cM"')
  738.     for line terminators, and although they often accept just
  739.     `"\012"', they seldom tolerate just `"\015"'. If you get in the
  740.     habit of using `"\n"' for networking, you may be burned some
  741.     day.
  742.  
  743.     You cannot include a literal `$' or `@' within a `\Q' sequence.
  744.     An unescaped `$' or `@' interpolates the corresponding variable,
  745.     while escaping will cause the literal string `\$' to be
  746.     inserted. You'll need to write something like
  747.     `m/\Quser\E\@\Qhost/'.
  748.  
  749.     Patterns are subject to an additional level of interpretation as
  750.     a regular expression. This is done as a second pass, after
  751.     variables are interpolated, so that regular expressions may be
  752.     incorporated into the pattern from the variables. If this is not
  753.     what you want, use `\Q' to interpolate a variable literally.
  754.  
  755.     Apart from the above, there are no multiple levels of
  756.     interpolation. In particular, contrary to the expectations of
  757.     shell programmers, back-quotes do *NOT* interpolate within
  758.     double quotes, nor do single quotes impede evaluation of
  759.     variables when used within double quotes.
  760.  
  761.   Regexp Quote-Like Operators
  762.  
  763.     Here are the quote-like operators that apply to pattern matching
  764.     and related activities.
  765.  
  766.     Most of this section is related to use of regular expressions
  767.     from Perl. Such a use may be considered from two points of view:
  768.     Perl handles a a string and a "pattern" to RE (regular
  769.     expression) engine to match, RE engine finds (or does not find)
  770.     the match, and Perl uses the findings of RE engine for its
  771.     operation, possibly asking the engine for other matches.
  772.  
  773.     RE engine has no idea what Perl is going to do with what it
  774.     finds, similarly, the rest of Perl has no idea what a particular
  775.     regular expression means to RE engine. This creates a clean
  776.     separation, and in this section we discuss matching from Perl
  777.     point of view only. The other point of view may be found in the
  778.     perlre manpage.
  779.  
  780.     ?PATTERN?
  781.             This is just like the `/pattern/' search, except that it
  782.             matches only once between calls to the reset() operator.
  783.             This is a useful optimization when you want to see only
  784.             the first occurrence of something in each file of a set
  785.             of files, for instance. Only `??' patterns local to the
  786.             current package are reset.
  787.  
  788.                 while (<>) {
  789.                 if (?^$?) {
  790.                             # blank line between header and body
  791.                 }
  792.                 } continue {
  793.                 reset if eof;        # clear ?? status for next file
  794.                 }
  795.  
  796.  
  797.             This usage is vaguely deprecated, and may be removed in
  798.             some future version of Perl.
  799.  
  800.     m/PATTERN/cgimosx
  801.  
  802.     /PATTERN/cgimosx
  803.             Searches a string for a pattern match, and in scalar
  804.             context returns true (1) or false (''). If no string is
  805.             specified via the `=~' or `!~' operator, the $_ string
  806.             is searched. (The string specified with `=~' need not be
  807.             an lvalue--it may be the result of an expression
  808.             evaluation, but remember the `=~' binds rather tightly.)
  809.             See also the perlre manpage. See the perllocale manpage
  810.             for discussion of additional considerations that apply
  811.             when `use locale' is in effect.
  812.  
  813.             Options are:
  814.  
  815.                 c    Do not reset search position on a failed match when /g is in effect.
  816.                 g    Match globally, i.e., find all occurrences.
  817.                 i    Do case-insensitive pattern matching.
  818.                 m    Treat string as multiple lines.
  819.                 o    Compile pattern only once.
  820.                 s    Treat string as single line.
  821.                 x    Use extended regular expressions.
  822.  
  823.  
  824.             If "/" is the delimiter then the initial `m' is
  825.             optional. With the `m' you can use any pair of non-
  826.             alphanumeric, non-whitespace characters as delimiters.
  827.             This is particularly useful for matching Unix path names
  828.             that contain "/", to avoid LTS (leaning toothpick
  829.             syndrome). If "?" is the delimiter, then the match-only-
  830.             once rule of `?PATTERN?' applies. If "'" is the
  831.             delimiter, no variable interpolation is performed on the
  832.             PATTERN.
  833.  
  834.             PATTERN may contain variables, which will be
  835.             interpolated (and the pattern recompiled) every time the
  836.             pattern search is evaluated, except for when the
  837.             delimiter is a single quote. (Note that `$)' and `$|'
  838.             might not be interpolated because they look like end-of-
  839.             string tests.) If you want such a pattern to be compiled
  840.             only once, add a `/o' after the trailing delimiter. This
  841.             avoids expensive run-time recompilations, and is useful
  842.             when the value you are interpolating won't change over
  843.             the life of the script. However, mentioning `/o'
  844.             constitutes a promise that you won't change the
  845.             variables in the pattern. If you change them, Perl won't
  846.             even notice.
  847.  
  848.             If the PATTERN evaluates to the empty string, the last
  849.             *successfully* matched regular expression is used
  850.             instead.
  851.  
  852.             If the `/g' option is not used, `m//' in a list context
  853.             returns a list consisting of the subexpressions matched
  854.             by the parentheses in the pattern, i.e., (`$1', `$2',
  855.             `$3'...). (Note that here `$1' etc. are also set, and
  856.             that this differs from Perl 4's behavior.) When there
  857.             are no parentheses in the pattern, the return value is
  858.             the list `(1)' for success. With or without parentheses,
  859.             an empty list is returned upon failure.
  860.  
  861.             Examples:
  862.  
  863.                 open(TTY, '/dev/tty');
  864.                 <TTY> =~ /^y/i && foo();    # do foo if desired
  865.  
  866.                 if (/Version: *([0-9.]*)/) { $version = $1; }
  867.  
  868.                 next if m#^/usr/spool/uucp#;
  869.  
  870.                 # poor man's grep
  871.                 $arg = shift;
  872.                 while (<>) {
  873.                 print if /$arg/o;    # compile only once
  874.                 }
  875.  
  876.                 if (($F1, $F2, $Etc) = ($foo =~ /^(\S+)\s+(\S+)\s*(.*)/))
  877.  
  878.  
  879.             This last example splits $foo into the first two words
  880.             and the remainder of the line, and assigns those three
  881.             fields to $F1, $F2, and $Etc. The conditional is true if
  882.             any variables were assigned, i.e., if the pattern
  883.             matched.
  884.  
  885.             The `/g' modifier specifies global pattern matching--
  886.             that is, matching as many times as possible within the
  887.             string. How it behaves depends on the context. In list
  888.             context, it returns a list of all the substrings matched
  889.             by all the parentheses in the regular expression. If
  890.             there are no parentheses, it returns a list of all the
  891.             matched strings, as if there were parentheses around the
  892.             whole pattern.
  893.  
  894.             In scalar context, each execution of `m//g' finds the
  895.             next match, returning TRUE if it matches, and FALSE if
  896.             there is no further match. The position after the last
  897.             match can be read or set using the pos() function; see
  898.             the "pos" entry in the perlfunc manpage. A failed match
  899.             normally resets the search position to the beginning of
  900.             the string, but you can avoid that by adding the `/c'
  901.             modifier (e.g. `m//gc'). Modifying the target string
  902.             also resets the search position.
  903.  
  904.             You can intermix `m//g' matches with `m/\G.../g', where
  905.             `\G' is a zero-width assertion that matches the exact
  906.             position where the previous `m//g', if any, left off.
  907.             The `\G' assertion is not supported without the `/g'
  908.             modifier; currently, without `/g', `\G' behaves just
  909.             like `\A', but that's accidental and may change in the
  910.             future.
  911.  
  912.             Examples:
  913.  
  914.                 # list context
  915.                 ($one,$five,$fifteen) = (`uptime` =~ /(\d+\.\d+)/g);
  916.  
  917.                 # scalar context
  918.                 {
  919.                 local $/ = "";
  920.                 while (defined($paragraph = <>)) {
  921.                     while ($paragraph =~ /[a-z]['")]*[.!?]+['")]*\s/g) {
  922.                     $sentences++;
  923.                     }
  924.                 }
  925.                 }
  926.                 print "$sentences\n";
  927.  
  928.                 # using m//gc with \G
  929.                 $_ = "ppooqppqq";
  930.                 while ($i++ < 2) {
  931.                     print "1: '";
  932.                     print $1 while /(o)/gc; print "', pos=", pos, "\n";
  933.                     print "2: '";
  934.                     print $1 if /\G(q)/gc;  print "', pos=", pos, "\n";
  935.                     print "3: '";
  936.                     print $1 while /(p)/gc; print "', pos=", pos, "\n";
  937.                 }
  938.  
  939.  
  940.             The last example should print:
  941.  
  942.                 1: 'oo', pos=4
  943.                 2: 'q', pos=5
  944.                 3: 'pp', pos=7
  945.                 1: '', pos=7
  946.                 2: 'q', pos=8
  947.                 3: '', pos=8
  948.  
  949.  
  950.             A useful idiom for `lex'-like scanners is `/\G.../gc'.
  951.             You can combine several regexps like this to process a
  952.             string part-by-part, doing different actions depending
  953.             on which regexp matched. Each regexp tries to match
  954.             where the previous one leaves off.
  955.  
  956.              $_ = <<'EOL';
  957.                   $url = new URI::URL "http://www/";   die if $url eq "xXx";
  958.              EOL
  959.              LOOP:
  960.                 {
  961.                   print(" digits"),        redo LOOP if /\G\d+\b[,.;]?\s*/gc;
  962.                   print(" lowercase"),    redo LOOP if /\G[a-z]+\b[,.;]?\s*/gc;
  963.                   print(" UPPERCASE"),    redo LOOP if /\G[A-Z]+\b[,.;]?\s*/gc;
  964.                   print(" Capitalized"),    redo LOOP if /\G[A-Z][a-z]+\b[,.;]?\s*/gc;
  965.                   print(" MiXeD"),        redo LOOP if /\G[A-Za-z]+\b[,.;]?\s*/gc;
  966.                   print(" alphanumeric"),    redo LOOP if /\G[A-Za-z0-9]+\b[,.;]?\s*/gc;
  967.                   print(" line-noise"),    redo LOOP if /\G[^A-Za-z0-9]+/gc;
  968.                   print ". That's all!\n";
  969.                 }
  970.  
  971.  
  972.             Here is the output (split into several lines):
  973.  
  974.              line-noise lowercase line-noise lowercase UPPERCASE line-noise
  975.              UPPERCASE line-noise lowercase line-noise lowercase line-noise
  976.              lowercase lowercase line-noise lowercase lowercase line-noise
  977.              MiXeD line-noise. That's all!
  978.  
  979.  
  980.     q/STRING/
  981.  
  982.     `'STRING''
  983.             A single-quoted, literal string. A backslash represents
  984.             a backslash unless followed by the delimiter or another
  985.             backslash, in which case the delimiter or backslash is
  986.             interpolated.
  987.  
  988.                 $foo = q!I said, "You said, 'She said it.'"!;
  989.                 $bar = q('This is it.');
  990.                 $baz = '\n';        # a two-character string
  991.  
  992.  
  993.     qq/STRING/
  994.  
  995.     "STRING"
  996.             A double-quoted, interpolated string.
  997.  
  998.                 $_ .= qq
  999.                  (*** The previous line contains the naughty word "$1".\n)
  1000.                     if /(tcl|rexx|python)/;      # :-)
  1001.                 $baz = "\n";        # a one-character string
  1002.  
  1003.  
  1004.     qr/PATTERN/imosx
  1005.             Quote-as-a-regular-expression operator. *STRING* is
  1006.             interpolated the same way as *PATTERN* in `m/PATTERN/'.
  1007.             If "'" is used as the delimiter, no variable
  1008.             interpolation is done. Returns a Perl value which may be
  1009.             used instead of the corresponding `/STRING/imosx'
  1010.             expression.
  1011.  
  1012.             For example,
  1013.  
  1014.                 $rex = qr/my.STRING/is;
  1015.                 s/$rex/foo/;
  1016.  
  1017.  
  1018.             is equivalent to
  1019.  
  1020.                 s/my.STRING/foo/is;
  1021.  
  1022.  
  1023.             The result may be used as a subpattern in a match:
  1024.  
  1025.                 $re = qr/$pattern/;
  1026.                 $string =~ /foo${re}bar/;    # can be interpolated in other patterns
  1027.                 $string =~ $re;        # or used standalone
  1028.                 $string =~ /$re/;        # or this way
  1029.  
  1030.  
  1031.             Since Perl may compile the pattern at the moment of
  1032.             execution of qr() operator, using qr() may have speed
  1033.             advantages in *some* situations, notably if the result
  1034.             of qr() is used standalone:
  1035.  
  1036.                 sub match {
  1037.                 my $patterns = shift;
  1038.                 my @compiled = map qr/$_/i, @$patterns;
  1039.                 grep {
  1040.                     my $success = 0;
  1041.                     foreach my $pat @compiled {
  1042.                     $success = 1, last if /$pat/;
  1043.                     }
  1044.                     $success;
  1045.                 } @_;
  1046.                 }
  1047.  
  1048.  
  1049.             Precompilation of the pattern into an internal
  1050.             representation at the moment of qr() avoids a need to
  1051.             recompile the pattern every time a match `/$pat/' is
  1052.             attempted. (Note that Perl has many other internal
  1053.             optimizations, but none would be triggered in the above
  1054.             example if we did not use qr() operator.)
  1055.  
  1056.             Options are:
  1057.  
  1058.                 i    Do case-insensitive pattern matching.
  1059.                 m    Treat string as multiple lines.
  1060.                 o    Compile pattern only once.
  1061.                 s    Treat string as single line.
  1062.                 x    Use extended regular expressions.
  1063.  
  1064.  
  1065.             See the perlre manpage for additional information on
  1066.             valid syntax for STRING, and for a detailed look at the
  1067.             semantics of regular expressions.
  1068.  
  1069.     qx/STRING/
  1070.  
  1071.     `STRING`
  1072.             A string which is (possibly) interpolated and then
  1073.             executed as a system command with `/bin/sh' or its
  1074.             equivalent. Shell wildcards, pipes, and redirections
  1075.             will be honored. The collected standard output of the
  1076.             command is returned; standard error is unaffected. In
  1077.             scalar context, it comes back as a single (potentially
  1078.             multi-line) string. In list context, returns a list of
  1079.             lines (however you've defined lines with $/ or
  1080.             $INPUT_RECORD_SEPARATOR).
  1081.  
  1082.             Because backticks do not affect standard error, use
  1083.             shell file descriptor syntax (assuming the shell
  1084.             supports this) if you care to address this. To capture a
  1085.             command's STDERR and STDOUT together:
  1086.  
  1087.                 $output = `cmd 2>&1`;
  1088.  
  1089.  
  1090.             To capture a command's STDOUT but discard its STDERR:
  1091.  
  1092.                 $output = `cmd 2>/dev/null`;
  1093.  
  1094.  
  1095.             To capture a command's STDERR but discard its STDOUT
  1096.             (ordering is important here):
  1097.  
  1098.                 $output = `cmd 2>&1 1>/dev/null`;
  1099.  
  1100.  
  1101.             To exchange a command's STDOUT and STDERR in order to
  1102.             capture the STDERR but leave its STDOUT to come out the
  1103.             old STDERR:
  1104.  
  1105.                 $output = `cmd 3>&1 1>&2 2>&3 3>&-`;
  1106.  
  1107.  
  1108.             To read both a command's STDOUT and its STDERR
  1109.             separately, it's easiest and safest to redirect them
  1110.             separately to files, and then read from those files when
  1111.             the program is done:
  1112.  
  1113.                 system("program args 1>/tmp/program.stdout 2>/tmp/program.stderr");
  1114.  
  1115.  
  1116.             Using single-quote as a delimiter protects the command
  1117.             from Perl's double-quote interpolation, passing it on to
  1118.             the shell instead:
  1119.  
  1120.                 $perl_info  = qx(ps $$);            # that's Perl's $$
  1121.                 $shell_info = qx'ps $$';            # that's the new shell's $$
  1122.  
  1123.  
  1124.             Note that how the string gets evaluated is entirely
  1125.             subject to the command interpreter on your system. On
  1126.             most platforms, you will have to protect shell
  1127.             metacharacters if you want them treated literally. This
  1128.             is in practice difficult to do, as it's unclear how to
  1129.             escape which characters. See the perlsec manpage for a
  1130.             clean and safe example of a manual fork() and exec() to
  1131.             emulate backticks safely.
  1132.  
  1133.             On some platforms (notably DOS-like ones), the shell may
  1134.             not be capable of dealing with multiline commands, so
  1135.             putting newlines in the string may not get you what you
  1136.             want. You may be able to evaluate multiple commands in a
  1137.             single line by separating them with the command
  1138.             separator character, if your shell supports that (e.g.
  1139.             `;' on many Unix shells; `&' on the Windows NT `cmd'
  1140.             shell).
  1141.  
  1142.             Beware that some command shells may place restrictions
  1143.             on the length of the command line. You must ensure your
  1144.             strings don't exceed this limit after any necessary
  1145.             interpolations. See the platform-specific release notes
  1146.             for more details about your particular environment.
  1147.  
  1148.             Using this operator can lead to programs that are
  1149.             difficult to port, because the shell commands called
  1150.             vary between systems, and may in fact not be present at
  1151.             all. As one example, the `type' command under the POSIX
  1152.             shell is very different from the `type' command under
  1153.             DOS. That doesn't mean you should go out of your way to
  1154.             avoid backticks when they're the right way to get
  1155.             something done. Perl was made to be a glue language, and
  1156.             one of the things it glues together is commands. Just
  1157.             understand what you're getting yourself into.
  1158.  
  1159.             See the section on "I/O Operators" for more discussion.
  1160.  
  1161.     qw/STRING/
  1162.             Returns a list of the words extracted out of STRING,
  1163.             using embedded whitespace as the word delimiters. It is
  1164.             exactly equivalent to
  1165.  
  1166.                 split(' ', q/STRING/);
  1167.  
  1168.  
  1169.             This equivalency means that if used in scalar context,
  1170.             you'll get split's (unfortunate) scalar context
  1171.             behavior, complete with mysterious warnings. However do
  1172.             not rely on this as in a future release it could be
  1173.             changed to be exactly equivalent to the list
  1174.  
  1175.                 ('foo', 'bar', 'baz')
  1176.  
  1177.  
  1178.             Which in a scalar context would result in `'baz''.
  1179.  
  1180.             Some frequently seen examples:
  1181.  
  1182.                 use POSIX qw( setlocale localeconv )
  1183.                 @EXPORT = qw( foo bar baz );
  1184.  
  1185.  
  1186.             A common mistake is to try to separate the words with
  1187.             comma or to put comments into a multi-line `qw'-string.
  1188.             For this reason the `-w' switch produce warnings if the
  1189.             STRING contains the "," or the "#" character.
  1190.  
  1191.     s/PATTERN/REPLACEMENT/egimosx
  1192.             Searches a string for a pattern, and if found, replaces
  1193.             that pattern with the replacement text and returns the
  1194.             number of substitutions made. Otherwise it returns false
  1195.             (specifically, the empty string).
  1196.  
  1197.             If no string is specified via the `=~' or `!~' operator,
  1198.             the `$_' variable is searched and modified. (The string
  1199.             specified with `=~' must be scalar variable, an array
  1200.             element, a hash element, or an assignment to one of
  1201.             those, i.e., an lvalue.)
  1202.  
  1203.             If the delimiter chosen is a single quote, no variable
  1204.             interpolation is done on either the PATTERN or the
  1205.             REPLACEMENT. Otherwise, if the PATTERN contains a $ that
  1206.             looks like a variable rather than an end-of-string test,
  1207.             the variable will be interpolated into the pattern at
  1208.             run-time. If you want the pattern compiled only once the
  1209.             first time the variable is interpolated, use the `/o'
  1210.             option. If the pattern evaluates to the empty string,
  1211.             the last successfully executed regular expression is
  1212.             used instead. See the perlre manpage for further
  1213.             explanation on these. See the perllocale manpage for
  1214.             discussion of additional considerations that apply when
  1215.             `use locale' is in effect.
  1216.  
  1217.             Options are:
  1218.  
  1219.                 e    Evaluate the right side as an expression.
  1220.                 g    Replace globally, i.e., all occurrences.
  1221.                 i    Do case-insensitive pattern matching.
  1222.                 m    Treat string as multiple lines.
  1223.                 o    Compile pattern only once.
  1224.                 s    Treat string as single line.
  1225.                 x    Use extended regular expressions.
  1226.  
  1227.  
  1228.             Any non-alphanumeric, non-whitespace delimiter may
  1229.             replace the slashes. If single quotes are used, no
  1230.             interpretation is done on the replacement string (the
  1231.             `/e' modifier overrides this, however). Unlike Perl 4,
  1232.             Perl 5 treats backticks as normal delimiters; the
  1233.             replacement text is not evaluated as a command. If the
  1234.             PATTERN is delimited by bracketing quotes, the
  1235.             REPLACEMENT has its own pair of quotes, which may or may
  1236.             not be bracketing quotes, e.g., `s(foo)(bar)' or
  1237.             `s<foo>/bar/'. A `/e' will cause the replacement portion
  1238.             to be interpreted as a full-fledged Perl expression and
  1239.             eval()ed right then and there. It is, however, syntax
  1240.             checked at compile-time.
  1241.  
  1242.             Examples:
  1243.  
  1244.                 s/\bgreen\b/mauve/g;        # don't change wintergreen
  1245.  
  1246.                 $path =~ s|/usr/bin|/usr/local/bin|;
  1247.  
  1248.                 s/Login: $foo/Login: $bar/; # run-time pattern
  1249.  
  1250.                 ($foo = $bar) =~ s/this/that/;    # copy first, then change
  1251.  
  1252.                 $count = ($paragraph =~ s/Mister\b/Mr./g);  # get change-count
  1253.  
  1254.                 $_ = 'abc123xyz';
  1255.                 s/\d+/$&*2/e;        # yields 'abc246xyz'
  1256.                 s/\d+/sprintf("%5d",$&)/e;    # yields 'abc  246xyz'
  1257.                 s/\w/$& x 2/eg;        # yields 'aabbcc  224466xxyyzz'
  1258.  
  1259.                 s/%(.)/$percent{$1}/g;    # change percent escapes; no /e
  1260.                 s/%(.)/$percent{$1} || $&/ge;    # expr now, so /e
  1261.                 s/^=(\w+)/&pod($1)/ge;    # use function call
  1262.  
  1263.                 # expand variables in $_, but dynamics only, using
  1264.                 # symbolic dereferencing
  1265.                 s/\$(\w+)/${$1}/g;
  1266.  
  1267.                 # /e's can even nest;  this will expand
  1268.                 # any embedded scalar variable (including lexicals) in $_
  1269.                 s/(\$\w+)/$1/eeg;
  1270.  
  1271.                 # Delete (most) C comments.
  1272.                 $program =~ s {
  1273.                 /\*    # Match the opening delimiter.
  1274.                 .*?    # Match a minimal number of characters.
  1275.                 \*/    # Match the closing delimiter.
  1276.                 } []gsx;
  1277.  
  1278.                 s/^\s*(.*?)\s*$/$1/;    # trim white space in $_, expensively
  1279.  
  1280.                 for ($variable) {        # trim white space in $variable, cheap
  1281.                 s/^\s+//;
  1282.                 s/\s+$//;
  1283.                 }
  1284.  
  1285.                 s/([^ ]*) *([^ ]*)/$2 $1/;    # reverse 1st two fields
  1286.  
  1287.  
  1288.             Note the use of $ instead of \ in the last example.
  1289.             Unlike sed, we use the \<*digit*> form in only the left
  1290.             hand side. Anywhere else it's $<*digit*>.
  1291.  
  1292.             Occasionally, you can't use just a `/g' to get all the
  1293.             changes to occur. Here are two common cases:
  1294.  
  1295.                 # put commas in the right places in an integer
  1296.                 1 while s/(.*\d)(\d\d\d)/$1,$2/g;      # perl4
  1297.                 1 while s/(\d)(\d\d\d)(?!\d)/$1,$2/g;  # perl5
  1298.  
  1299.                 # expand tabs to 8-column spacing
  1300.                 1 while s/\t+/' ' x (length($&)*8 - length($`)%8)/e;
  1301.  
  1302.  
  1303.     tr/SEARCHLIST/REPLACEMENTLIST/cds
  1304.  
  1305.     y/SEARCHLIST/REPLACEMENTLIST/cds
  1306.             Transliterates all occurrences of the characters found
  1307.             in the search list with the corresponding character in
  1308.             the replacement list. It returns the number of
  1309.             characters replaced or deleted. If no string is
  1310.             specified via the =~ or !~ operator, the $_ string is
  1311.             transliterated. (The string specified with =~ must be a
  1312.             scalar variable, an array element, a hash element, or an
  1313.             assignment to one of those, i.e., an lvalue.)
  1314.  
  1315.             A character range may be specified with a hyphen, so
  1316.             `tr/A-J/0-9/' does the same replacement as
  1317.             `tr/ACEGIBDFHJ/0246813579/'. For sed devotees, `y' is
  1318.             provided as a synonym for `tr'. If the SEARCHLIST is
  1319.             delimited by bracketing quotes, the REPLACEMENTLIST has
  1320.             its own pair of quotes, which may or may not be
  1321.             bracketing quotes, e.g., `tr[A-Z][a-z]' or `tr(+\-
  1322.             */)/ABCD/'.
  1323.  
  1324.             Note also that the whole range idea is rather unportable
  1325.             between character sets--and even within character sets
  1326.             they may cause results you probably didn't expect. A
  1327.             sound principle is to use only ranges that begin from
  1328.             and end at either alphabets of equal case (a-e, A-E), or
  1329.             digits (0-4). Anything else is unsafe. If in doubt,
  1330.             spell out the character sets in full.
  1331.  
  1332.             Options:
  1333.  
  1334.                 c    Complement the SEARCHLIST.
  1335.                 d    Delete found but unreplaced characters.
  1336.                 s    Squash duplicate replaced characters.
  1337.  
  1338.  
  1339.             If the `/c' modifier is specified, the SEARCHLIST
  1340.             character set is complemented. If the `/d' modifier is
  1341.             specified, any characters specified by SEARCHLIST not
  1342.             found in REPLACEMENTLIST are deleted. (Note that this is
  1343.             slightly more flexible than the behavior of some tr
  1344.             programs, which delete anything they find in the
  1345.             SEARCHLIST, period.) If the `/s' modifier is specified,
  1346.             sequences of characters that were transliterated to the
  1347.             same character are squashed down to a single instance of
  1348.             the character.
  1349.  
  1350.             If the `/d' modifier is used, the REPLACEMENTLIST is
  1351.             always interpreted exactly as specified. Otherwise, if
  1352.             the REPLACEMENTLIST is shorter than the SEARCHLIST, the
  1353.             final character is replicated till it is long enough. If
  1354.             the REPLACEMENTLIST is empty, the SEARCHLIST is
  1355.             replicated. This latter is useful for counting
  1356.             characters in a class or for squashing character
  1357.             sequences in a class.
  1358.  
  1359.             Examples:
  1360.  
  1361.                 $ARGV[1] =~ tr/A-Z/a-z/;    # canonicalize to lower case
  1362.  
  1363.                 $cnt = tr/*/*/;        # count the stars in $_
  1364.  
  1365.                 $cnt = $sky =~ tr/*/*/;    # count the stars in $sky
  1366.  
  1367.                 $cnt = tr/0-9//;        # count the digits in $_
  1368.  
  1369.                 tr/a-zA-Z//s;        # bookkeeper -> bokeper
  1370.  
  1371.                 ($HOST = $host) =~ tr/a-z/A-Z/;
  1372.  
  1373.                 tr/a-zA-Z/ /cs;        # change non-alphas to single space
  1374.  
  1375.                 tr [\200-\377]
  1376.                    [\000-\177];        # delete 8th bit
  1377.  
  1378.  
  1379.             If multiple transliterations are given for a character,
  1380.             only the first one is used:
  1381.  
  1382.                 tr/AAA/XYZ/
  1383.  
  1384.  
  1385.             will transliterate any A to X.
  1386.  
  1387.             Note that because the transliteration table is built at
  1388.             compile time, neither the SEARCHLIST nor the
  1389.             REPLACEMENTLIST are subjected to double quote
  1390.             interpolation. That means that if you want to use
  1391.             variables, you must use an eval():
  1392.  
  1393.                 eval "tr/$oldlist/$newlist/";
  1394.                 die $@ if $@;
  1395.  
  1396.                 eval "tr/$oldlist/$newlist/, 1" or die $@;
  1397.  
  1398.  
  1399.   Gory details of parsing quoted constructs
  1400.  
  1401.     When presented with something which may have several different
  1402.     interpretations, Perl uses the principle DWIM (expanded to Do
  1403.     What I Mean - not what I wrote) to pick up the most probable
  1404.     interpretation of the source. This strategy is so successful
  1405.     that Perl users usually do not suspect ambivalence of what they
  1406.     write. However, time to time Perl's ideas differ from what the
  1407.     author meant.
  1408.  
  1409.     The target of this section is to clarify the Perl's way of
  1410.     interpreting quoted constructs. The most frequent reason one may
  1411.     have to want to know the details discussed in this section is
  1412.     hairy regular expressions. However, the first steps of parsing
  1413.     are the same for all Perl quoting operators, so here they are
  1414.     discussed together.
  1415.  
  1416.     The most important detail of Perl parsing rules is the first one
  1417.     discussed below; when processing a quoted construct, Perl
  1418.     *first* finds the end of the construct, then it interprets the
  1419.     contents of the construct. If you understand this rule, you may
  1420.     skip the rest of this section on the first reading. The other
  1421.     rules would contradict user's expectations much less frequently
  1422.     than the first one.
  1423.  
  1424.     Some of the passes discussed below are performed concurrently,
  1425.     but as far as results are the same, we consider them one-by-one.
  1426.     For different quoting constructs Perl performs different number
  1427.     of passes, from one to five, but they are always performed in
  1428.     the same order.
  1429.  
  1430.     Finding the end
  1431.         First pass is finding the end of the quoted construct, be it
  1432.         a multichar delimiter `"\nEOF\n"' of `<<EOF' construct, `/'
  1433.         which terminates `qq/' construct, `]' which terminates `qq['
  1434.         construct, or `>' which terminates a fileglob started with
  1435.         `<'.
  1436.  
  1437.         When searching for one-char non-matching delimiter, such as
  1438.         `/', combinations `\\' and `\/' are skipped. When searching
  1439.         for one-char matching delimiter, such as `]', combinations
  1440.         `\\', `\]' and `\[' are skipped, and nested `[', `]' are
  1441.         skipped as well. When searching for multichar delimiter no
  1442.         skipping is performed.
  1443.  
  1444.         For constructs with 3-part delimiters (`s///' etc.) the
  1445.         search is repeated once more.
  1446.  
  1447.         During this search no attention is paid to the semantic of
  1448.         the construct, thus:
  1449.  
  1450.             "$hash{"$foo/$bar"}"
  1451.  
  1452.  
  1453.         or:
  1454.  
  1455.             m/ 
  1456.               bar    # NOT a comment, this slash / terminated m//!
  1457.              /x
  1458.  
  1459.  
  1460.         do not form legal quoted expressions, the quoted part ends
  1461.         on the first `"' and `/', and the rest happens to be a
  1462.         syntax error. Note that since the slash which terminated
  1463.         `m//' was followed by a `SPACE', the above is not `m//x',
  1464.         but rather `m//' with no 'x' switch. So the embedded `#' is
  1465.         interpreted as a literal `#'.
  1466.  
  1467.     Removal of backslashes before delimiters
  1468.         During the second pass the text between the starting
  1469.         delimiter and the ending delimiter is copied to a safe
  1470.         location, and the `\' is removed from combinations
  1471.         consisting of `\' and delimiter(s) (both starting and ending
  1472.         delimiter if they differ).
  1473.  
  1474.         The removal does not happen for multi-char delimiters.
  1475.  
  1476.         Note that the combination `\\' is left as it was!
  1477.  
  1478.         Starting from this step no information about the
  1479.         delimiter(s) is used in the parsing.
  1480.  
  1481.     Interpolation
  1482.         Next step is interpolation in the obtained delimiter-
  1483.         independent text. There are four different cases.
  1484.  
  1485.     `<<'EOF'', `m''', `s'''', `tr///', `y///'
  1486.             No interpolation is performed.
  1487.  
  1488.     `''', `q//'
  1489.             The only interpolation is removal of `\' from pairs
  1490.             `\\'.
  1491.  
  1492.     `""', ```', `qq//', `qx//', `<file*glob>'
  1493.             `\Q', `\U', `\u', `\L', `\l' (possibly paired with `\E')
  1494.             are converted to corresponding Perl constructs, thus
  1495.             `"$foo\Qbaz$bar"' is converted to :
  1496.  
  1497.                $foo . (quotemeta("baz" . $bar));
  1498.  
  1499.  
  1500.             Other combinations of `\' with following chars are
  1501.             substituted with appropriate expansions.
  1502.  
  1503.             Let it be stressed that *whatever is between `\Q' and
  1504.             `\E'* is interpolated in the usual way. Say, `"\Q\\E"'
  1505.             has no `\E' inside: it has `\Q', `\\', and `E', thus the
  1506.             result is the same as for `"\\\\E"'. Generally speaking,
  1507.             having backslashes between `\Q' and `\E' may lead to
  1508.             counterintuitive results. So, `"\Q\t\E"' is converted
  1509.             to:
  1510.  
  1511.               quotemeta("\t")
  1512.  
  1513.  
  1514.             which is the same as `"\\\t"' (since TAB is not
  1515.             alphanumerical). Note also that:
  1516.  
  1517.               $str = '\t';
  1518.               return "\Q$str";
  1519.  
  1520.  
  1521.             may be closer to the conjectural *intention* of the
  1522.             writer of `"\Q\t\E"'.
  1523.  
  1524.             Interpolated scalars and arrays are internally converted
  1525.             to the `join' and `.' Perl operations, thus `"$foo '>>
  1526.             '@arr'"> becomes:
  1527.  
  1528.               $foo . " >>> '" . (join $", @arr) . "'";
  1529.  
  1530.  
  1531.             All the operations in the above are performed
  1532.             simultaneously left-to-right.
  1533.  
  1534.             Since the result of "\Q STRING \E" has all the
  1535.             metacharacters quoted there is no way to insert a
  1536.             literal `$' or `@' inside a `\Q\E' pair: if protected by
  1537.             `\' `$' will be quoted to became "\\\$", if not, it is
  1538.             interpreted as starting an interpolated scalar.
  1539.  
  1540.             Note also that the interpolating code needs to make a
  1541.             decision on where the interpolated scalar ends. For
  1542.             instance, whether `"a $b -> {c}"' means:
  1543.  
  1544.               "a " . $b . " -> {c}";
  1545.  
  1546.  
  1547.             or:
  1548.  
  1549.               "a " . $b -> {c};
  1550.  
  1551.  
  1552.             *Most of the time* the decision is to take the longest
  1553.             possible text which does not include spaces between
  1554.             components and contains matching braces/brackets. Since
  1555.             the outcome may be determined by *voting* based on
  1556.             heuristic estimators, the result *is not strictly
  1557.             predictable*, but is usually correct for the ambiguous
  1558.             cases.
  1559.  
  1560.     `?RE?', `/RE/', `m/RE/', `s/RE/foo/',
  1561.             Processing of `\Q', `\U', `\u', `\L', `\l' and
  1562.             interpolation happens (almost) as with `qq//'
  1563.             constructs, but *the substitution of `\' followed by RE-
  1564.             special chars (including `\') is not performed*!
  1565.             Moreover, inside `(?{BLOCK})', `(?# comment )', and `#'-
  1566.             comment of `//x'-regular expressions no processing is
  1567.             performed at all. This is the first step where presence
  1568.             of the `//x' switch is relevant.
  1569.  
  1570.             Interpolation has several quirks: `$|', `$(' and `$)'
  1571.             are not interpolated, and constructs `$var[SOMETHING]'
  1572.             are *voted* (by several different estimators) to be an
  1573.             array element or `$var' followed by a RE alternative.
  1574.             This is the place where the notation `${arr[$bar]}'
  1575.             comes handy: `/${arr[0-9]}/' is interpreted as an array
  1576.             element `-9', not as a regular expression from variable
  1577.             `$arr' followed by a digit, which is the interpretation
  1578.             of `/$arr[0-9]/'. Since voting among different
  1579.             estimators may be performed, the result *is not
  1580.             predictable*.
  1581.  
  1582.             It is on this step that `\1' is converted to `$1' in the
  1583.             replacement text of `s///'.
  1584.  
  1585.             Note that absence of processing of `\\' creates specific
  1586.             restrictions on the post-processed text: if the
  1587.             delimiter is `/', one cannot get the combination `\/'
  1588.             into the result of this step: `/' will finish the
  1589.             regular expression, `\/' will be stripped to `/' on the
  1590.             previous step, and `\\/' will be left as is. Since `/'
  1591.             is equivalent to `\/' inside a regular expression, this
  1592.             does not matter unless the delimiter is a special
  1593.             character for the RE engine, as in `s*foo*bar*',
  1594.             `m[foo]', or `?foo?', or an alphanumeric char, as in:
  1595.  
  1596.               m m ^ a \s* b mmx;
  1597.  
  1598.  
  1599.             In the above RE, which is intentionally obfuscated for
  1600.             illustration, the delimiter is `m', the modifier is
  1601.             `mx', and after backslash-removal the RE is the same as
  1602.             for `m/ ^ a s* b /mx').
  1603.  
  1604.  
  1605.         This step is the last one for all the constructs except
  1606.         regular expressions, which are processed further.
  1607.  
  1608.     Interpolation of regular expressions
  1609.         All the previous steps were performed during the compilation
  1610.         of Perl code, this one happens in run time (though it may be
  1611.         optimized to be calculated at compile time if appropriate).
  1612.         After all the preprocessing performed above (and possibly
  1613.         after evaluation if catenation, joining, up/down-casing and
  1614.         `quotemeta()'ing are involved) the resulting *string* is
  1615.         passed to RE engine for compilation.
  1616.  
  1617.         Whatever happens in the RE engine is better be discussed in
  1618.         the perlre manpage, but for the sake of continuity let us do
  1619.         it here.
  1620.  
  1621.         This is another step where presence of the `//x' switch is
  1622.         relevant. The RE engine scans the string left-to-right, and
  1623.         converts it to a finite automaton.
  1624.  
  1625.         Backslashed chars are either substituted by corresponding
  1626.         literal strings (as with `\{'), or generate special nodes of
  1627.         the finite automaton (as with `\b'). Characters which are
  1628.         special to the RE engine (such as `|') generate
  1629.         corresponding nodes or groups of nodes. `(?#...)' comments
  1630.         are ignored. All the rest is either converted to literal
  1631.         strings to match, or is ignored (as is whitespace and `#'-
  1632.         style comments if `//x' is present).
  1633.  
  1634.         Note that the parsing of the construct `[...]' is performed
  1635.         using rather different rules than for the rest of the
  1636.         regular expression. The terminator of this construct is
  1637.         found using the same rules as for finding a terminator of a
  1638.         `{}'-delimited construct, the only exception being that `]'
  1639.         immediately following `[' is considered as if preceded by a
  1640.         backslash. Similarly, the terminator of `(?{...})' is found
  1641.         using the same rules as for finding a terminator of a `{}'-
  1642.         delimited construct.
  1643.  
  1644.         It is possible to inspect both the string given to RE
  1645.         engine, and the resulting finite automaton. See arguments
  1646.         `debug'/`debugcolor' of `use the re manpage' directive,
  1647.         and/or -Dr option of Perl in the "Switches" entry in the
  1648.         perlrun manpage.
  1649.  
  1650.     Optimization of regular expressions
  1651.         This step is listed for completeness only. Since it does not
  1652.         change semantics, details of this step are not documented
  1653.         and are subject to change. This step is performed over the
  1654.         finite automaton generated during the previous pass.
  1655.  
  1656.         However, in older versions of Perl `the split manpage' used
  1657.         to silently optimize `/^/' to mean `/^/m'. This behaviour,
  1658.         though present in current versions of Perl, may be
  1659.         deprecated in future.
  1660.  
  1661.  
  1662.   I/O Operators
  1663.  
  1664.     There are several I/O operators you should know about.
  1665.  
  1666.     A string enclosed by backticks (grave accents) first undergoes
  1667.     variable substitution just like a double quoted string. It is
  1668.     then interpreted as a command, and the output of that command is
  1669.     the value of the pseudo-literal, like in a shell. In scalar
  1670.     context, a single string consisting of all the output is
  1671.     returned. In list context, a list of values is returned, one for
  1672.     each line of output. (You can set `$/' to use a different line
  1673.     terminator.) The command is executed each time the pseudo-
  1674.     literal is evaluated. The status value of the command is
  1675.     returned in `$?' (see the perlvar manpage for the interpretation
  1676.     of `$?'). Unlike in csh, no translation is done on the return
  1677.     data--newlines remain newlines. Unlike in any of the shells,
  1678.     single quotes do not hide variable names in the command from
  1679.     interpretation. To pass a $ through to the shell you need to
  1680.     hide it with a backslash. The generalized form of backticks is
  1681.     `qx//'. (Because backticks always undergo shell expansion as
  1682.     well, see the perlsec manpage for security concerns.)
  1683.  
  1684.     In a scalar context, evaluating a filehandle in angle brackets
  1685.     yields the next line from that file (newline, if any, included),
  1686.     or `undef' at end-of-file. When `$/' is set to `undef' (i.e.
  1687.     file slurp mode), and the file is empty, it returns `''' the
  1688.     first time, followed by `undef' subsequently.
  1689.  
  1690.     Ordinarily you must assign the returned value to a variable, but
  1691.     there is one situation where an automatic assignment happens.
  1692.     *If and ONLY if* the input symbol is the only thing inside the
  1693.     conditional of a `while' or `for(;;)' loop, the value is
  1694.     automatically assigned to the variable `$_'. In these loop
  1695.     constructs, the assigned value (whether assignment is automatic
  1696.     or explicit) is then tested to see if it is defined. The defined
  1697.     test avoids problems where line has a string value that would be
  1698.     treated as false by perl e.g. "" or "0" with no trailing
  1699.     newline. (This may seem like an odd thing to you, but you'll use
  1700.     the construct in almost every Perl script you write.) Anyway,
  1701.     the following lines are equivalent to each other:
  1702.  
  1703.         while (defined($_ = <STDIN>)) { print; }
  1704.         while ($_ = <STDIN>) { print; }
  1705.         while (<STDIN>) { print; }
  1706.         for (;<STDIN>;) { print; }
  1707.         print while defined($_ = <STDIN>);
  1708.         print while ($_ = <STDIN>);
  1709.         print while <STDIN>;
  1710.  
  1711.  
  1712.     and this also behaves similarly, but avoids the use of $_ :
  1713.  
  1714.         while (my $line = <STDIN>) { print $line }    
  1715.  
  1716.  
  1717.     If you really mean such values to terminate the loop they should
  1718.     be tested for explicitly:
  1719.  
  1720.         while (($_ = <STDIN>) ne '0') { ... }
  1721.         while (<STDIN>) { last unless $_; ... }
  1722.  
  1723.  
  1724.     In other boolean contexts, `<*filehandle*>' without explicit
  1725.     `defined' test or comparison will solicit a warning if `-w' is
  1726.     in effect.
  1727.  
  1728.     The filehandles STDIN, STDOUT, and STDERR are predefined. (The
  1729.     filehandles `stdin', `stdout', and `stderr' will also work
  1730.     except in packages, where they would be interpreted as local
  1731.     identifiers rather than global.) Additional filehandles may be
  1732.     created with the open() function. See the "open" entry in the
  1733.     perlfunc manpage for details on this.
  1734.  
  1735.     If a <FILEHANDLE> is used in a context that is looking for a
  1736.     list, a list consisting of all the input lines is returned, one
  1737.     line per list element. It's easy to make a *LARGE* data space
  1738.     this way, so use with care.
  1739.  
  1740.     <FILEHANDLE> may also be spelt readline(FILEHANDLE). See the
  1741.     "readline" entry in the perlfunc manpage.
  1742.  
  1743.     The null filehandle <> is special and can be used to emulate the
  1744.     behavior of sed and awk. Input from <> comes either from
  1745.     standard input, or from each file listed on the command line.
  1746.     Here's how it works: the first time <> is evaluated, the @ARGV
  1747.     array is checked, and if it is empty, `$ARGV[0]' is set to "-",
  1748.     which when opened gives you standard input. The @ARGV array is
  1749.     then processed as a list of filenames. The loop
  1750.  
  1751.         while (<>) {
  1752.         ...            # code for each line
  1753.         }
  1754.  
  1755.  
  1756.     is equivalent to the following Perl-like pseudo code:
  1757.  
  1758.         unshift(@ARGV, '-') unless @ARGV;
  1759.         while ($ARGV = shift) {
  1760.         open(ARGV, $ARGV);
  1761.         while (<ARGV>) {
  1762.             ...        # code for each line
  1763.         }
  1764.         }
  1765.  
  1766.  
  1767.     except that it isn't so cumbersome to say, and will actually
  1768.     work. It really does shift array @ARGV and put the current
  1769.     filename into variable $ARGV. It also uses filehandle *ARGV*
  1770.     internally--<> is just a synonym for <ARGV>, which is magical.
  1771.     (The pseudo code above doesn't work because it treats <ARGV> as
  1772.     non-magical.)
  1773.  
  1774.     You can modify @ARGV before the first <> as long as the array
  1775.     ends up containing the list of filenames you really want. Line
  1776.     numbers (`$.') continue as if the input were one big happy file.
  1777.     (But see example under `eof' for how to reset line numbers on
  1778.     each file.)
  1779.  
  1780.     If you want to set @ARGV to your own list of files, go right
  1781.     ahead. This sets @ARGV to all plain text files if no @ARGV was
  1782.     given:
  1783.  
  1784.         @ARGV = grep { -f && -T } glob('*') unless @ARGV;
  1785.  
  1786.  
  1787.     You can even set them to pipe commands. For example, this
  1788.     automatically filters compressed arguments through gzip:
  1789.  
  1790.         @ARGV = map { /\.(gz|Z)$/ ? "gzip -dc < $_ |" : $_ } @ARGV;
  1791.  
  1792.  
  1793.     If you want to pass switches into your script, you can use one
  1794.     of the Getopts modules or put a loop on the front like this:
  1795.  
  1796.         while ($_ = $ARGV[0], /^-/) {
  1797.         shift;
  1798.             last if /^--$/;
  1799.         if (/^-D(.*)/) { $debug = $1 }
  1800.         if (/^-v/)     { $verbose++  }
  1801.         # ...        # other switches
  1802.         }
  1803.  
  1804.         while (<>) {
  1805.         # ...        # code for each line
  1806.         }
  1807.  
  1808.  
  1809.     The <> symbol will return `undef' for end-of-file only once. If
  1810.     you call it again after this it will assume you are processing
  1811.     another @ARGV list, and if you haven't set @ARGV, will input
  1812.     from STDIN.
  1813.  
  1814.     If the string inside the angle brackets is a reference to a
  1815.     scalar variable (e.g., <$foo>), then that variable contains the
  1816.     name of the filehandle to input from, or its typeglob, or a
  1817.     reference to the same. For example:
  1818.  
  1819.         $fh = \*STDIN;
  1820.         $line = <$fh>;
  1821.  
  1822.  
  1823.     If what's within the angle brackets is neither a filehandle nor
  1824.     a simple scalar variable containing a filehandle name, typeglob,
  1825.     or typeglob reference, it is interpreted as a filename pattern
  1826.     to be globbed, and either a list of filenames or the next
  1827.     filename in the list is returned, depending on context. This
  1828.     distinction is determined on syntactic grounds alone. That means
  1829.     `<$x>' is always a readline from an indirect handle, but
  1830.     `<$hash{key}>' is always a glob. That's because $x is a simple
  1831.     scalar variable, but `$hash{key}' is not--it's a hash element.
  1832.  
  1833.     One level of double-quote interpretation is done first, but you
  1834.     can't say `<$foo>' because that's an indirect filehandle as
  1835.     explained in the previous paragraph. (In older versions of Perl,
  1836.     programmers would insert curly brackets to force interpretation
  1837.     as a filename glob: `<${foo}>'. These days, it's considered
  1838.     cleaner to call the internal function directly as `glob($foo)',
  1839.     which is probably the right way to have done it in the first
  1840.     place.) Example:
  1841.  
  1842.         while (<*.c>) {
  1843.         chmod 0644, $_;
  1844.         }
  1845.  
  1846.  
  1847.     is equivalent to
  1848.  
  1849.         open(FOO, "echo *.c | tr -s ' \t\r\f' '\\012\\012\\012\\012'|");
  1850.         while (<FOO>) {
  1851.         chop;
  1852.         chmod 0644, $_;
  1853.         }
  1854.  
  1855.  
  1856.     In fact, it's currently implemented that way. (Which means it
  1857.     will not work on filenames with spaces in them unless you have
  1858.     csh(1) on your machine.) Of course, the shortest way to do the
  1859.     above is:
  1860.  
  1861.         chmod 0644, <*.c>;
  1862.  
  1863.  
  1864.     Because globbing invokes a shell, it's often faster to call
  1865.     readdir() yourself and do your own grep() on the filenames.
  1866.     Furthermore, due to its current implementation of using a shell,
  1867.     the glob() routine may get "Arg list too long" errors (unless
  1868.     you've installed tcsh(1L) as /bin/csh).
  1869.  
  1870.     A glob evaluates its (embedded) argument only when it is
  1871.     starting a new list. All values must be read before it will
  1872.     start over. In a list context this isn't important, because you
  1873.     automatically get them all anyway. In scalar context, however,
  1874.     the operator returns the next value each time it is called, or a
  1875.     `undef' value if you've just run out. As for filehandles an
  1876.     automatic `defined' is generated when the glob occurs in the
  1877.     test part of a `while' or `for' - because legal glob returns
  1878.     (e.g. a file called 0) would otherwise terminate the loop.
  1879.     Again, `undef' is returned only once. So if you're expecting a
  1880.     single value from a glob, it is much better to say
  1881.  
  1882.         ($file) = <blurch*>;
  1883.  
  1884.  
  1885.     than
  1886.  
  1887.         $file = <blurch*>;
  1888.  
  1889.  
  1890.     because the latter will alternate between returning a filename
  1891.     and returning FALSE.
  1892.  
  1893.     It you're trying to do variable interpolation, it's definitely
  1894.     better to use the glob() function, because the older notation
  1895.     can cause people to become confused with the indirect filehandle
  1896.     notation.
  1897.  
  1898.         @files = glob("$dir/*.[ch]");
  1899.         @files = glob($files[$i]);
  1900.  
  1901.  
  1902.   Constant Folding
  1903.  
  1904.     Like C, Perl does a certain amount of expression evaluation at
  1905.     compile time, whenever it determines that all arguments to an
  1906.     operator are static and have no side effects. In particular,
  1907.     string concatenation happens at compile time between literals
  1908.     that don't do variable substitution. Backslash interpretation
  1909.     also happens at compile time. You can say
  1910.  
  1911.         'Now is the time for all' . "\n" .
  1912.         'good men to come to.'
  1913.  
  1914.  
  1915.     and this all reduces to one string internally. Likewise, if you
  1916.     say
  1917.  
  1918.         foreach $file (@filenames) {
  1919.         if (-s $file > 5 + 100 * 2**16) {  }
  1920.         }
  1921.  
  1922.  
  1923.     the compiler will precompute the number that expression
  1924.     represents so that the interpreter won't have to.
  1925.  
  1926.   Bitwise String Operators
  1927.  
  1928.     Bitstrings of any size may be manipulated by the bitwise
  1929.     operators (`~ | & ^').
  1930.  
  1931.     If the operands to a binary bitwise op are strings of different
  1932.     sizes, | and ^ ops will act as if the shorter operand had
  1933.     additional zero bits on the right, while the & op will act as if
  1934.     the longer operand were truncated to the length of the shorter.
  1935.     Note that the granularity for such extension or truncation is
  1936.     one or more *bytes*.
  1937.  
  1938.         # ASCII-based examples 
  1939.         print "j p \n" ^ " a h";            # prints "JAPH\n"
  1940.         print "JA" | "  ph\n";              # prints "japh\n"
  1941.         print "japh\nJunk" & '_____';       # prints "JAPH\n";
  1942.         print 'p N$' ^ " E<H\n";        # prints "Perl\n";
  1943.  
  1944.  
  1945.     If you are intending to manipulate bitstrings, you should be
  1946.     certain that you're supplying bitstrings: If an operand is a
  1947.     number, that will imply a numeric bitwise operation. You may
  1948.     explicitly show which type of operation you intend by using `""'
  1949.     or `0+', as in the examples below.
  1950.  
  1951.         $foo =  150  |  105 ;    # yields 255  (0x96 | 0x69 is 0xFF)
  1952.         $foo = '150' |  105 ;    # yields 255
  1953.         $foo =  150  | '105';    # yields 255
  1954.         $foo = '150' | '105';    # yields string '155' (under ASCII)
  1955.  
  1956.         $baz = 0+$foo & 0+$bar;    # both ops explicitly numeric
  1957.         $biz = "$foo" ^ "$bar";    # both ops explicitly stringy
  1958.  
  1959.  
  1960.     See the "vec" entry in the perlfunc manpage for information on
  1961.     how to manipulate individual bits in a bit vector.
  1962.  
  1963.   Integer Arithmetic
  1964.  
  1965.     By default Perl assumes that it must do most of its arithmetic
  1966.     in floating point. But by saying
  1967.  
  1968.         use integer;
  1969.  
  1970.  
  1971.     you may tell the compiler that it's okay to use integer
  1972.     operations from here to the end of the enclosing BLOCK. An inner
  1973.     BLOCK may countermand this by saying
  1974.  
  1975.         no integer;
  1976.  
  1977.  
  1978.     which lasts until the end of that BLOCK.
  1979.  
  1980.     The bitwise operators ("&", "|", "^", "~", "<<", and ">>")
  1981.     always produce integral results. (But see also the Bitwise
  1982.     String Operators manpage.) However, `use integer' still has
  1983.     meaning for them. By default, their results are interpreted as
  1984.     unsigned integers. However, if `use integer' is in effect, their
  1985.     results are interpreted as signed integers. For example, `~0'
  1986.     usually evaluates to a large integral value. However, `use
  1987.     integer; ~0' is -1 on twos-complement machines.
  1988.  
  1989.   Floating-point Arithmetic
  1990.  
  1991.     While `use integer' provides integer-only arithmetic, there is
  1992.     no similar ways to provide rounding or truncation at a certain
  1993.     number of decimal places. For rounding to a certain number of
  1994.     digits, sprintf() or printf() is usually the easiest route.
  1995.  
  1996.     Floating-point numbers are only approximations to what a
  1997.     mathematician would call real numbers. There are infinitely more
  1998.     reals than floats, so some corners must be cut. For example:
  1999.  
  2000.         printf "%.20g\n", 123456789123456789;
  2001.         #        produces 123456789123456784
  2002.  
  2003.  
  2004.     Testing for exact equality of floating-point equality or
  2005.     inequality is not a good idea. Here's a (relatively expensive)
  2006.     work-around to compare whether two floating-point numbers are
  2007.     equal to a particular number of decimal places. See Knuth,
  2008.     volume II, for a more robust treatment of this topic.
  2009.  
  2010.         sub fp_equal {
  2011.         my ($X, $Y, $POINTS) = @_;
  2012.         my ($tX, $tY);
  2013.         $tX = sprintf("%.${POINTS}g", $X);
  2014.         $tY = sprintf("%.${POINTS}g", $Y);
  2015.         return $tX eq $tY;
  2016.         }
  2017.  
  2018.  
  2019.     The POSIX module (part of the standard perl distribution)
  2020.     implements ceil(), floor(), and a number of other mathematical
  2021.     and trigonometric functions. The Math::Complex module (part of
  2022.     the standard perl distribution) defines a number of mathematical
  2023.     functions that can also work on real numbers. Math::Complex not
  2024.     as efficient as POSIX, but POSIX can't work with complex
  2025.     numbers.
  2026.  
  2027.     Rounding in financial applications can have serious
  2028.     implications, and the rounding method used should be specified
  2029.     precisely. In these cases, it probably pays not to trust
  2030.     whichever system rounding is being used by Perl, but to instead
  2031.     implement the rounding function you need yourself.
  2032.  
  2033.   Bigger Numbers
  2034.  
  2035.     The standard Math::BigInt and Math::BigFloat modules provide
  2036.     variable precision arithmetic and overloaded operators. At the
  2037.     cost of some space and considerable speed, they avoid the normal
  2038.     pitfalls associated with limited-precision representations.
  2039.  
  2040.         use Math::BigInt;
  2041.         $x = Math::BigInt->new('123456789123456789');
  2042.         print $x * $x;
  2043.  
  2044.         # prints +15241578780673678515622620750190521
  2045.