This is a live mirror of the Perl 5 development currently hosted at https://github.com/perl/perl5
Unicode::UCD: Add charprops_all() public function
[perl5.git] / pod / perlvar.pod
1 =head1 NAME
2
3 perlvar - Perl predefined variables
4
5 =head1 DESCRIPTION
6
7 =head2 The Syntax of Variable Names
8
9 Variable names in Perl can have several formats.  Usually, they
10 must begin with a letter or underscore, in which case they can be
11 arbitrarily long (up to an internal limit of 251 characters) and
12 may contain letters, digits, underscores, or the special sequence
13 C<::> or C<'>.  In this case, the part before the last C<::> or
14 C<'> is taken to be a I<package qualifier>; see L<perlmod>.
15
16 Perl variable names may also be a sequence of digits or a single
17 punctuation or control character (with the literal control character
18 form deprecated).  These names are all reserved for
19 special uses by Perl; for example, the all-digits names are used
20 to hold data captured by backreferences after a regular expression
21 match.  Perl has a special syntax for the single-control-character
22 names: It understands C<^X> (caret C<X>) to mean the control-C<X>
23 character.  For example, the notation C<$^W> (dollar-sign caret
24 C<W>) is the scalar variable whose name is the single character
25 control-C<W>.  This is better than typing a literal control-C<W>
26 into your program.
27
28 Since Perl v5.6.0, Perl variable names may be alphanumeric
29 strings that begin with control characters (or better yet, a caret).
30 These variables must be written in the form C<${^Foo}>; the braces
31 are not optional.  C<${^Foo}> denotes the scalar variable whose
32 name is a control-C<F> followed by two C<o>'s.  These variables are
33 reserved for future special uses by Perl, except for the ones that
34 begin with C<^_> (control-underscore or caret-underscore).  No
35 control-character name that begins with C<^_> will acquire a special
36 meaning in any future version of Perl; such names may therefore be
37 used safely in programs.  C<$^_> itself, however, I<is> reserved.
38
39 Perl identifiers that begin with digits, control characters, or
40 punctuation characters are exempt from the effects of the C<package>
41 declaration and are always forced to be in package C<main>; they are
42 also exempt from C<strict 'vars'> errors.  A few other names are also
43 exempt in these ways:
44
45     ENV      STDIN
46     INC      STDOUT
47     ARGV     STDERR
48     ARGVOUT
49     SIG
50
51 In particular, the special C<${^_XYZ}> variables are always taken
52 to be in package C<main>, regardless of any C<package> declarations
53 presently in scope.
54
55 =head1 SPECIAL VARIABLES
56
57 The following names have special meaning to Perl.  Most punctuation
58 names have reasonable mnemonics, or analogs in the shells.
59 Nevertheless, if you wish to use long variable names, you need only say:
60
61     use English;
62
63 at the top of your program.  This aliases all the short names to the long
64 names in the current package.  Some even have medium names, generally
65 borrowed from B<awk>.  For more info, please see L<English>.
66
67 Before you continue, note the sort order for variables.  In general, we
68 first list the variables in case-insensitive, almost-lexigraphical
69 order (ignoring the C<{> or C<^> preceding words, as in C<${^UNICODE}>
70 or C<$^T>), although C<$_> and C<@_> move up to the top of the pile.
71 For variables with the same identifier, we list it in order of scalar,
72 array, hash, and bareword.
73
74 =head2 General Variables
75
76 =over 8
77
78 =item $ARG
79
80 =item $_
81 X<$_> X<$ARG>
82
83 The default input and pattern-searching space.  The following pairs are
84 equivalent:
85
86     while (<>) {...}    # equivalent only in while!
87     while (defined($_ = <>)) {...}
88
89     /^Subject:/
90     $_ =~ /^Subject:/
91
92     tr/a-z/A-Z/
93     $_ =~ tr/a-z/A-Z/
94
95     chomp
96     chomp($_)
97
98 Here are the places where Perl will assume C<$_> even if you don't use it:
99
100 =over 3
101
102 =item *
103
104 The following functions use C<$_> as a default argument:
105
106 abs, alarm, chomp, chop, chr, chroot,
107 cos, defined, eval, evalbytes, exp, fc, glob, hex, int, lc,
108 lcfirst, length, log, lstat, mkdir, oct, ord, pos, print, printf,
109 quotemeta, readlink, readpipe, ref, require, reverse (in scalar context only),
110 rmdir, say, sin, split (for its second
111 argument), sqrt, stat, study, uc, ucfirst,
112 unlink, unpack.
113
114 =item *
115
116 All file tests (C<-f>, C<-d>) except for C<-t>, which defaults to STDIN.
117 See L<perlfunc/-X>
118
119 =item *
120
121 The pattern matching operations C<m//>, C<s///> and C<tr///> (aka C<y///>)
122 when used without an C<=~> operator.
123
124 =item *
125
126 The default iterator variable in a C<foreach> loop if no other
127 variable is supplied.
128
129 =item *
130
131 The implicit iterator variable in the C<grep()> and C<map()> functions.
132
133 =item *
134
135 The implicit variable of C<given()>.
136
137 =item *
138
139 The default place to put the next value or input record
140 when a C<< <FH> >>, C<readline>, C<readdir> or C<each>
141 operation's result is tested by itself as the sole criterion of a C<while>
142 test.  Outside a C<while> test, this will not happen.
143
144 =back
145
146 C<$_> is by default a global variable.  However, as
147 of perl v5.10.0, you can use a lexical version of
148 C<$_> by declaring it in a file or in a block with C<my>.  Moreover,
149 declaring C<our $_> restores the global C<$_> in the current scope.  Though
150 this seemed like a good idea at the time it was introduced, lexical C<$_>
151 actually causes more problems than it solves.  If you call a function that
152 expects to be passed information via C<$_>, it may or may not work,
153 depending on how the function is written, there not being any easy way to
154 solve this.  Just avoid lexical C<$_>, unless you are feeling particularly
155 masochistic.  For this reason lexical C<$_> is still experimental and will
156 produce a warning unless warnings have been disabled.  As with other
157 experimental features, the behavior of lexical C<$_> is subject to change
158 without notice, including change into a fatal error.
159
160 Mnemonic: underline is understood in certain operations.
161
162 =item @ARG
163
164 =item @_
165 X<@_> X<@ARG>
166
167 Within a subroutine the array C<@_> contains the parameters passed to
168 that subroutine.  Inside a subroutine, C<@_> is the default array for
169 the array operators C<push>, C<pop>, C<shift>, and C<unshift>.
170
171 See L<perlsub>.
172
173 =item $LIST_SEPARATOR
174
175 =item $"
176 X<$"> X<$LIST_SEPARATOR>
177
178 When an array or an array slice is interpolated into a double-quoted
179 string or a similar context such as C</.../>, its elements are
180 separated by this value.  Default is a space.  For example, this:
181
182     print "The array is: @array\n";
183
184 is equivalent to this:
185
186     print "The array is: " . join($", @array) . "\n";
187
188 Mnemonic: works in double-quoted context.
189
190 =item $PROCESS_ID
191
192 =item $PID
193
194 =item $$
195 X<$$> X<$PID> X<$PROCESS_ID>
196
197 The process number of the Perl running this script.  Though you I<can> set
198 this variable, doing so is generally discouraged, although it can be
199 invaluable for some testing purposes.  It will be reset automatically
200 across C<fork()> calls.
201
202 Note for Linux and Debian GNU/kFreeBSD users: Before Perl v5.16.0 perl
203 would emulate POSIX semantics on Linux systems using LinuxThreads, a
204 partial implementation of POSIX Threads that has since been superseded
205 by the Native POSIX Thread Library (NPTL).
206
207 LinuxThreads is now obsolete on Linux, and caching C<getpid()>
208 like this made embedding perl unnecessarily complex (since you'd have
209 to manually update the value of $$), so now C<$$> and C<getppid()>
210 will always return the same values as the underlying C library.
211
212 Debian GNU/kFreeBSD systems also used LinuxThreads up until and
213 including the 6.0 release, but after that moved to FreeBSD thread
214 semantics, which are POSIX-like.
215
216 To see if your system is affected by this discrepancy check if
217 C<getconf GNU_LIBPTHREAD_VERSION | grep -q NPTL> returns a false
218 value.  NTPL threads preserve the POSIX semantics.
219
220 Mnemonic: same as shells.
221
222 =item $PROGRAM_NAME
223
224 =item $0
225 X<$0> X<$PROGRAM_NAME>
226
227 Contains the name of the program being executed.
228
229 On some (but not all) operating systems assigning to C<$0> modifies
230 the argument area that the C<ps> program sees.  On some platforms you
231 may have to use special C<ps> options or a different C<ps> to see the
232 changes.  Modifying the C<$0> is more useful as a way of indicating the
233 current program state than it is for hiding the program you're
234 running.
235
236 Note that there are platform-specific limitations on the maximum
237 length of C<$0>.  In the most extreme case it may be limited to the
238 space occupied by the original C<$0>.
239
240 In some platforms there may be arbitrary amount of padding, for
241 example space characters, after the modified name as shown by C<ps>.
242 In some platforms this padding may extend all the way to the original
243 length of the argument area, no matter what you do (this is the case
244 for example with Linux 2.2).
245
246 Note for BSD users: setting C<$0> does not completely remove "perl"
247 from the ps(1) output.  For example, setting C<$0> to C<"foobar"> may
248 result in C<"perl: foobar (perl)"> (whether both the C<"perl: "> prefix
249 and the " (perl)" suffix are shown depends on your exact BSD variant
250 and version).  This is an operating system feature, Perl cannot help it.
251
252 In multithreaded scripts Perl coordinates the threads so that any
253 thread may modify its copy of the C<$0> and the change becomes visible
254 to ps(1) (assuming the operating system plays along).  Note that
255 the view of C<$0> the other threads have will not change since they
256 have their own copies of it.
257
258 If the program has been given to perl via the switches C<-e> or C<-E>,
259 C<$0> will contain the string C<"-e">.
260
261 On Linux as of perl v5.14.0 the legacy process name will be set with
262 C<prctl(2)>, in addition to altering the POSIX name via C<argv[0]> as
263 perl has done since version 4.000.  Now system utilities that read the
264 legacy process name such as ps, top and killall will recognize the
265 name you set when assigning to C<$0>.  The string you supply will be
266 cut off at 16 bytes, this is a limitation imposed by Linux.
267
268 Mnemonic: same as B<sh> and B<ksh>.
269
270 =item $REAL_GROUP_ID
271
272 =item $GID
273
274 =item $(
275 X<$(> X<$GID> X<$REAL_GROUP_ID>
276
277 The real gid of this process.  If you are on a machine that supports
278 membership in multiple groups simultaneously, gives a space separated
279 list of groups you are in.  The first number is the one returned by
280 C<getgid()>, and the subsequent ones by C<getgroups()>, one of which may be
281 the same as the first number.
282
283 However, a value assigned to C<$(> must be a single number used to
284 set the real gid.  So the value given by C<$(> should I<not> be assigned
285 back to C<$(> without being forced numeric, such as by adding zero.  Note
286 that this is different to the effective gid (C<$)>) which does take a
287 list.
288
289 You can change both the real gid and the effective gid at the same
290 time by using C<POSIX::setgid()>.  Changes
291 to C<$(> require a check to C<$!>
292 to detect any possible errors after an attempted change.
293
294 Mnemonic: parentheses are used to I<group> things.  The real gid is the
295 group you I<left>, if you're running setgid.
296
297 =item $EFFECTIVE_GROUP_ID
298
299 =item $EGID
300
301 =item $)
302 X<$)> X<$EGID> X<$EFFECTIVE_GROUP_ID>
303
304 The effective gid of this process.  If you are on a machine that
305 supports membership in multiple groups simultaneously, gives a space
306 separated list of groups you are in.  The first number is the one
307 returned by C<getegid()>, and the subsequent ones by C<getgroups()>,
308 one of which may be the same as the first number.
309
310 Similarly, a value assigned to C<$)> must also be a space-separated
311 list of numbers.  The first number sets the effective gid, and
312 the rest (if any) are passed to C<setgroups()>.  To get the effect of an
313 empty list for C<setgroups()>, just repeat the new effective gid; that is,
314 to force an effective gid of 5 and an effectively empty C<setgroups()>
315 list, say C< $) = "5 5" >.
316
317 You can change both the effective gid and the real gid at the same
318 time by using C<POSIX::setgid()> (use only a single numeric argument).
319 Changes to C<$)> require a check to C<$!> to detect any possible errors
320 after an attempted change.
321
322 C<< $< >>, C<< $> >>, C<$(> and C<$)> can be set only on
323 machines that support the corresponding I<set[re][ug]id()> routine.  C<$(>
324 and C<$)> can be swapped only on machines supporting C<setregid()>.
325
326 Mnemonic: parentheses are used to I<group> things.  The effective gid
327 is the group that's I<right> for you, if you're running setgid.
328
329 =item $REAL_USER_ID
330
331 =item $UID
332
333 =item $<
334 X<< $< >> X<$UID> X<$REAL_USER_ID>
335
336 The real uid of this process.  You can change both the real uid and the
337 effective uid at the same time by using C<POSIX::setuid()>.  Since
338 changes to C<< $< >> require a system call, check C<$!> after a change
339 attempt to detect any possible errors.
340
341 Mnemonic: it's the uid you came I<from>, if you're running setuid.
342
343 =item $EFFECTIVE_USER_ID
344
345 =item $EUID
346
347 =item $>
348 X<< $> >> X<$EUID> X<$EFFECTIVE_USER_ID>
349
350 The effective uid of this process.  For example:
351
352     $< = $>;            # set real to effective uid
353     ($<,$>) = ($>,$<);  # swap real and effective uids
354
355 You can change both the effective uid and the real uid at the same
356 time by using C<POSIX::setuid()>.  Changes to C<< $> >> require a check
357 to C<$!> to detect any possible errors after an attempted change.
358
359 C<< $< >> and C<< $> >> can be swapped only on machines
360 supporting C<setreuid()>.
361
362 Mnemonic: it's the uid you went I<to>, if you're running setuid.
363
364 =item $SUBSCRIPT_SEPARATOR
365
366 =item $SUBSEP
367
368 =item $;
369 X<$;> X<$SUBSEP> X<SUBSCRIPT_SEPARATOR>
370
371 The subscript separator for multidimensional array emulation.  If you
372 refer to a hash element as
373
374     $foo{$x,$y,$z}
375
376 it really means
377
378     $foo{join($;, $x, $y, $z)}
379
380 But don't put
381
382     @foo{$x,$y,$z}      # a slice--note the @
383
384 which means
385
386     ($foo{$x},$foo{$y},$foo{$z})
387
388 Default is "\034", the same as SUBSEP in B<awk>.  If your keys contain
389 binary data there might not be any safe value for C<$;>.
390
391 Consider using "real" multidimensional arrays as described
392 in L<perllol>.
393
394 Mnemonic: comma (the syntactic subscript separator) is a semi-semicolon.
395
396 =item $a
397
398 =item $b
399 X<$a> X<$b>
400
401 Special package variables when using C<sort()>, see L<perlfunc/sort>.
402 Because of this specialness C<$a> and C<$b> don't need to be declared
403 (using C<use vars>, or C<our()>) even when using the C<strict 'vars'>
404 pragma.  Don't lexicalize them with C<my $a> or C<my $b> if you want to
405 be able to use them in the C<sort()> comparison block or function.
406
407 =item %ENV
408 X<%ENV>
409
410 The hash C<%ENV> contains your current environment.  Setting a
411 value in C<ENV> changes the environment for any child processes
412 you subsequently C<fork()> off.
413
414 As of v5.18.0, both keys and values stored in C<%ENV> are stringified.
415
416     my $foo = 1;
417     $ENV{'bar'} = \$foo;
418     if( ref $ENV{'bar'} ) {
419         say "Pre 5.18.0 Behaviour";
420     } else {
421         say "Post 5.18.0 Behaviour";
422     }
423
424 Previously, only child processes received stringified values:
425
426     my $foo = 1;
427     $ENV{'bar'} = \$foo;
428
429     # Always printed 'non ref'
430     system($^X, '-e',
431            q/print ( ref $ENV{'bar'}  ? 'ref' : 'non ref' ) /);
432
433 This happens because you can't really share arbitrary data structures with
434 foreign processes.
435
436 =item $SYSTEM_FD_MAX
437
438 =item $^F
439 X<$^F> X<$SYSTEM_FD_MAX>
440
441 The maximum system file descriptor, ordinarily 2.  System file
442 descriptors are passed to C<exec()>ed processes, while higher file
443 descriptors are not.  Also, during an
444 C<open()>, system file descriptors are
445 preserved even if the C<open()> fails (ordinary file descriptors are
446 closed before the C<open()> is attempted).  The close-on-exec
447 status of a file descriptor will be decided according to the value of
448 C<$^F> when the corresponding file, pipe, or socket was opened, not the
449 time of the C<exec()>.
450
451 =item @F
452 X<@F>
453
454 The array C<@F> contains the fields of each line read in when autosplit
455 mode is turned on.  See L<perlrun> for the B<-a> switch.  This array
456 is package-specific, and must be declared or given a full package name
457 if not in package main when running under C<strict 'vars'>.
458
459 =item @INC
460 X<@INC>
461
462 The array C<@INC> contains the list of places that the C<do EXPR>,
463 C<require>, or C<use> constructs look for their library files.  It
464 initially consists of the arguments to any B<-I> command-line
465 switches, followed by the default Perl library, probably
466 F</usr/local/lib/perl>, followed by ".", to represent the current
467 directory.  ("." will not be appended if taint checks are enabled,
468 either by C<-T> or by C<-t>.)  If you need to modify this at runtime,
469 you should use the C<use lib> pragma to get the machine-dependent
470 library properly loaded also:
471
472     use lib '/mypath/libdir/';
473     use SomeMod;
474
475 You can also insert hooks into the file inclusion system by putting Perl
476 code directly into C<@INC>.  Those hooks may be subroutine references,
477 array references or blessed objects.  See L<perlfunc/require> for details.
478
479 =item %INC
480 X<%INC>
481
482 The hash C<%INC> contains entries for each filename included via the
483 C<do>, C<require>, or C<use> operators.  The key is the filename
484 you specified (with module names converted to pathnames), and the
485 value is the location of the file found.  The C<require>
486 operator uses this hash to determine whether a particular file has
487 already been included.
488
489 If the file was loaded via a hook (e.g. a subroutine reference, see
490 L<perlfunc/require> for a description of these hooks), this hook is
491 by default inserted into C<%INC> in place of a filename.  Note, however,
492 that the hook may have set the C<%INC> entry by itself to provide some more
493 specific info.
494
495 =item $INPLACE_EDIT
496
497 =item $^I
498 X<$^I> X<$INPLACE_EDIT>
499
500 The current value of the inplace-edit extension.  Use C<undef> to disable
501 inplace editing.
502
503 Mnemonic: value of B<-i> switch.
504
505 =item $^M
506 X<$^M>
507
508 By default, running out of memory is an untrappable, fatal error.
509 However, if suitably built, Perl can use the contents of C<$^M>
510 as an emergency memory pool after C<die()>ing.  Suppose that your Perl
511 were compiled with C<-DPERL_EMERGENCY_SBRK> and used Perl's malloc.
512 Then
513
514     $^M = 'a' x (1 << 16);
515
516 would allocate a 64K buffer for use in an emergency.  See the
517 F<INSTALL> file in the Perl distribution for information on how to
518 add custom C compilation flags when compiling perl.  To discourage casual
519 use of this advanced feature, there is no L<English|English> long name for
520 this variable.
521
522 This variable was added in Perl 5.004.
523
524 =item $OSNAME
525
526 =item $^O
527 X<$^O> X<$OSNAME>
528
529 The name of the operating system under which this copy of Perl was
530 built, as determined during the configuration process.  For examples
531 see L<perlport/PLATFORMS>.
532
533 The value is identical to C<$Config{'osname'}>.  See also L<Config>
534 and the B<-V> command-line switch documented in L<perlrun>.
535
536 In Windows platforms, C<$^O> is not very helpful: since it is always
537 C<MSWin32>, it doesn't tell the difference between
538 95/98/ME/NT/2000/XP/CE/.NET.  Use C<Win32::GetOSName()> or
539 Win32::GetOSVersion() (see L<Win32> and L<perlport>) to distinguish
540 between the variants.
541
542 This variable was added in Perl 5.003.
543
544 =item %SIG
545 X<%SIG>
546
547 The hash C<%SIG> contains signal handlers for signals.  For example:
548
549     sub handler {   # 1st argument is signal name
550         my($sig) = @_;
551         print "Caught a SIG$sig--shutting down\n";
552         close(LOG);
553         exit(0);
554         }
555
556     $SIG{'INT'}  = \&handler;
557     $SIG{'QUIT'} = \&handler;
558     ...
559     $SIG{'INT'}  = 'DEFAULT';   # restore default action
560     $SIG{'QUIT'} = 'IGNORE';    # ignore SIGQUIT
561
562 Using a value of C<'IGNORE'> usually has the effect of ignoring the
563 signal, except for the C<CHLD> signal.  See L<perlipc> for more about
564 this special case.
565
566 Here are some other examples:
567
568     $SIG{"PIPE"} = "Plumber";   # assumes main::Plumber (not
569                                 # recommended)
570     $SIG{"PIPE"} = \&Plumber;   # just fine; assume current
571                                 # Plumber
572     $SIG{"PIPE"} = *Plumber;    # somewhat esoteric
573     $SIG{"PIPE"} = Plumber();   # oops, what did Plumber()
574                                 # return??
575
576 Be sure not to use a bareword as the name of a signal handler,
577 lest you inadvertently call it.
578
579 If your system has the C<sigaction()> function then signal handlers
580 are installed using it.  This means you get reliable signal handling.
581
582 The default delivery policy of signals changed in Perl v5.8.0 from
583 immediate (also known as "unsafe") to deferred, also known as "safe
584 signals".  See L<perlipc> for more information.
585
586 Certain internal hooks can be also set using the C<%SIG> hash.  The
587 routine indicated by C<$SIG{__WARN__}> is called when a warning
588 message is about to be printed.  The warning message is passed as the
589 first argument.  The presence of a C<__WARN__> hook causes the
590 ordinary printing of warnings to C<STDERR> to be suppressed.  You can
591 use this to save warnings in a variable, or turn warnings into fatal
592 errors, like this:
593
594     local $SIG{__WARN__} = sub { die $_[0] };
595     eval $proggie;
596
597 As the C<'IGNORE'> hook is not supported by C<__WARN__>, you can
598 disable warnings using the empty subroutine:
599
600     local $SIG{__WARN__} = sub {};
601
602 The routine indicated by C<$SIG{__DIE__}> is called when a fatal
603 exception is about to be thrown.  The error message is passed as the
604 first argument.  When a C<__DIE__> hook routine returns, the exception
605 processing continues as it would have in the absence of the hook,
606 unless the hook routine itself exits via a C<goto &sub>, a loop exit,
607 or a C<die()>.  The C<__DIE__> handler is explicitly disabled during
608 the call, so that you can die from a C<__DIE__> handler.  Similarly
609 for C<__WARN__>.
610
611 Due to an implementation glitch, the C<$SIG{__DIE__}> hook is called
612 even inside an C<eval()>.  Do not use this to rewrite a pending
613 exception in C<$@>, or as a bizarre substitute for overriding
614 C<CORE::GLOBAL::die()>.  This strange action at a distance may be fixed
615 in a future release so that C<$SIG{__DIE__}> is only called if your
616 program is about to exit, as was the original intent.  Any other use is
617 deprecated.
618
619 C<__DIE__>/C<__WARN__> handlers are very special in one respect: they
620 may be called to report (probable) errors found by the parser.  In such
621 a case the parser may be in inconsistent state, so any attempt to
622 evaluate Perl code from such a handler will probably result in a
623 segfault.  This means that warnings or errors that result from parsing
624 Perl should be used with extreme caution, like this:
625
626     require Carp if defined $^S;
627     Carp::confess("Something wrong") if defined &Carp::confess;
628     die "Something wrong, but could not load Carp to give "
629       . "backtrace...\n\t"
630       . "To see backtrace try starting Perl with -MCarp switch";
631
632 Here the first line will load C<Carp> I<unless> it is the parser who
633 called the handler.  The second line will print backtrace and die if
634 C<Carp> was available.  The third line will be executed only if C<Carp> was
635 not available.
636
637 Having to even think about the C<$^S> variable in your exception
638 handlers is simply wrong.  C<$SIG{__DIE__}> as currently implemented
639 invites grievous and difficult to track down errors.  Avoid it
640 and use an C<END{}> or CORE::GLOBAL::die override instead.
641
642 See L<perlfunc/die>, L<perlfunc/warn>, L<perlfunc/eval>, and
643 L<warnings> for additional information.
644
645 =item $BASETIME
646
647 =item $^T
648 X<$^T> X<$BASETIME>
649
650 The time at which the program began running, in seconds since the
651 epoch (beginning of 1970).  The values returned by the B<-M>, B<-A>,
652 and B<-C> filetests are based on this value.
653
654 =item $PERL_VERSION
655
656 =item $^V
657 X<$^V> X<$PERL_VERSION>
658
659 The revision, version, and subversion of the Perl interpreter,
660 represented as a L<version> object.
661
662 This variable first appeared in perl v5.6.0; earlier versions of perl
663 will see an undefined value.  Before perl v5.10.0 C<$^V> was represented
664 as a v-string rather than a L<version> object.
665
666 C<$^V> can be used to determine whether the Perl interpreter executing
667 a script is in the right range of versions.  For example:
668
669     warn "Hashes not randomized!\n" if !$^V or $^V lt v5.8.1
670
671 While version objects overload stringification, to portably convert
672 C<$^V> into its string representation, use C<sprintf()>'s C<"%vd">
673 conversion, which works for both v-strings or version objects:
674
675     printf "version is v%vd\n", $^V;  # Perl's version
676
677 See the documentation of C<use VERSION> and C<require VERSION>
678 for a convenient way to fail if the running Perl interpreter is too old.
679
680 See also C<$]> for a decimal representation of the Perl version.
681
682 The main advantage of C<$^V> over C<$]> is that, for Perl v5.10.0 or
683 later, it overloads operators, allowing easy comparison against other
684 version representations (e.g. decimal, literal v-string, "v1.2.3", or
685 objects).  The disadvantage is that prior to v5.10.0, it was only a
686 literal v-string, which can't be easily printed or compared.
687
688 Mnemonic: use ^V for a version object.
689
690 =item ${^WIN32_SLOPPY_STAT}
691 X<${^WIN32_SLOPPY_STAT}> X<sitecustomize> X<sitecustomize.pl>
692
693 If this variable is set to a true value, then C<stat()> on Windows will
694 not try to open the file.  This means that the link count cannot be
695 determined and file attributes may be out of date if additional
696 hardlinks to the file exist.  On the other hand, not opening the file
697 is considerably faster, especially for files on network drives.
698
699 This variable could be set in the F<sitecustomize.pl> file to
700 configure the local Perl installation to use "sloppy" C<stat()> by
701 default.  See the documentation for B<-f> in
702 L<perlrun|perlrun/"Command Switches"> for more information about site
703 customization.
704
705 This variable was added in Perl v5.10.0.
706
707 =item $EXECUTABLE_NAME
708
709 =item $^X
710 X<$^X> X<$EXECUTABLE_NAME>
711
712 The name used to execute the current copy of Perl, from C's
713 C<argv[0]> or (where supported) F</proc/self/exe>.
714
715 Depending on the host operating system, the value of C<$^X> may be
716 a relative or absolute pathname of the perl program file, or may
717 be the string used to invoke perl but not the pathname of the
718 perl program file.  Also, most operating systems permit invoking
719 programs that are not in the PATH environment variable, so there
720 is no guarantee that the value of C<$^X> is in PATH.  For VMS, the
721 value may or may not include a version number.
722
723 You usually can use the value of C<$^X> to re-invoke an independent
724 copy of the same perl that is currently running, e.g.,
725
726     @first_run = `$^X -le "print int rand 100 for 1..100"`;
727
728 But recall that not all operating systems support forking or
729 capturing of the output of commands, so this complex statement
730 may not be portable.
731
732 It is not safe to use the value of C<$^X> as a path name of a file,
733 as some operating systems that have a mandatory suffix on
734 executable files do not require use of the suffix when invoking
735 a command.  To convert the value of C<$^X> to a path name, use the
736 following statements:
737
738     # Build up a set of file names (not command names).
739     use Config;
740     my $this_perl = $^X;
741     if ($^O ne 'VMS') {
742         $this_perl .= $Config{_exe}
743           unless $this_perl =~ m/$Config{_exe}$/i;
744         }
745
746 Because many operating systems permit anyone with read access to
747 the Perl program file to make a copy of it, patch the copy, and
748 then execute the copy, the security-conscious Perl programmer
749 should take care to invoke the installed copy of perl, not the
750 copy referenced by C<$^X>.  The following statements accomplish
751 this goal, and produce a pathname that can be invoked as a
752 command or referenced as a file.
753
754     use Config;
755     my $secure_perl_path = $Config{perlpath};
756     if ($^O ne 'VMS') {
757         $secure_perl_path .= $Config{_exe}
758             unless $secure_perl_path =~ m/$Config{_exe}$/i;
759         }
760
761 =back
762
763 =head2 Variables related to regular expressions
764
765 Most of the special variables related to regular expressions are side
766 effects.  Perl sets these variables when it has a successful match, so
767 you should check the match result before using them.  For instance:
768
769     if( /P(A)TT(ER)N/ ) {
770         print "I found $1 and $2\n";
771         }
772
773 These variables are read-only and dynamically-scoped, unless we note
774 otherwise.
775
776 The dynamic nature of the regular expression variables means that
777 their value is limited to the block that they are in, as demonstrated
778 by this bit of code:
779
780     my $outer = 'Wallace and Grommit';
781     my $inner = 'Mutt and Jeff';
782
783     my $pattern = qr/(\S+) and (\S+)/;
784
785     sub show_n { print "\$1 is $1; \$2 is $2\n" }
786
787     {
788     OUTER:
789         show_n() if $outer =~ m/$pattern/;
790
791         INNER: {
792             show_n() if $inner =~ m/$pattern/;
793             }
794
795         show_n();
796     }
797
798 The output shows that while in the C<OUTER> block, the values of C<$1>
799 and C<$2> are from the match against C<$outer>.  Inside the C<INNER>
800 block, the values of C<$1> and C<$2> are from the match against
801 C<$inner>, but only until the end of the block (i.e. the dynamic
802 scope).  After the C<INNER> block completes, the values of C<$1> and
803 C<$2> return to the values for the match against C<$outer> even though
804 we have not made another match:
805
806     $1 is Wallace; $2 is Grommit
807     $1 is Mutt; $2 is Jeff
808     $1 is Wallace; $2 is Grommit
809
810 =head3 Performance issues
811
812 Traditionally in Perl, any use of any of the three variables  C<$`>, C<$&>
813 or C<$'> (or their C<use English> equivalents) anywhere in the code, caused
814 all subsequent successful pattern matches to make a copy of the matched
815 string, in case the code might subsequently access one of those variables.
816 This imposed a considerable performance penalty across the whole program,
817 so generally the use of these variables has been discouraged.
818
819 In Perl 5.6.0 the C<@-> and C<@+> dynamic arrays were introduced that
820 supply the indices of successful matches. So you could for example do
821 this:
822
823     $str =~ /pattern/;
824
825     print $`, $&, $'; # bad: perfomance hit
826
827     print             # good: no perfomance hit
828         substr($str, 0,     $-[0]),
829         substr($str, $-[0], $+[0]-$-[0]),
830         substr($str, $+[0]);
831
832 In Perl 5.10.0 the C</p> match operator flag and the C<${^PREMATCH}>,
833 C<${^MATCH}>, and C<${^POSTMATCH}> variables were introduced, that allowed
834 you to suffer the penalties only on patterns marked with C</p>.
835
836 In Perl 5.18.0 onwards, perl started noting the presence of each of the
837 three variables separately, and only copied that part of the string
838 required; so in
839
840     $`; $&; "abcdefgh" =~ /d/
841
842 perl would only copy the "abcd" part of the string. That could make a big
843 difference in something like
844
845     $str = 'x' x 1_000_000;
846     $&; # whoops
847     $str =~ /x/g # one char copied a million times, not a million chars
848
849 In Perl 5.20.0 a new copy-on-write system was enabled by default, which
850 finally fixes all performance issues with these three variables, and makes
851 them safe to use anywhere.
852
853 The C<Devel::NYTProf> and C<Devel::FindAmpersand> modules can help you
854 find uses of these problematic match variables in your code.
855
856 =over 8
857
858 =item $<I<digits>> ($1, $2, ...)
859 X<$1> X<$2> X<$3>
860
861 Contains the subpattern from the corresponding set of capturing
862 parentheses from the last successful pattern match, not counting patterns
863 matched in nested blocks that have been exited already.
864
865 These variables are read-only and dynamically-scoped.
866
867 Mnemonic: like \digits.
868
869 =item $MATCH
870
871 =item $&
872 X<$&> X<$MATCH>
873
874 The string matched by the last successful pattern match (not counting
875 any matches hidden within a BLOCK or C<eval()> enclosed by the current
876 BLOCK).
877
878 See L</Performance issues> above for the serious performance implications
879 of using this variable (even once) in your code.
880
881 This variable is read-only and dynamically-scoped.
882
883 Mnemonic: like C<&> in some editors.
884
885 =item ${^MATCH}
886 X<${^MATCH}>
887
888 This is similar to C<$&> (C<$MATCH>) except that it does not incur the
889 performance penalty associated with that variable.
890
891 See L</Performance issues> above.
892
893 In Perl v5.18 and earlier, it is only guaranteed
894 to return a defined value when the pattern was compiled or executed with
895 the C</p> modifier.  In Perl v5.20, the C</p> modifier does nothing, so
896 C<${^MATCH}> does the same thing as C<$MATCH>.
897
898 This variable was added in Perl v5.10.0.
899
900 This variable is read-only and dynamically-scoped.
901
902 =item $PREMATCH
903
904 =item $`
905 X<$`> X<$PREMATCH> X<${^PREMATCH}>
906
907 The string preceding whatever was matched by the last successful
908 pattern match, not counting any matches hidden within a BLOCK or C<eval>
909 enclosed by the current BLOCK.
910
911 See L</Performance issues> above for the serious performance implications
912 of using this variable (even once) in your code.
913
914 This variable is read-only and dynamically-scoped.
915
916 Mnemonic: C<`> often precedes a quoted string.
917
918 =item ${^PREMATCH}
919 X<$`> X<${^PREMATCH}>
920
921 This is similar to C<$`> ($PREMATCH) except that it does not incur the
922 performance penalty associated with that variable.
923
924 See L</Performance issues> above.
925
926 In Perl v5.18 and earlier, it is only guaranteed
927 to return a defined value when the pattern was compiled or executed with
928 the C</p> modifier.  In Perl v5.20, the C</p> modifier does nothing, so
929 C<${^PREMATCH}> does the same thing as C<$PREMATCH>.
930
931 This variable was added in Perl v5.10.0.
932
933 This variable is read-only and dynamically-scoped.
934
935 =item $POSTMATCH
936
937 =item $'
938 X<$'> X<$POSTMATCH> X<${^POSTMATCH}> X<@->
939
940 The string following whatever was matched by the last successful
941 pattern match (not counting any matches hidden within a BLOCK or C<eval()>
942 enclosed by the current BLOCK).  Example:
943
944     local $_ = 'abcdefghi';
945     /def/;
946     print "$`:$&:$'\n";         # prints abc:def:ghi
947
948 See L</Performance issues> above for the serious performance implications
949 of using this variable (even once) in your code.
950
951 This variable is read-only and dynamically-scoped.
952
953 Mnemonic: C<'> often follows a quoted string.
954
955 =item ${^POSTMATCH}
956 X<${^POSTMATCH}> X<$'> X<$POSTMATCH>
957
958 This is similar to C<$'> (C<$POSTMATCH>) except that it does not incur the
959 performance penalty associated with that variable.
960
961 See L</Performance issues> above.
962
963 In Perl v5.18 and earlier, it is only guaranteed
964 to return a defined value when the pattern was compiled or executed with
965 the C</p> modifier.  In Perl v5.20, the C</p> modifier does nothing, so
966 C<${^POSTMATCH}> does the same thing as C<$POSTMATCH>.
967
968 This variable was added in Perl v5.10.0.
969
970 This variable is read-only and dynamically-scoped.
971
972 =item $LAST_PAREN_MATCH
973
974 =item $+
975 X<$+> X<$LAST_PAREN_MATCH>
976
977 The text matched by the last bracket of the last successful search pattern.
978 This is useful if you don't know which one of a set of alternative patterns
979 matched.  For example:
980
981     /Version: (.*)|Revision: (.*)/ && ($rev = $+);
982
983 This variable is read-only and dynamically-scoped.
984
985 Mnemonic: be positive and forward looking.
986
987 =item $LAST_SUBMATCH_RESULT
988
989 =item $^N
990 X<$^N> X<$LAST_SUBMATCH_RESULT>
991
992 The text matched by the used group most-recently closed (i.e. the group
993 with the rightmost closing parenthesis) of the last successful search
994 pattern.
995
996 This is primarily used inside C<(?{...})> blocks for examining text
997 recently matched.  For example, to effectively capture text to a variable
998 (in addition to C<$1>, C<$2>, etc.), replace C<(...)> with
999
1000     (?:(...)(?{ $var = $^N }))
1001
1002 By setting and then using C<$var> in this way relieves you from having to
1003 worry about exactly which numbered set of parentheses they are.
1004
1005 This variable was added in Perl v5.8.0.
1006
1007 Mnemonic: the (possibly) Nested parenthesis that most recently closed.
1008
1009 =item @LAST_MATCH_END
1010
1011 =item @+
1012 X<@+> X<@LAST_MATCH_END>
1013
1014 This array holds the offsets of the ends of the last successful
1015 submatches in the currently active dynamic scope.  C<$+[0]> is
1016 the offset into the string of the end of the entire match.  This
1017 is the same value as what the C<pos> function returns when called
1018 on the variable that was matched against.  The I<n>th element
1019 of this array holds the offset of the I<n>th submatch, so
1020 C<$+[1]> is the offset past where C<$1> ends, C<$+[2]> the offset
1021 past where C<$2> ends, and so on.  You can use C<$#+> to determine
1022 how many subgroups were in the last successful match.  See the
1023 examples given for the C<@-> variable.
1024
1025 This variable was added in Perl v5.6.0.
1026
1027 =item %LAST_PAREN_MATCH
1028
1029 =item %+
1030 X<%+> X<%LAST_PAREN_MATCH>
1031
1032 Similar to C<@+>, the C<%+> hash allows access to the named capture
1033 buffers, should they exist, in the last successful match in the
1034 currently active dynamic scope.
1035
1036 For example, C<$+{foo}> is equivalent to C<$1> after the following match:
1037
1038     'foo' =~ /(?<foo>foo)/;
1039
1040 The keys of the C<%+> hash list only the names of buffers that have
1041 captured (and that are thus associated to defined values).
1042
1043 The underlying behaviour of C<%+> is provided by the
1044 L<Tie::Hash::NamedCapture> module.
1045
1046 B<Note:> C<%-> and C<%+> are tied views into a common internal hash
1047 associated with the last successful regular expression.  Therefore mixing
1048 iterative access to them via C<each> may have unpredictable results.
1049 Likewise, if the last successful match changes, then the results may be
1050 surprising.
1051
1052 This variable was added in Perl v5.10.0.
1053
1054 This variable is read-only and dynamically-scoped.
1055
1056 =item @LAST_MATCH_START
1057
1058 =item @-
1059 X<@-> X<@LAST_MATCH_START>
1060
1061 C<$-[0]> is the offset of the start of the last successful match.
1062 C<$-[>I<n>C<]> is the offset of the start of the substring matched by
1063 I<n>-th subpattern, or undef if the subpattern did not match.
1064
1065 Thus, after a match against C<$_>, C<$&> coincides with C<substr $_, $-[0],
1066 $+[0] - $-[0]>.  Similarly, $I<n> coincides with C<substr $_, $-[n],
1067 $+[n] - $-[n]> if C<$-[n]> is defined, and $+ coincides with
1068 C<substr $_, $-[$#-], $+[$#-] - $-[$#-]>.  One can use C<$#-> to find the
1069 last matched subgroup in the last successful match.  Contrast with
1070 C<$#+>, the number of subgroups in the regular expression.  Compare
1071 with C<@+>.
1072
1073 This array holds the offsets of the beginnings of the last
1074 successful submatches in the currently active dynamic scope.
1075 C<$-[0]> is the offset into the string of the beginning of the
1076 entire match.  The I<n>th element of this array holds the offset
1077 of the I<n>th submatch, so C<$-[1]> is the offset where C<$1>
1078 begins, C<$-[2]> the offset where C<$2> begins, and so on.
1079
1080 After a match against some variable C<$var>:
1081
1082 =over 5
1083
1084 =item C<$`> is the same as C<substr($var, 0, $-[0])>
1085
1086 =item C<$&> is the same as C<substr($var, $-[0], $+[0] - $-[0])>
1087
1088 =item C<$'> is the same as C<substr($var, $+[0])>
1089
1090 =item C<$1> is the same as C<substr($var, $-[1], $+[1] - $-[1])>
1091
1092 =item C<$2> is the same as C<substr($var, $-[2], $+[2] - $-[2])>
1093
1094 =item C<$3> is the same as C<substr($var, $-[3], $+[3] - $-[3])>
1095
1096 =back
1097
1098 This variable was added in Perl v5.6.0.
1099
1100 =item %LAST_MATCH_START
1101
1102 =item %-
1103 X<%-> X<%LAST_MATCH_START>
1104
1105 Similar to C<%+>, this variable allows access to the named capture groups
1106 in the last successful match in the currently active dynamic scope.  To
1107 each capture group name found in the regular expression, it associates a
1108 reference to an array containing the list of values captured by all
1109 buffers with that name (should there be several of them), in the order
1110 where they appear.
1111
1112 Here's an example:
1113
1114     if ('1234' =~ /(?<A>1)(?<B>2)(?<A>3)(?<B>4)/) {
1115         foreach my $bufname (sort keys %-) {
1116             my $ary = $-{$bufname};
1117             foreach my $idx (0..$#$ary) {
1118                 print "\$-{$bufname}[$idx] : ",
1119                       (defined($ary->[$idx])
1120                           ? "'$ary->[$idx]'"
1121                           : "undef"),
1122                       "\n";
1123             }
1124         }
1125     }
1126
1127 would print out:
1128
1129     $-{A}[0] : '1'
1130     $-{A}[1] : '3'
1131     $-{B}[0] : '2'
1132     $-{B}[1] : '4'
1133
1134 The keys of the C<%-> hash correspond to all buffer names found in
1135 the regular expression.
1136
1137 The behaviour of C<%-> is implemented via the
1138 L<Tie::Hash::NamedCapture> module.
1139
1140 B<Note:> C<%-> and C<%+> are tied views into a common internal hash
1141 associated with the last successful regular expression.  Therefore mixing
1142 iterative access to them via C<each> may have unpredictable results.
1143 Likewise, if the last successful match changes, then the results may be
1144 surprising.
1145
1146 This variable was added in Perl v5.10.0.
1147
1148 This variable is read-only and dynamically-scoped.
1149
1150 =item $LAST_REGEXP_CODE_RESULT
1151
1152 =item $^R
1153 X<$^R> X<$LAST_REGEXP_CODE_RESULT>
1154
1155 The result of evaluation of the last successful C<(?{ code })>
1156 regular expression assertion (see L<perlre>).  May be written to.
1157
1158 This variable was added in Perl 5.005.
1159
1160 =item ${^RE_DEBUG_FLAGS}
1161 X<${^RE_DEBUG_FLAGS}>
1162
1163 The current value of the regex debugging flags.  Set to 0 for no debug output
1164 even when the C<re 'debug'> module is loaded.  See L<re> for details.
1165
1166 This variable was added in Perl v5.10.0.
1167
1168 =item ${^RE_TRIE_MAXBUF}
1169 X<${^RE_TRIE_MAXBUF}>
1170
1171 Controls how certain regex optimisations are applied and how much memory they
1172 utilize.  This value by default is 65536 which corresponds to a 512kB
1173 temporary cache.  Set this to a higher value to trade
1174 memory for speed when matching large alternations.  Set
1175 it to a lower value if you want the optimisations to
1176 be as conservative of memory as possible but still occur, and set it to a
1177 negative value to prevent the optimisation and conserve the most memory.
1178 Under normal situations this variable should be of no interest to you.
1179
1180 This variable was added in Perl v5.10.0.
1181
1182 =back
1183
1184 =head2 Variables related to filehandles
1185
1186 Variables that depend on the currently selected filehandle may be set
1187 by calling an appropriate object method on the C<IO::Handle> object,
1188 although this is less efficient than using the regular built-in
1189 variables.  (Summary lines below for this contain the word HANDLE.)
1190 First you must say
1191
1192     use IO::Handle;
1193
1194 after which you may use either
1195
1196     method HANDLE EXPR
1197
1198 or more safely,
1199
1200     HANDLE->method(EXPR)
1201
1202 Each method returns the old value of the C<IO::Handle> attribute.  The
1203 methods each take an optional EXPR, which, if supplied, specifies the
1204 new value for the C<IO::Handle> attribute in question.  If not
1205 supplied, most methods do nothing to the current value--except for
1206 C<autoflush()>, which will assume a 1 for you, just to be different.
1207
1208 Because loading in the C<IO::Handle> class is an expensive operation,
1209 you should learn how to use the regular built-in variables.
1210
1211 A few of these variables are considered "read-only".  This means that
1212 if you try to assign to this variable, either directly or indirectly
1213 through a reference, you'll raise a run-time exception.
1214
1215 You should be very careful when modifying the default values of most
1216 special variables described in this document.  In most cases you want
1217 to localize these variables before changing them, since if you don't,
1218 the change may affect other modules which rely on the default values
1219 of the special variables that you have changed.  This is one of the
1220 correct ways to read the whole file at once:
1221
1222     open my $fh, "<", "foo" or die $!;
1223     local $/; # enable localized slurp mode
1224     my $content = <$fh>;
1225     close $fh;
1226
1227 But the following code is quite bad:
1228
1229     open my $fh, "<", "foo" or die $!;
1230     undef $/; # enable slurp mode
1231     my $content = <$fh>;
1232     close $fh;
1233
1234 since some other module, may want to read data from some file in the
1235 default "line mode", so if the code we have just presented has been
1236 executed, the global value of C<$/> is now changed for any other code
1237 running inside the same Perl interpreter.
1238
1239 Usually when a variable is localized you want to make sure that this
1240 change affects the shortest scope possible.  So unless you are already
1241 inside some short C<{}> block, you should create one yourself.  For
1242 example:
1243
1244     my $content = '';
1245     open my $fh, "<", "foo" or die $!;
1246     {
1247         local $/;
1248         $content = <$fh>;
1249     }
1250     close $fh;
1251
1252 Here is an example of how your own code can go broken:
1253
1254     for ( 1..3 ){
1255         $\ = "\r\n";
1256         nasty_break();
1257         print "$_";
1258     }
1259
1260     sub nasty_break {
1261         $\ = "\f";
1262         # do something with $_
1263     }
1264
1265 You probably expect this code to print the equivalent of
1266
1267     "1\r\n2\r\n3\r\n"
1268
1269 but instead you get:
1270
1271     "1\f2\f3\f"
1272
1273 Why? Because C<nasty_break()> modifies C<$\> without localizing it
1274 first.  The value you set in  C<nasty_break()> is still there when you
1275 return.  The fix is to add C<local()> so the value doesn't leak out of
1276 C<nasty_break()>:
1277
1278     local $\ = "\f";
1279
1280 It's easy to notice the problem in such a short example, but in more
1281 complicated code you are looking for trouble if you don't localize
1282 changes to the special variables.
1283
1284 =over 8
1285
1286 =item $ARGV
1287 X<$ARGV>
1288
1289 Contains the name of the current file when reading from C<< <> >>.
1290
1291 =item @ARGV
1292 X<@ARGV>
1293
1294 The array C<@ARGV> contains the command-line arguments intended for
1295 the script.  C<$#ARGV> is generally the number of arguments minus
1296 one, because C<$ARGV[0]> is the first argument, I<not> the program's
1297 command name itself.  See L</$0> for the command name.
1298
1299 =item ARGV
1300 X<ARGV>
1301
1302 The special filehandle that iterates over command-line filenames in
1303 C<@ARGV>.  Usually written as the null filehandle in the angle operator
1304 C<< <> >>.  Note that currently C<ARGV> only has its magical effect
1305 within the C<< <> >> operator; elsewhere it is just a plain filehandle
1306 corresponding to the last file opened by C<< <> >>.  In particular,
1307 passing C<\*ARGV> as a parameter to a function that expects a filehandle
1308 may not cause your function to automatically read the contents of all the
1309 files in C<@ARGV>.
1310
1311 =item ARGVOUT
1312 X<ARGVOUT>
1313
1314 The special filehandle that points to the currently open output file
1315 when doing edit-in-place processing with B<-i>.  Useful when you have
1316 to do a lot of inserting and don't want to keep modifying C<$_>.  See
1317 L<perlrun> for the B<-i> switch.
1318
1319 =item IO::Handle->output_field_separator( EXPR )
1320
1321 =item $OUTPUT_FIELD_SEPARATOR
1322
1323 =item $OFS
1324
1325 =item $,
1326 X<$,> X<$OFS> X<$OUTPUT_FIELD_SEPARATOR>
1327
1328 The output field separator for the print operator.  If defined, this
1329 value is printed between each of print's arguments.  Default is C<undef>.
1330
1331 You cannot call C<output_field_separator()> on a handle, only as a
1332 static method.  See L<IO::Handle|IO::Handle>.
1333
1334 Mnemonic: what is printed when there is a "," in your print statement.
1335
1336 =item HANDLE->input_line_number( EXPR )
1337
1338 =item $INPUT_LINE_NUMBER
1339
1340 =item $NR
1341
1342 =item $.
1343 X<$.> X<$NR> X<$INPUT_LINE_NUMBER> X<line number>
1344
1345 Current line number for the last filehandle accessed.
1346
1347 Each filehandle in Perl counts the number of lines that have been read
1348 from it.  (Depending on the value of C<$/>, Perl's idea of what
1349 constitutes a line may not match yours.)  When a line is read from a
1350 filehandle (via C<readline()> or C<< <> >>), or when C<tell()> or
1351 C<seek()> is called on it, C<$.> becomes an alias to the line counter
1352 for that filehandle.
1353
1354 You can adjust the counter by assigning to C<$.>, but this will not
1355 actually move the seek pointer.  I<Localizing C<$.> will not localize
1356 the filehandle's line count>.  Instead, it will localize perl's notion
1357 of which filehandle C<$.> is currently aliased to.
1358
1359 C<$.> is reset when the filehandle is closed, but B<not> when an open
1360 filehandle is reopened without an intervening C<close()>.  For more
1361 details, see L<perlop/"IE<sol>O Operators">.  Because C<< <> >> never does
1362 an explicit close, line numbers increase across C<ARGV> files (but see
1363 examples in L<perlfunc/eof>).
1364
1365 You can also use C<< HANDLE->input_line_number(EXPR) >> to access the
1366 line counter for a given filehandle without having to worry about
1367 which handle you last accessed.
1368
1369 Mnemonic: many programs use "." to mean the current line number.
1370
1371 =item IO::Handle->input_record_separator( EXPR )
1372
1373 =item $INPUT_RECORD_SEPARATOR
1374
1375 =item $RS
1376
1377 =item $/
1378 X<$/> X<$RS> X<$INPUT_RECORD_SEPARATOR>
1379
1380 The input record separator, newline by default.  This influences Perl's
1381 idea of what a "line" is.  Works like B<awk>'s RS variable, including
1382 treating empty lines as a terminator if set to the null string (an
1383 empty line cannot contain any spaces or tabs).  You may set it to a
1384 multi-character string to match a multi-character terminator, or to
1385 C<undef> to read through the end of file.  Setting it to C<"\n\n">
1386 means something slightly different than setting to C<"">, if the file
1387 contains consecutive empty lines.  Setting to C<""> will treat two or
1388 more consecutive empty lines as a single empty line.  Setting to
1389 C<"\n\n"> will blindly assume that the next input character belongs to
1390 the next paragraph, even if it's a newline.
1391
1392     local $/;           # enable "slurp" mode
1393     local $_ = <FH>;    # whole file now here
1394     s/\n[ \t]+/ /g;
1395
1396 Remember: the value of C<$/> is a string, not a regex.  B<awk> has to
1397 be better for something. :-)
1398
1399 Setting C<$/> to a reference to an integer, scalar containing an
1400 integer, or scalar that's convertible to an integer will attempt to
1401 read records instead of lines, with the maximum record size being the
1402 referenced integer number of characters.  So this:
1403
1404     local $/ = \32768; # or \"32768", or \$var_containing_32768
1405     open my $fh, "<", $myfile or die $!;
1406     local $_ = <$fh>;
1407
1408 will read a record of no more than 32768 characters from $fh.  If you're
1409 not reading from a record-oriented file (or your OS doesn't have
1410 record-oriented files), then you'll likely get a full chunk of data
1411 with every read.  If a record is larger than the record size you've
1412 set, you'll get the record back in pieces.  Trying to set the record
1413 size to zero or less is deprecated and will cause $/ to have the value
1414 of "undef", which will cause reading in the (rest of the) whole file.
1415
1416 As of 5.19.9 setting C<$/> to any other form of reference will throw a
1417 fatal exception. This is in preparation for supporting new ways to set
1418 C<$/> in the future.
1419
1420 On VMS only, record reads bypass PerlIO layers and any associated
1421 buffering, so you must not mix record and non-record reads on the
1422 same filehandle.  Record mode mixes with line mode only when the
1423 same buffering layer is in use for both modes.
1424
1425 You cannot call C<input_record_separator()> on a handle, only as a
1426 static method.  See L<IO::Handle|IO::Handle>.
1427
1428 See also L<perlport/"Newlines">.  Also see L</$.>.
1429
1430 Mnemonic: / delimits line boundaries when quoting poetry.
1431
1432 =item IO::Handle->output_record_separator( EXPR )
1433
1434 =item $OUTPUT_RECORD_SEPARATOR
1435
1436 =item $ORS
1437
1438 =item $\
1439 X<$\> X<$ORS> X<$OUTPUT_RECORD_SEPARATOR>
1440
1441 The output record separator for the print operator.  If defined, this
1442 value is printed after the last of print's arguments.  Default is C<undef>.
1443
1444 You cannot call C<output_record_separator()> on a handle, only as a
1445 static method.  See L<IO::Handle|IO::Handle>.
1446
1447 Mnemonic: you set C<$\> instead of adding "\n" at the end of the print.
1448 Also, it's just like C<$/>, but it's what you get "back" from Perl.
1449
1450 =item HANDLE->autoflush( EXPR )
1451
1452 =item $OUTPUT_AUTOFLUSH
1453
1454 =item $|
1455 X<$|> X<autoflush> X<flush> X<$OUTPUT_AUTOFLUSH>
1456
1457 If set to nonzero, forces a flush right away and after every write or
1458 print on the currently selected output channel.  Default is 0
1459 (regardless of whether the channel is really buffered by the system or
1460 not; C<$|> tells you only whether you've asked Perl explicitly to
1461 flush after each write).  STDOUT will typically be line buffered if
1462 output is to the terminal and block buffered otherwise.  Setting this
1463 variable is useful primarily when you are outputting to a pipe or
1464 socket, such as when you are running a Perl program under B<rsh> and
1465 want to see the output as it's happening.  This has no effect on input
1466 buffering.  See L<perlfunc/getc> for that.  See L<perlfunc/select> on
1467 how to select the output channel.  See also L<IO::Handle>.
1468
1469 Mnemonic: when you want your pipes to be piping hot.
1470
1471 =item ${^LAST_FH}
1472 X<${^LAST_FH}>
1473
1474 This read-only variable contains a reference to the last-read filehandle.
1475 This is set by C<< <HANDLE> >>, C<readline>, C<tell>, C<eof> and C<seek>.
1476 This is the same handle that C<$.> and C<tell> and C<eof> without arguments
1477 use.  It is also the handle used when Perl appends ", <STDIN> line 1" to
1478 an error or warning message.
1479
1480 This variable was added in Perl v5.18.0.
1481
1482 =back
1483
1484 =head3 Variables related to formats
1485
1486 The special variables for formats are a subset of those for
1487 filehandles.  See L<perlform> for more information about Perl's
1488 formats.
1489
1490 =over 8
1491
1492 =item $ACCUMULATOR
1493
1494 =item $^A
1495 X<$^A> X<$ACCUMULATOR>
1496
1497 The current value of the C<write()> accumulator for C<format()> lines.
1498 A format contains C<formline()> calls that put their result into
1499 C<$^A>.  After calling its format, C<write()> prints out the contents
1500 of C<$^A> and empties.  So you never really see the contents of C<$^A>
1501 unless you call C<formline()> yourself and then look at it.  See
1502 L<perlform> and L<perlfunc/"formline PICTURE,LIST">.
1503
1504 =item IO::Handle->format_formfeed(EXPR)
1505
1506 =item $FORMAT_FORMFEED
1507
1508 =item $^L
1509 X<$^L> X<$FORMAT_FORMFEED>
1510
1511 What formats output as a form feed.  The default is C<\f>.
1512
1513 You cannot call C<format_formfeed()> on a handle, only as a static
1514 method.  See L<IO::Handle|IO::Handle>.
1515
1516 =item HANDLE->format_page_number(EXPR)
1517
1518 =item $FORMAT_PAGE_NUMBER
1519
1520 =item $%
1521 X<$%> X<$FORMAT_PAGE_NUMBER>
1522
1523 The current page number of the currently selected output channel.
1524
1525 Mnemonic: C<%> is page number in B<nroff>.
1526
1527 =item HANDLE->format_lines_left(EXPR)
1528
1529 =item $FORMAT_LINES_LEFT
1530
1531 =item $-
1532 X<$-> X<$FORMAT_LINES_LEFT>
1533
1534 The number of lines left on the page of the currently selected output
1535 channel.
1536
1537 Mnemonic: lines_on_page - lines_printed.
1538
1539 =item IO::Handle->format_line_break_characters EXPR
1540
1541 =item $FORMAT_LINE_BREAK_CHARACTERS
1542
1543 =item $:
1544 X<$:> X<FORMAT_LINE_BREAK_CHARACTERS>
1545
1546 The current set of characters after which a string may be broken to
1547 fill continuation fields (starting with C<^>) in a format.  The default is
1548 S<" \n-">, to break on a space, newline, or a hyphen.
1549
1550 You cannot call C<format_line_break_characters()> on a handle, only as
1551 a static method.  See L<IO::Handle|IO::Handle>.
1552
1553 Mnemonic: a "colon" in poetry is a part of a line.
1554
1555 =item HANDLE->format_lines_per_page(EXPR)
1556
1557 =item $FORMAT_LINES_PER_PAGE
1558
1559 =item $=
1560 X<$=> X<$FORMAT_LINES_PER_PAGE>
1561
1562 The current page length (printable lines) of the currently selected
1563 output channel.  The default is 60.
1564
1565 Mnemonic: = has horizontal lines.
1566
1567 =item HANDLE->format_top_name(EXPR)
1568
1569 =item $FORMAT_TOP_NAME
1570
1571 =item $^
1572 X<$^> X<$FORMAT_TOP_NAME>
1573
1574 The name of the current top-of-page format for the currently selected
1575 output channel.  The default is the name of the filehandle with C<_TOP>
1576 appended.  For example, the default format top name for the C<STDOUT>
1577 filehandle is C<STDOUT_TOP>.
1578
1579 Mnemonic: points to top of page.
1580
1581 =item HANDLE->format_name(EXPR)
1582
1583 =item $FORMAT_NAME
1584
1585 =item $~
1586 X<$~> X<$FORMAT_NAME>
1587
1588 The name of the current report format for the currently selected
1589 output channel.  The default format name is the same as the filehandle
1590 name.  For example, the default format name for the C<STDOUT>
1591 filehandle is just C<STDOUT>.
1592
1593 Mnemonic: brother to C<$^>.
1594
1595 =back
1596
1597 =head2 Error Variables
1598 X<error> X<exception>
1599
1600 The variables C<$@>, C<$!>, C<$^E>, and C<$?> contain information
1601 about different types of error conditions that may appear during
1602 execution of a Perl program.  The variables are shown ordered by
1603 the "distance" between the subsystem which reported the error and
1604 the Perl process.  They correspond to errors detected by the Perl
1605 interpreter, C library, operating system, or an external program,
1606 respectively.
1607
1608 To illustrate the differences between these variables, consider the
1609 following Perl expression, which uses a single-quoted string.  After
1610 execution of this statement, perl may have set all four special error
1611 variables:
1612
1613     eval q{
1614         open my $pipe, "/cdrom/install |" or die $!;
1615         my @res = <$pipe>;
1616         close $pipe or die "bad pipe: $?, $!";
1617     };
1618
1619 When perl executes the C<eval()> expression, it translates the
1620 C<open()>, C<< <PIPE> >>, and C<close> calls in the C run-time library
1621 and thence to the operating system kernel.  perl sets C<$!> to
1622 the C library's C<errno> if one of these calls fails.
1623
1624 C<$@> is set if the string to be C<eval>-ed did not compile (this may
1625 happen if C<open> or C<close> were imported with bad prototypes), or
1626 if Perl code executed during evaluation C<die()>d.  In these cases the
1627 value of C<$@> is the compile error, or the argument to C<die> (which
1628 will interpolate C<$!> and C<$?>).  (See also L<Fatal>, though.)
1629
1630 Under a few operating systems, C<$^E> may contain a more verbose error
1631 indicator, such as in this case, "CDROM tray not closed."  Systems that
1632 do not support extended error messages leave C<$^E> the same as C<$!>.
1633
1634 Finally, C<$?> may be set to non-0 value if the external program
1635 F</cdrom/install> fails.  The upper eight bits reflect specific error
1636 conditions encountered by the program (the program's C<exit()> value).
1637 The lower eight bits reflect mode of failure, like signal death and
1638 core dump information.  See L<wait(2)> for details.  In contrast to
1639 C<$!> and C<$^E>, which are set only if error condition is detected,
1640 the variable C<$?> is set on each C<wait> or pipe C<close>,
1641 overwriting the old value.  This is more like C<$@>, which on every
1642 C<eval()> is always set on failure and cleared on success.
1643
1644 For more details, see the individual descriptions at C<$@>, C<$!>,
1645 C<$^E>, and C<$?>.
1646
1647 =over 8
1648
1649 =item ${^CHILD_ERROR_NATIVE}
1650 X<$^CHILD_ERROR_NATIVE>
1651
1652 The native status returned by the last pipe close, backtick (C<``>)
1653 command, successful call to C<wait()> or C<waitpid()>, or from the
1654 C<system()> operator.  On POSIX-like systems this value can be decoded
1655 with the WIFEXITED, WEXITSTATUS, WIFSIGNALED, WTERMSIG, WIFSTOPPED,
1656 WSTOPSIG and WIFCONTINUED functions provided by the L<POSIX> module.
1657
1658 Under VMS this reflects the actual VMS exit status; i.e. it is the
1659 same as C<$?> when the pragma C<use vmsish 'status'> is in effect.
1660
1661 This variable was added in Perl v5.10.0.
1662
1663 =item $EXTENDED_OS_ERROR
1664
1665 =item $^E
1666 X<$^E> X<$EXTENDED_OS_ERROR>
1667
1668 Error information specific to the current operating system.  At the
1669 moment, this differs from C<$!> under only VMS, OS/2, and Win32 (and
1670 for MacPerl).  On all other platforms, C<$^E> is always just the same
1671 as C<$!>.
1672
1673 Under VMS, C<$^E> provides the VMS status value from the last system
1674 error.  This is more specific information about the last system error
1675 than that provided by C<$!>.  This is particularly important when C<$!>
1676 is set to B<EVMSERR>.
1677
1678 Under OS/2, C<$^E> is set to the error code of the last call to OS/2
1679 API either via CRT, or directly from perl.
1680
1681 Under Win32, C<$^E> always returns the last error information reported
1682 by the Win32 call C<GetLastError()> which describes the last error
1683 from within the Win32 API.  Most Win32-specific code will report errors
1684 via C<$^E>.  ANSI C and Unix-like calls set C<errno> and so most
1685 portable Perl code will report errors via C<$!>.
1686
1687 Caveats mentioned in the description of C<$!> generally apply to
1688 C<$^E>, also.
1689
1690 This variable was added in Perl 5.003.
1691
1692 Mnemonic: Extra error explanation.
1693
1694 =item $EXCEPTIONS_BEING_CAUGHT
1695
1696 =item $^S
1697 X<$^S> X<$EXCEPTIONS_BEING_CAUGHT>
1698
1699 Current state of the interpreter.
1700
1701         $^S         State
1702         ---------   -------------------------------------
1703         undef       Parsing module, eval, or main program
1704         true (1)    Executing an eval
1705         false (0)   Otherwise
1706
1707 The first state may happen in C<$SIG{__DIE__}> and C<$SIG{__WARN__}>
1708 handlers.
1709
1710 The English name $EXCEPTIONS_BEING_CAUGHT is slightly misleading, because
1711 the C<undef> value does not indicate whether exceptions are being caught,
1712 since compilation of the main program does not catch exceptions.
1713
1714 This variable was added in Perl 5.004.
1715
1716 =item $WARNING
1717
1718 =item $^W
1719 X<$^W> X<$WARNING>
1720
1721 The current value of the warning switch, initially true if B<-w> was
1722 used, false otherwise, but directly modifiable.
1723
1724 See also L<warnings>.
1725
1726 Mnemonic: related to the B<-w> switch.
1727
1728 =item ${^WARNING_BITS}
1729 X<${^WARNING_BITS}>
1730
1731 The current set of warning checks enabled by the C<use warnings> pragma.
1732 It has the same scoping as the C<$^H> and C<%^H> variables.  The exact
1733 values are considered internal to the L<warnings> pragma and may change
1734 between versions of Perl.
1735
1736 This variable was added in Perl v5.6.0.
1737
1738 =item $OS_ERROR
1739
1740 =item $ERRNO
1741
1742 =item $!
1743 X<$!> X<$ERRNO> X<$OS_ERROR>
1744
1745 When referenced, C<$!> retrieves the current value
1746 of the C C<errno> integer variable.
1747 If C<$!> is assigned a numerical value, that value is stored in C<errno>.
1748 When referenced as a string, C<$!> yields the system error string
1749 corresponding to C<errno>.
1750
1751 Many system or library calls set C<errno> if they fail,
1752 to indicate the cause of failure.  They usually do B<not>
1753 set C<errno> to zero if they succeed.  This means C<errno>,
1754 hence C<$!>, is meaningful only I<immediately> after a B<failure>:
1755
1756     if (open my $fh, "<", $filename) {
1757                 # Here $! is meaningless.
1758                 ...
1759     }
1760     else {
1761                 # ONLY here is $! meaningful.
1762                 ...
1763                 # Already here $! might be meaningless.
1764     }
1765     # Since here we might have either success or failure,
1766     # $! is meaningless.
1767
1768 Here, I<meaningless> means that C<$!> may be unrelated to the outcome
1769 of the C<open()> operator.  Assignment to C<$!> is similarly ephemeral.
1770 It can be used immediately before invoking the C<die()> operator,
1771 to set the exit value, or to inspect the system error string
1772 corresponding to error I<n>, or to restore C<$!> to a meaningful state.
1773
1774 Mnemonic: What just went bang?
1775
1776 =item %OS_ERROR
1777
1778 =item %ERRNO
1779
1780 =item %!
1781 X<%!> X<%OS_ERROR> X<%ERRNO>
1782
1783 Each element of C<%!> has a true value only if C<$!> is set to that
1784 value.  For example, C<$!{ENOENT}> is true if and only if the current
1785 value of C<$!> is C<ENOENT>; that is, if the most recent error was "No
1786 such file or directory" (or its moral equivalent: not all operating
1787 systems give that exact error, and certainly not all languages).  To
1788 check if a particular key is meaningful on your system, use C<exists
1789 $!{the_key}>; for a list of legal keys, use C<keys %!>.  See L<Errno>
1790 for more information, and also see L</$!>.
1791
1792 This variable was added in Perl 5.005.
1793
1794 =item $CHILD_ERROR
1795
1796 =item $?
1797 X<$?> X<$CHILD_ERROR>
1798
1799 The status returned by the last pipe close, backtick (C<``>) command,
1800 successful call to C<wait()> or C<waitpid()>, or from the C<system()>
1801 operator.  This is just the 16-bit status word returned by the
1802 traditional Unix C<wait()> system call (or else is made up to look
1803 like it).  Thus, the exit value of the subprocess is really (C<<< $? >>
1804 8 >>>), and C<$? & 127> gives which signal, if any, the process died
1805 from, and C<$? & 128> reports whether there was a core dump.
1806
1807 Additionally, if the C<h_errno> variable is supported in C, its value
1808 is returned via C<$?> if any C<gethost*()> function fails.
1809
1810 If you have installed a signal handler for C<SIGCHLD>, the
1811 value of C<$?> will usually be wrong outside that handler.
1812
1813 Inside an C<END> subroutine C<$?> contains the value that is going to be
1814 given to C<exit()>.  You can modify C<$?> in an C<END> subroutine to
1815 change the exit status of your program.  For example:
1816
1817     END {
1818         $? = 1 if $? == 255;  # die would make it 255
1819     }
1820
1821 Under VMS, the pragma C<use vmsish 'status'> makes C<$?> reflect the
1822 actual VMS exit status, instead of the default emulation of POSIX
1823 status; see L<perlvms/$?> for details.
1824
1825 Mnemonic: similar to B<sh> and B<ksh>.
1826
1827 =item $EVAL_ERROR
1828
1829 =item $@
1830 X<$@> X<$EVAL_ERROR>
1831
1832 The Perl syntax error message from the
1833 last C<eval()> operator.  If C<$@> is
1834 the null string, the last C<eval()> parsed and executed correctly
1835 (although the operations you invoked may have failed in the normal
1836 fashion).
1837
1838 Warning messages are not collected in this variable.  You can, however,
1839 set up a routine to process warnings by setting C<$SIG{__WARN__}> as
1840 described in L</%SIG>.
1841
1842 Mnemonic: Where was the syntax error "at"?
1843
1844 =back
1845
1846 =head2 Variables related to the interpreter state
1847
1848 These variables provide information about the current interpreter state.
1849
1850 =over 8
1851
1852 =item $COMPILING
1853
1854 =item $^C
1855 X<$^C> X<$COMPILING>
1856
1857 The current value of the flag associated with the B<-c> switch.
1858 Mainly of use with B<-MO=...> to allow code to alter its behavior
1859 when being compiled, such as for example to C<AUTOLOAD> at compile
1860 time rather than normal, deferred loading.  Setting
1861 C<$^C = 1> is similar to calling C<B::minus_c>.
1862
1863 This variable was added in Perl v5.6.0.
1864
1865 =item $DEBUGGING
1866
1867 =item $^D
1868 X<$^D> X<$DEBUGGING>
1869
1870 The current value of the debugging flags.  May be read or set.  Like its
1871 command-line equivalent, you can use numeric or symbolic values, eg
1872 C<$^D = 10> or C<$^D = "st">.
1873
1874 Mnemonic: value of B<-D> switch.
1875
1876 =item ${^ENCODING}
1877 X<${^ENCODING}>
1878
1879 DEPRECATED!!!
1880
1881 The I<object reference> to the C<Encode> object that is used to convert
1882 the source code to Unicode.  Thanks to this variable your Perl script
1883 does not have to be written in UTF-8.  Default is C<undef>.
1884
1885 Setting this variable to any other value than C<undef> is deprecated due
1886 to fundamental defects in its design and implementation.  It is planned
1887 to remove it from a future Perl version.  Its purpose was to allow your
1888 non-ASCII Perl scripts to not have to be written in UTF-8; this was
1889 useful before editors that worked on UTF-8 encoded text were common, but
1890 that was long ago.  It causes problems, such as affecting the operation
1891 of other modules that aren't expecting it, causing general mayhem.  Its
1892 use can lead to segfaults.
1893
1894 If you need something like this functionality, you should use the
1895 L<encoding> pragma, which is also deprecated, but has fewer nasty side
1896 effects.
1897
1898 If you are coming here because code of yours is being adversely affected
1899 by someone's use of this variable, you can usually work around it by
1900 doing this:
1901
1902  local ${^ENCODING};
1903
1904 near the beginning of the functions that are getting broken.  This
1905 undefines the variable during the scope of execution of the including
1906 function.
1907
1908 This variable was added in Perl 5.8.2.
1909
1910 =item ${^GLOBAL_PHASE}
1911 X<${^GLOBAL_PHASE}>
1912
1913 The current phase of the perl interpreter.
1914
1915 Possible values are:
1916
1917 =over 8
1918
1919 =item CONSTRUCT
1920
1921 The C<PerlInterpreter*> is being constructed via C<perl_construct>.  This
1922 value is mostly there for completeness and for use via the
1923 underlying C variable C<PL_phase>.  It's not really possible for Perl
1924 code to be executed unless construction of the interpreter is
1925 finished.
1926
1927 =item START
1928
1929 This is the global compile-time.  That includes, basically, every
1930 C<BEGIN> block executed directly or indirectly from during the
1931 compile-time of the top-level program.
1932
1933 This phase is not called "BEGIN" to avoid confusion with
1934 C<BEGIN>-blocks, as those are executed during compile-time of any
1935 compilation unit, not just the top-level program.  A new, localised
1936 compile-time entered at run-time, for example by constructs as
1937 C<eval "use SomeModule"> are not global interpreter phases, and
1938 therefore aren't reflected by C<${^GLOBAL_PHASE}>.
1939
1940 =item CHECK
1941
1942 Execution of any C<CHECK> blocks.
1943
1944 =item INIT
1945
1946 Similar to "CHECK", but for C<INIT>-blocks, not C<CHECK> blocks.
1947
1948 =item RUN
1949
1950 The main run-time, i.e. the execution of C<PL_main_root>.
1951
1952 =item END
1953
1954 Execution of any C<END> blocks.
1955
1956 =item DESTRUCT
1957
1958 Global destruction.
1959
1960 =back
1961
1962 Also note that there's no value for UNITCHECK-blocks.  That's because
1963 those are run for each compilation unit individually, and therefore is
1964 not a global interpreter phase.
1965
1966 Not every program has to go through each of the possible phases, but
1967 transition from one phase to another can only happen in the order
1968 described in the above list.
1969
1970 An example of all of the phases Perl code can see:
1971
1972     BEGIN { print "compile-time: ${^GLOBAL_PHASE}\n" }
1973
1974     INIT  { print "init-time: ${^GLOBAL_PHASE}\n" }
1975
1976     CHECK { print "check-time: ${^GLOBAL_PHASE}\n" }
1977
1978     {
1979         package Print::Phase;
1980
1981         sub new {
1982             my ($class, $time) = @_;
1983             return bless \$time, $class;
1984         }
1985
1986         sub DESTROY {
1987             my $self = shift;
1988             print "$$self: ${^GLOBAL_PHASE}\n";
1989         }
1990     }
1991
1992     print "run-time: ${^GLOBAL_PHASE}\n";
1993
1994     my $runtime = Print::Phase->new(
1995         "lexical variables are garbage collected before END"
1996     );
1997
1998     END   { print "end-time: ${^GLOBAL_PHASE}\n" }
1999
2000     our $destruct = Print::Phase->new(
2001         "package variables are garbage collected after END"
2002     );
2003
2004 This will print out
2005
2006     compile-time: START
2007     check-time: CHECK
2008     init-time: INIT
2009     run-time: RUN
2010     lexical variables are garbage collected before END: RUN
2011     end-time: END
2012     package variables are garbage collected after END: DESTRUCT
2013
2014 This variable was added in Perl 5.14.0.
2015
2016 =item $^H
2017 X<$^H>
2018
2019 WARNING: This variable is strictly for
2020 internal use only.  Its availability,
2021 behavior, and contents are subject to change without notice.
2022
2023 This variable contains compile-time hints for the Perl interpreter.  At the
2024 end of compilation of a BLOCK the value of this variable is restored to the
2025 value when the interpreter started to compile the BLOCK.
2026
2027 When perl begins to parse any block construct that provides a lexical scope
2028 (e.g., eval body, required file, subroutine body, loop body, or conditional
2029 block), the existing value of C<$^H> is saved, but its value is left unchanged.
2030 When the compilation of the block is completed, it regains the saved value.
2031 Between the points where its value is saved and restored, code that
2032 executes within BEGIN blocks is free to change the value of C<$^H>.
2033
2034 This behavior provides the semantic of lexical scoping, and is used in,
2035 for instance, the C<use strict> pragma.
2036
2037 The contents should be an integer; different bits of it are used for
2038 different pragmatic flags.  Here's an example:
2039
2040     sub add_100 { $^H |= 0x100 }
2041
2042     sub foo {
2043         BEGIN { add_100() }
2044         bar->baz($boon);
2045     }
2046
2047 Consider what happens during execution of the BEGIN block.  At this point
2048 the BEGIN block has already been compiled, but the body of C<foo()> is still
2049 being compiled.  The new value of C<$^H>
2050 will therefore be visible only while
2051 the body of C<foo()> is being compiled.
2052
2053 Substitution of C<BEGIN { add_100() }> block with:
2054
2055     BEGIN { require strict; strict->import('vars') }
2056
2057 demonstrates how C<use strict 'vars'> is implemented.  Here's a conditional
2058 version of the same lexical pragma:
2059
2060     BEGIN {
2061         require strict; strict->import('vars') if $condition
2062     }
2063
2064 This variable was added in Perl 5.003.
2065
2066 =item %^H
2067 X<%^H>
2068
2069 The C<%^H> hash provides the same scoping semantic as C<$^H>.  This makes
2070 it useful for implementation of lexically scoped pragmas.  See
2071 L<perlpragma>.   All the entries are stringified when accessed at
2072 runtime, so only simple values can be accommodated.  This means no
2073 pointers to objects, for example.
2074
2075 When putting items into C<%^H>, in order to avoid conflicting with other
2076 users of the hash there is a convention regarding which keys to use.
2077 A module should use only keys that begin with the module's name (the
2078 name of its main package) and a "/" character.  For example, a module
2079 C<Foo::Bar> should use keys such as C<Foo::Bar/baz>.
2080
2081 This variable was added in Perl v5.6.0.
2082
2083 =item ${^OPEN}
2084 X<${^OPEN}>
2085
2086 An internal variable used by PerlIO.  A string in two parts, separated
2087 by a C<\0> byte, the first part describes the input layers, the second
2088 part describes the output layers.
2089
2090 This variable was added in Perl v5.8.0.
2091
2092 =item $PERLDB
2093
2094 =item $^P
2095 X<$^P> X<$PERLDB>
2096
2097 The internal variable for debugging support.  The meanings of the
2098 various bits are subject to change, but currently indicate:
2099
2100 =over 6
2101
2102 =item 0x01
2103
2104 Debug subroutine enter/exit.
2105
2106 =item 0x02
2107
2108 Line-by-line debugging.  Causes C<DB::DB()> subroutine to be called for
2109 each statement executed.  Also causes saving source code lines (like
2110 0x400).
2111
2112 =item 0x04
2113
2114 Switch off optimizations.
2115
2116 =item 0x08
2117
2118 Preserve more data for future interactive inspections.
2119
2120 =item 0x10
2121
2122 Keep info about source lines on which a subroutine is defined.
2123
2124 =item 0x20
2125
2126 Start with single-step on.
2127
2128 =item 0x40
2129
2130 Use subroutine address instead of name when reporting.
2131
2132 =item 0x80
2133
2134 Report C<goto &subroutine> as well.
2135
2136 =item 0x100
2137
2138 Provide informative "file" names for evals based on the place they were compiled.
2139
2140 =item 0x200
2141
2142 Provide informative names to anonymous subroutines based on the place they
2143 were compiled.
2144
2145 =item 0x400
2146
2147 Save source code lines into C<@{"_<$filename"}>.
2148
2149 =item 0x800
2150
2151 When saving source, include evals that generate no subroutines.
2152
2153 =item 0x1000
2154
2155 When saving source, include source that did not compile.
2156
2157 =back
2158
2159 Some bits may be relevant at compile-time only, some at
2160 run-time only.  This is a new mechanism and the details may change.
2161 See also L<perldebguts>.
2162
2163 =item ${^TAINT}
2164 X<${^TAINT}>
2165
2166 Reflects if taint mode is on or off.  1 for on (the program was run with
2167 B<-T>), 0 for off, -1 when only taint warnings are enabled (i.e. with
2168 B<-t> or B<-TU>).
2169
2170 This variable is read-only.
2171
2172 This variable was added in Perl v5.8.0.
2173
2174 =item ${^UNICODE}
2175 X<${^UNICODE}>
2176
2177 Reflects certain Unicode settings of Perl.  See L<perlrun>
2178 documentation for the C<-C> switch for more information about
2179 the possible values.
2180
2181 This variable is set during Perl startup and is thereafter read-only.
2182
2183 This variable was added in Perl v5.8.2.
2184
2185 =item ${^UTF8CACHE}
2186 X<${^UTF8CACHE}>
2187
2188 This variable controls the state of the internal UTF-8 offset caching code.
2189 1 for on (the default), 0 for off, -1 to debug the caching code by checking
2190 all its results against linear scans, and panicking on any discrepancy.
2191
2192 This variable was added in Perl v5.8.9.  It is subject to change or
2193 removal without notice, but is currently used to avoid recalculating the
2194 boundaries of multi-byte UTF-8-encoded characters.
2195
2196 =item ${^UTF8LOCALE}
2197 X<${^UTF8LOCALE}>
2198
2199 This variable indicates whether a UTF-8 locale was detected by perl at
2200 startup.  This information is used by perl when it's in
2201 adjust-utf8ness-to-locale mode (as when run with the C<-CL> command-line
2202 switch); see L<perlrun> for more info on this.
2203
2204 This variable was added in Perl v5.8.8.
2205
2206 =back
2207
2208 =head2 Deprecated and removed variables
2209
2210 Deprecating a variable announces the intent of the perl maintainers to
2211 eventually remove the variable from the language.  It may still be
2212 available despite its status.  Using a deprecated variable triggers
2213 a warning.
2214
2215 Once a variable is removed, its use triggers an error telling you
2216 the variable is unsupported.
2217
2218 See L<perldiag> for details about error messages.
2219
2220 =over 8
2221
2222 =item $#
2223 X<$#>
2224
2225 C<$#> was a variable that could be used to format printed numbers.
2226 After a deprecation cycle, its magic was removed in Perl v5.10.0 and
2227 using it now triggers a warning: C<$# is no longer supported>.
2228
2229 This is not the sigil you use in front of an array name to get the
2230 last index, like C<$#array>.  That's still how you get the last index
2231 of an array in Perl.  The two have nothing to do with each other.
2232
2233 Deprecated in Perl 5.
2234
2235 Removed in Perl v5.10.0.
2236
2237 =item $*
2238 X<$*>
2239
2240 C<$*> was a variable that you could use to enable multiline matching.
2241 After a deprecation cycle, its magic was removed in Perl v5.10.0.
2242 Using it now triggers a warning: C<$* is no longer supported>.
2243 You should use the C</s> and C</m> regexp modifiers instead.
2244
2245 Deprecated in Perl 5.
2246
2247 Removed in Perl v5.10.0.
2248
2249 =item $[
2250 X<$[>
2251
2252 This variable stores the index of the first element in an array, and
2253 of the first character in a substring.  The default is 0, but you could
2254 theoretically set it to 1 to make Perl behave more like B<awk> (or Fortran)
2255 when subscripting and when evaluating the index() and substr() functions.
2256
2257 As of release 5 of Perl, assignment to C<$[> is treated as a compiler
2258 directive, and cannot influence the behavior of any other file.
2259 (That's why you can only assign compile-time constants to it.)
2260 Its use is highly discouraged.
2261
2262 Prior to Perl v5.10.0, assignment to C<$[> could be seen from outer lexical
2263 scopes in the same file, unlike other compile-time directives (such as
2264 L<strict>).  Using local() on it would bind its value strictly to a lexical
2265 block.  Now it is always lexically scoped.
2266
2267 As of Perl v5.16.0, it is implemented by the L<arybase> module.  See
2268 L<arybase> for more details on its behaviour.
2269
2270 Under C<use v5.16>, or C<no feature "array_base">, C<$[> no longer has any
2271 effect, and always contains 0.  Assigning 0 to it is permitted, but any
2272 other value will produce an error.
2273
2274 Mnemonic: [ begins subscripts.
2275
2276 Deprecated in Perl v5.12.0.
2277
2278 =item $]
2279 X<$]>
2280
2281 The revision, version, and subversion of the Perl interpreter, represented
2282 as a decimal of the form 5.XXXYYY, where XXX is the version / 1e3 and YYY
2283 is the subversion / 1e6.  For example, Perl v5.10.1 would be "5.010001".
2284
2285 This variable can be used to determine whether the Perl interpreter
2286 executing a script is in the right range of versions:
2287
2288     warn "No PerlIO!\n" if $] lt '5.008';
2289
2290 When comparing C<$]>, string comparison operators are B<highly
2291 recommended>.  The inherent limitations of binary floating point
2292 representation can sometimes lead to incorrect comparisons for some
2293 numbers on some architectures.
2294
2295 See also the documentation of C<use VERSION> and C<require VERSION>
2296 for a convenient way to fail if the running Perl interpreter is too old.
2297
2298 See L</$^V> for a representation of the Perl version as a L<version>
2299 object, which allows more flexible string comparisons.
2300
2301 The main advantage of C<$]> over C<$^V> is that it works the same on any
2302 version of Perl.  The disadvantages are that it can't easily be compared
2303 to versions in other formats (e.g. literal v-strings, "v1.2.3" or
2304 version objects) and numeric comparisons can occasionally fail; it's good
2305 for string literal version checks and bad for comparing to a variable
2306 that hasn't been sanity-checked.
2307
2308 Mnemonic: Is this version of perl in the right bracket?
2309
2310 =back
2311
2312 =cut