a5f14050511ab367e562874770061409c307130d
[p5sagit/p5-mst-13.2.git] / pod / perl5100delta.pod
1 =head1 NAME
2
3 perldelta - what is new for perl 5.10.0
4
5 =head1 DESCRIPTION
6
7 This document describes the differences between the 5.8.8 release and
8 the 5.10.0 release.
9
10 Many of the bug fixes in 5.10.0 were already seen in the 5.8.X maintenance
11 releases; they are not duplicated here and are documented in the set of
12 man pages named perl58[1-8]?delta.
13
14 =head1 Core Enhancements
15
16 =head2 The C<feature> pragma
17
18 The C<feature> pragma is used to enable new syntax that would break Perl's
19 backwards-compatibility with older releases of the language. It's a lexical
20 pragma, like C<strict> or C<warnings>.
21
22 Currently the following new features are available: C<switch> (adds a
23 switch statement), C<say> (adds a C<say> built-in function), and C<state>
24 (adds a C<state> keyword for declaring "static" variables). Those
25 features are described in their own sections of this document.
26
27 The C<feature> pragma is also implicitly loaded when you require a minimal
28 perl version (with the C<use VERSION> construct) greater than, or equal
29 to, 5.9.5. See L<feature> for details.
30
31 =head2 New B<-E> command-line switch
32
33 B<-E> is equivalent to B<-e>, but it implicitly enables all
34 optional features (like C<use feature ":5.10">).
35
36 =head2 Defined-or operator
37
38 A new operator C<//> (defined-or) has been implemented.
39 The following expression:
40
41     $a // $b
42
43 is merely equivalent to
44
45    defined $a ? $a : $b
46
47 and the statement
48
49    $c //= $d;
50
51 can now be used instead of
52
53    $c = $d unless defined $c;
54
55 The C<//> operator has the same precedence and associativity as C<||>.
56 Special care has been taken to ensure that this operator Do What You Mean
57 while not breaking old code, but some edge cases involving the empty
58 regular expression may now parse differently.  See L<perlop> for
59 details.
60
61 =head2 Switch and Smart Match operator
62
63 Perl 5 now has a switch statement. It's available when C<use feature
64 'switch'> is in effect. This feature introduces three new keywords,
65 C<given>, C<when>, and C<default>:
66
67     given ($foo) {
68         when (/^abc/) { $abc = 1; }
69         when (/^def/) { $def = 1; }
70         when (/^xyz/) { $xyz = 1; }
71         default { $nothing = 1; }
72     }
73
74 A more complete description of how Perl matches the switch variable
75 against the C<when> conditions is given in L<perlsyn/"Switch statements">.
76
77 This kind of match is called I<smart match>, and it's also possible to use
78 it outside of switch statements, via the new C<~~> operator. See
79 L<perlsyn/"Smart matching in detail">.
80
81 This feature was contributed by Robin Houston.
82
83 =head2 Regular expressions
84
85 =over 4
86
87 =item Recursive Patterns
88
89 It is now possible to write recursive patterns without using the C<(??{})>
90 construct. This new way is more efficient, and in many cases easier to
91 read.
92
93 Each capturing parenthesis can now be treated as an independent pattern
94 that can be entered by using the C<(?PARNO)> syntax (C<PARNO> standing for
95 "parenthesis number"). For example, the following pattern will match
96 nested balanced angle brackets:
97
98     /
99      ^                      # start of line
100      (                      # start capture buffer 1
101         <                   #   match an opening angle bracket
102         (?:                 #   match one of:
103             (?>             #     don't backtrack over the inside of this group
104                 [^<>]+      #       one or more non angle brackets
105             )               #     end non backtracking group
106         |                   #     ... or ...
107             (?1)            #     recurse to bracket 1 and try it again
108         )*                  #   0 or more times.
109         >                   #   match a closing angle bracket
110      )                      # end capture buffer one
111      $                      # end of line
112     /x
113
114 PCRE users should note that Perl's recursive regex feature allows
115 backtracking into a recursed pattern, whereas in PCRE the recursion is
116 atomic or "possessive" in nature.  As in the example above, you can
117 add (?>) to control this selectively.  (Yves Orton)
118
119 =item Named Capture Buffers
120
121 It is now possible to name capturing parenthesis in a pattern and refer to
122 the captured contents by name. The naming syntax is C<< (?<NAME>....) >>.
123 It's possible to backreference to a named buffer with the C<< \k<NAME> >>
124 syntax. In code, the new magical hashes C<%+> and C<%-> can be used to
125 access the contents of the capture buffers.
126
127 Thus, to replace all doubled chars with a single copy, one could write
128
129     s/(?<letter>.)\k<letter>/$+{letter}/g
130
131 Only buffers with defined contents will be "visible" in the C<%+> hash, so
132 it's possible to do something like
133
134     foreach my $name (keys %+) {
135         print "content of buffer '$name' is $+{$name}\n";
136     }
137
138 The C<%-> hash is a bit more complete, since it will contain array refs
139 holding values from all capture buffers similarly named, if there should
140 be many of them.
141
142 C<%+> and C<%-> are implemented as tied hashes through the new module
143 C<Tie::Hash::NamedCapture>.
144
145 Users exposed to the .NET regex engine will find that the perl
146 implementation differs in that the numerical ordering of the buffers
147 is sequential, and not "unnamed first, then named". Thus in the pattern
148
149    /(A)(?<B>B)(C)(?<D>D)/
150
151 $1 will be 'A', $2 will be 'B', $3 will be 'C' and $4 will be 'D' and not
152 $1 is 'A', $2 is 'C' and $3 is 'B' and $4 is 'D' that a .NET programmer
153 would expect. This is considered a feature. :-) (Yves Orton)
154
155 =item Possessive Quantifiers
156
157 Perl now supports the "possessive quantifier" syntax of the "atomic match"
158 pattern. Basically a possessive quantifier matches as much as it can and never
159 gives any back. Thus it can be used to control backtracking. The syntax is
160 similar to non-greedy matching, except instead of using a '?' as the modifier
161 the '+' is used. Thus C<?+>, C<*+>, C<++>, C<{min,max}+> are now legal
162 quantifiers. (Yves Orton)
163
164 =item Backtracking control verbs
165
166 The regex engine now supports a number of special-purpose backtrack
167 control verbs: (*THEN), (*PRUNE), (*MARK), (*SKIP), (*COMMIT), (*FAIL)
168 and (*ACCEPT). See L<perlre> for their descriptions. (Yves Orton)
169
170 =item Relative backreferences
171
172 A new syntax C<\g{N}> or C<\gN> where "N" is a decimal integer allows a
173 safer form of back-reference notation as well as allowing relative
174 backreferences. This should make it easier to generate and embed patterns
175 that contain backreferences. See L<perlre/"Capture buffers">. (Yves Orton)
176
177 =item C<\K> escape
178
179 The functionality of Jeff Pinyan's module Regexp::Keep has been added to
180 the core. In regular expressions you can now use the special escape C<\K>
181 as a way to do something like floating length positive lookbehind. It is
182 also useful in substitutions like:
183
184   s/(foo)bar/$1/g
185
186 that can now be converted to
187
188   s/foo\Kbar//g
189
190 which is much more efficient. (Yves Orton)
191
192 =item Vertical and horizontal whitespace, and linebreak
193
194 Regular expressions now recognize the C<\v> and C<\h> escapes that match
195 vertical and horizontal whitespace, respectively. C<\V> and C<\H>
196 logically match their complements.
197
198 C<\R> matches a generic linebreak, that is, vertical whitespace, plus
199 the multi-character sequence C<"\x0D\x0A">.
200
201 =back
202
203 =head2 C<say()>
204
205 say() is a new built-in, only available when C<use feature 'say'> is in
206 effect, that is similar to print(), but that implicitly appends a newline
207 to the printed string. See L<perlfunc/say>. (Robin Houston)
208
209 =head2 Lexical C<$_>
210
211 The default variable C<$_> can now be lexicalized, by declaring it like
212 any other lexical variable, with a simple
213
214     my $_;
215
216 The operations that default on C<$_> will use the lexically-scoped
217 version of C<$_> when it exists, instead of the global C<$_>.
218
219 In a C<map> or a C<grep> block, if C<$_> was previously my'ed, then the
220 C<$_> inside the block is lexical as well (and scoped to the block).
221
222 In a scope where C<$_> has been lexicalized, you can still have access to
223 the global version of C<$_> by using C<$::_>, or, more simply, by
224 overriding the lexical declaration with C<our $_>. (Rafael Garcia-Suarez)
225
226 =head2 The C<_> prototype
227
228 A new prototype character has been added. C<_> is equivalent to C<$> but
229 defaults to C<$_> if the corresponding argument isn't supplied. (both C<$>
230 and C<_> denote a scalar). Due to the optional nature of the argument, you
231 can only use it at the end of a prototype, or before a semicolon.
232
233 This has a small incompatible consequence: the prototype() function has
234 been adjusted to return C<_> for some built-ins in appropriate cases (for
235 example, C<prototype('CORE::rmdir')>). (Rafael Garcia-Suarez)
236
237 =head2 UNITCHECK blocks
238
239 C<UNITCHECK>, a new special code block has been introduced, in addition to
240 C<BEGIN>, C<CHECK>, C<INIT> and C<END>.
241
242 C<CHECK> and C<INIT> blocks, while useful for some specialized purposes,
243 are always executed at the transition between the compilation and the
244 execution of the main program, and thus are useless whenever code is
245 loaded at runtime. On the other hand, C<UNITCHECK> blocks are executed
246 just after the unit which defined them has been compiled. See L<perlmod>
247 for more information. (Alex Gough)
248
249 =head2 New Pragma, C<mro>
250
251 A new pragma, C<mro> (for Method Resolution Order) has been added. It
252 permits to switch, on a per-class basis, the algorithm that perl uses to
253 find inherited methods in case of a multiple inheritance hierarchy. The
254 default MRO hasn't changed (DFS, for Depth First Search). Another MRO is
255 available: the C3 algorithm. See L<mro> for more information.
256 (Brandon Black)
257
258 Note that, due to changes in the implementation of class hierarchy search,
259 code that used to undef the C<*ISA> glob will most probably break. Anyway,
260 undef'ing C<*ISA> had the side-effect of removing the magic on the @ISA
261 array and should not have been done in the first place.
262
263 =head2 readdir() may return a "short filename" on Windows
264
265 The readdir() function may return a "short filename" when the long
266 filename contains characters outside the ANSI codepage.  Similarly
267 Cwd::cwd() may return a short directory name, and glob() may return short
268 names as well.  On the NTFS file system these short names can always be
269 represented in the ANSI codepage.  This will not be true for all other file
270 system drivers; e.g. the FAT filesystem stores short filenames in the OEM
271 codepage, so some files on FAT volumes remain unaccessible through the
272 ANSI APIs.
273
274 Similarly, $^X, @INC, and $ENV{PATH} are preprocessed at startup to make
275 sure all paths are valid in the ANSI codepage (if possible).
276
277 The Win32::GetLongPathName() function now returns the UTF-8 encoded
278 correct long file name instead of using replacement characters to force
279 the name into the ANSI codepage.  The new Win32::GetANSIPathName()
280 function can be used to turn a long pathname into a short one only if the
281 long one cannot be represented in the ANSI codepage.
282
283 Many other functions in the C<Win32> module have been improved to accept
284 UTF-8 encoded arguments.  Please see L<Win32> for details.
285
286 =head2 readpipe() is now overridable
287
288 The built-in function readpipe() is now overridable. Overriding it permits
289 also to override its operator counterpart, C<qx//> (a.k.a. C<``>).
290 Moreover, it now defaults to C<$_> if no argument is provided. (Rafael
291 Garcia-Suarez)
292
293 =head2 Default argument for readline()
294
295 readline() now defaults to C<*ARGV> if no argument is provided. (Rafael
296 Garcia-Suarez)
297
298 =head2 state() variables
299
300 A new class of variables has been introduced. State variables are similar
301 to C<my> variables, but are declared with the C<state> keyword in place of
302 C<my>. They're visible only in their lexical scope, but their value is
303 persistent: unlike C<my> variables, they're not undefined at scope entry,
304 but retain their previous value. (Rafael Garcia-Suarez, Nicholas Clark)
305
306 To use state variables, one needs to enable them by using
307
308     use feature 'state';
309
310 or by using the C<-E> command-line switch in one-liners.
311 See L<perlsub/"Persistent variables via state()">.
312
313 =head2 Stacked filetest operators
314
315 As a new form of syntactic sugar, it's now possible to stack up filetest
316 operators. You can now write C<-f -w -x $file> in a row to mean
317 C<-x $file && -w _ && -f _>. See L<perlfunc/-X>.
318
319 =head2 UNIVERSAL::DOES()
320
321 The C<UNIVERSAL> class has a new method, C<DOES()>. It has been added to
322 solve semantic problems with the C<isa()> method. C<isa()> checks for
323 inheritance, while C<DOES()> has been designed to be overridden when
324 module authors use other types of relations between classes (in addition
325 to inheritance). (chromatic)
326
327 See L<< UNIVERSAL/"$obj->DOES( ROLE )" >>.
328
329 =head2 Formats
330
331 Formats were improved in several ways. A new field, C<^*>, can be used for
332 variable-width, one-line-at-a-time text. Null characters are now handled
333 correctly in picture lines. Using C<@#> and C<~~> together will now
334 produce a compile-time error, as those format fields are incompatible.
335 L<perlform> has been improved, and miscellaneous bugs fixed.
336
337 =head2 Byte-order modifiers for pack() and unpack()
338
339 There are two new byte-order modifiers, C<E<gt>> (big-endian) and C<E<lt>>
340 (little-endian), that can be appended to most pack() and unpack() template
341 characters and groups to force a certain byte-order for that type or group.
342 See L<perlfunc/pack> and L<perlpacktut> for details.
343
344 =head2 C<no VERSION>
345
346 You can now use C<no> followed by a version number to specify that you
347 want to use a version of perl older than the specified one.
348
349 =head2 C<chdir>, C<chmod> and C<chown> on filehandles
350
351 C<chdir>, C<chmod> and C<chown> can now work on filehandles as well as
352 filenames, if the system supports respectively C<fchdir>, C<fchmod> and
353 C<fchown>, thanks to a patch provided by Gisle Aas.
354
355 =head2 OS groups
356
357 C<$(> and C<$)> now return groups in the order where the OS returns them,
358 thanks to Gisle Aas. This wasn't previously the case.
359
360 =head2 Recursive sort subs
361
362 You can now use recursive subroutines with sort(), thanks to Robin Houston.
363
364 =head2 Exceptions in constant folding
365
366 The constant folding routine is now wrapped in an exception handler, and
367 if folding throws an exception (such as attempting to evaluate 0/0), perl
368 now retains the current optree, rather than aborting the whole program.
369 Without this change, programs would not compile if they had expressions that
370 happened to generate exceptions, even though those expressions were in code
371 that could never be reached at runtime. (Nicholas Clark, Dave Mitchell)
372
373 =head2 Source filters in @INC
374
375 It's possible to enhance the mechanism of subroutine hooks in @INC by
376 adding a source filter on top of the filehandle opened and returned by the
377 hook. This feature was planned a long time ago, but wasn't quite working
378 until now. See L<perlfunc/require> for details. (Nicholas Clark)
379
380 =head2 New internal variables
381
382 =over 4
383
384 =item C<${^RE_DEBUG_FLAGS}>
385
386 This variable controls what debug flags are in effect for the regular
387 expression engine when running under C<use re "debug">. See L<re> for
388 details.
389
390 =item C<${^CHILD_ERROR_NATIVE}>
391
392 This variable gives the native status returned by the last pipe close,
393 backtick command, successful call to wait() or waitpid(), or from the
394 system() operator. See L<perlrun> for details. (Contributed by Gisle Aas.)
395
396 =item C<${^RE_TRIE_MAXBUF}>
397
398 See L</"Trie optimisation of literal string alternations">.
399
400 =item C<${^WIN32_SLOPPY_STAT}>
401
402 See L</"Sloppy stat on Windows">.
403
404 =back
405
406 =head2 Miscellaneous
407
408 C<unpack()> now defaults to unpacking the C<$_> variable.
409
410 C<mkdir()> without arguments now defaults to C<$_>.
411
412 The internal dump output has been improved, so that non-printable characters
413 such as newline and backspace are output in C<\x> notation, rather than
414 octal.
415
416 The B<-C> option can no longer be used on the C<#!> line. It wasn't
417 working there anyway, since the standard streams are already set up
418 at this point in the execution of the perl interpreter. You can use
419 binmode() instead to get the desired behaviour.
420
421 =head2 UCD 5.0.0
422
423 The copy of the Unicode Character Database included in Perl 5 has
424 been updated to version 5.0.0.
425
426 =head2 MAD
427
428 MAD, which stands for I<Miscellaneous Attribute Decoration>, is a
429 still-in-development work leading to a Perl 5 to Perl 6 converter. To
430 enable it, it's necessary to pass the argument C<-Dmad> to Configure. The
431 obtained perl isn't binary compatible with a regular perl 5.10, and has
432 space and speed penalties; moreover not all regression tests still pass
433 with it. (Larry Wall, Nicholas Clark)
434
435 =head2 kill() on Windows
436
437 On Windows platforms, C<kill(-9, $pid)> now kills a process tree.
438 (On UNIX, this delivers the signal to all processes in the same process
439 group.)
440
441 =head1 Incompatible Changes
442
443 =head2 Packing and UTF-8 strings
444
445 =for XXX update this
446
447 The semantics of pack() and unpack() regarding UTF-8-encoded data has been
448 changed. Processing is now by default character per character instead of
449 byte per byte on the underlying encoding. Notably, code that used things
450 like C<pack("a*", $string)> to see through the encoding of string will now
451 simply get back the original $string. Packed strings can also get upgraded
452 during processing when you store upgraded characters. You can get the old
453 behaviour by using C<use bytes>.
454
455 To be consistent with pack(), the C<C0> in unpack() templates indicates
456 that the data is to be processed in character mode, i.e. character by
457 character; on the contrary, C<U0> in unpack() indicates UTF-8 mode, where
458 the packed string is processed in its UTF-8-encoded Unicode form on a byte
459 by byte basis. This is reversed with regard to perl 5.8.X, but now consistent
460 between pack() and unpack().
461
462 Moreover, C<C0> and C<U0> can also be used in pack() templates to specify
463 respectively character and byte modes.
464
465 C<C0> and C<U0> in the middle of a pack or unpack format now switch to the
466 specified encoding mode, honoring parens grouping. Previously, parens were
467 ignored.
468
469 Also, there is a new pack() character format, C<W>, which is intended to
470 replace the old C<C>. C<C> is kept for unsigned chars coded as bytes in
471 the strings internal representation. C<W> represents unsigned (logical)
472 character values, which can be greater than 255. It is therefore more
473 robust when dealing with potentially UTF-8-encoded data (as C<C> will wrap
474 values outside the range 0..255, and not respect the string encoding).
475
476 In practice, that means that pack formats are now encoding-neutral, except
477 C<C>.
478
479 For consistency, C<A> in unpack() format now trims all Unicode whitespace
480 from the end of the string. Before perl 5.9.2, it used to strip only the
481 classical ASCII space characters.
482
483 =head2 Byte/character count feature in unpack()
484
485 A new unpack() template character, C<".">, returns the number of bytes or
486 characters (depending on the selected encoding mode, see above) read so far.
487
488 =head2 The C<$*> and C<$#> variables have been removed
489
490 C<$*>, which was deprecated in favor of the C</s> and C</m> regexp
491 modifiers, has been removed.
492
493 The deprecated C<$#> variable (output format for numbers) has been
494 removed.
495
496 Two new severe warnings, C<$#/$* is no longer supported>, have been added.
497
498 =head2 substr() lvalues are no longer fixed-length
499
500 The lvalues returned by the three argument form of substr() used to be a
501 "fixed length window" on the original string. In some cases this could
502 cause surprising action at distance or other undefined behaviour. Now the
503 length of the window adjusts itself to the length of the string assigned to
504 it.
505
506 =head2 Parsing of C<-f _>
507
508 The identifier C<_> is now forced to be a bareword after a filetest
509 operator. This solves a number of misparsing issues when a global C<_>
510 subroutine is defined.
511
512 =head2 C<:unique>
513
514 The C<:unique> attribute has been made a no-op, since its current
515 implementation was fundamentally flawed and not threadsafe.
516
517 =head2 Effect of pragmas in eval
518
519 The compile-time value of the C<%^H> hint variable can now propagate into
520 eval("")uated code. This makes it more useful to implement lexical
521 pragmas.
522
523 As a side-effect of this, the overloaded-ness of constants now propagates
524 into eval("").
525
526 =head2 chdir FOO
527
528 A bareword argument to chdir() is now recognized as a file handle.
529 Earlier releases interpreted the bareword as a directory name.
530 (Gisle Aas)
531
532 =head2 Handling of .pmc files
533
534 An old feature of perl was that before C<require> or C<use> look for a
535 file with a F<.pm> extension, they will first look for a similar filename
536 with a F<.pmc> extension. If this file is found, it will be loaded in
537 place of any potentially existing file ending in a F<.pm> extension.
538
539 Previously, F<.pmc> files were loaded only if more recent than the
540 matching F<.pm> file. Starting with 5.9.4, they'll be always loaded if
541 they exist.
542
543 =head2 @- and @+ in patterns
544
545 The special arrays C<@-> and C<@+> are no longer interpolated in regular
546 expressions. (Sadahiro Tomoyuki)
547
548 =head2 $AUTOLOAD can now be tainted
549
550 If you call a subroutine by a tainted name, and if it defers to an
551 AUTOLOAD function, then $AUTOLOAD will be (correctly) tainted.
552 (Rick Delaney)
553
554 =head2 Tainting and printf
555
556 When perl is run under taint mode, C<printf()> and C<sprintf()> will now
557 reject any tainted format argument. (Rafael Garcia-Suarez)
558
559 =head2 undef and signal handlers
560
561 Undefining or deleting a signal handler via C<undef $SIG{FOO}> is now
562 equivalent to setting it to C<'DEFAULT'>. (Rafael Garcia-Suarez)
563
564 =head2 strictures and dereferencing in defined()
565
566 C<use strict 'refs'> was ignoring taking a hard reference in an argument
567 to defined(), as in :
568
569     use strict 'refs';
570     my $x = 'foo';
571     if (defined $$x) {...}
572
573 This now correctly produces the run-time error C<Can't use string as a
574 SCALAR ref while "strict refs" in use>.
575
576 C<defined @$foo> and C<defined %$bar> are now also subject to C<strict
577 'refs'> (that is, C<$foo> and C<$bar> shall be proper references there.)
578 (C<defined(@foo)> and C<defined(%bar)> are discouraged constructs anyway.)
579 (Nicholas Clark)
580
581 =head2 C<(?p{})> has been removed
582
583 The regular expression construct C<(?p{})>, which was deprecated in perl
584 5.8, has been removed. Use C<(??{})> instead. (Rafael Garcia-Suarez)
585
586 =head2 Pseudo-hashes have been removed
587
588 Support for pseudo-hashes has been removed from Perl 5.9. (The C<fields>
589 pragma remains here, but uses an alternate implementation.)
590
591 =head2 Removal of the bytecode compiler and of perlcc
592
593 C<perlcc>, the byteloader and the supporting modules (B::C, B::CC,
594 B::Bytecode, etc.) are no longer distributed with the perl sources. Those
595 experimental tools have never worked reliably, and, due to the lack of
596 volunteers to keep them in line with the perl interpreter developments, it
597 was decided to remove them instead of shipping a broken version of those.
598 The last version of those modules can be found with perl 5.9.4.
599
600 However the B compiler framework stays supported in the perl core, as with
601 the more useful modules it has permitted (among others, B::Deparse and
602 B::Concise).
603
604 =head2 Removal of the JPL
605
606 The JPL (Java-Perl Lingo) has been removed from the perl sources tarball.
607
608 =head2 Recursive inheritance detected earlier
609
610 Perl will now immediately throw an exception if you modify any package's
611 C<@ISA> in such a way that it would cause recursive inheritance.
612
613 Previously, the exception would not occur until Perl attempted to make
614 use of the recursive inheritance while resolving a method or doing a
615 C<$foo-E<gt>isa($bar)> lookup.
616
617 =head1 Modules and Pragmata
618
619 =head2 Pragmata Changes
620
621 =over 4
622
623 =item C<feature>
624
625 The new pragma C<feature> is used to enable new features that might break
626 old code. See L</"The C<feature> pragma"> above.
627
628 =item C<mro>
629
630 This new pragma enables to change the algorithm used to resolve inherited
631 methods. See L</"New Pragma, C<mro>"> above.
632
633 =item Scoping of the C<sort> pragma
634
635 The C<sort> pragma is now lexically scoped. Its effect used to be global.
636
637 =item Scoping of C<bignum>, C<bigint>, C<bigrat>
638
639 The three numeric pragmas C<bignum>, C<bigint> and C<bigrat> are now
640 lexically scoped. (Tels)
641
642 =item C<base>
643
644 The C<base> pragma now warns if a class tries to inherit from itself.
645 (Curtis "Ovid" Poe)
646
647 =item C<strict> and C<warnings>
648
649 C<strict> and C<warnings> will now complain loudly if they are loaded via
650 incorrect casing (as in C<use Strict;>). (Johan Vromans)
651
652 =item C<version>
653
654 The C<version> module provides support for version objects.
655
656 =item C<warnings>
657
658 The C<warnings> pragma doesn't load C<Carp> anymore. That means that code
659 that used C<Carp> routines without having loaded it at compile time might
660 need to be adjusted; typically, the following (faulty) code won't work
661 anymore, and will require parentheses to be added after the function name:
662
663     use warnings;
664     require Carp;
665     Carp::confess 'argh';
666
667 =item C<less>
668
669 C<less> now does something useful (or at least it tries to). In fact, it
670 has been turned into a lexical pragma. So, in your modules, you can now
671 test whether your users have requested to use less CPU, or less memory,
672 less magic, or maybe even less fat. See L<less> for more. (Joshua ben
673 Jore)
674
675 =back
676
677 =head2 New modules
678
679 =over 4
680
681 =item *
682
683 C<encoding::warnings>, by Audrey Tang, is a module to emit warnings
684 whenever an ASCII character string containing high-bit bytes is implicitly
685 converted into UTF-8. It's a lexical pragma since Perl 5.9.4; on older
686 perls, its effect is global.
687
688 =item *
689
690 C<Module::CoreList>, by Richard Clamp, is a small handy module that tells
691 you what versions of core modules ship with any versions of Perl 5. It
692 comes with a command-line frontend, C<corelist>.
693
694 =item *
695
696 C<Math::BigInt::FastCalc> is an XS-enabled, and thus faster, version of
697 C<Math::BigInt::Calc>.
698
699 =item *
700
701 C<Compress::Zlib> is an interface to the zlib compression library. It
702 comes with a bundled version of zlib, so having a working zlib is not a
703 prerequisite to install it. It's used by C<Archive::Tar> (see below).
704
705 =item *
706
707 C<IO::Zlib> is an C<IO::>-style interface to C<Compress::Zlib>.
708
709 =item *
710
711 C<Archive::Tar> is a module to manipulate C<tar> archives.
712
713 =item *
714
715 C<Digest::SHA> is a module used to calculate many types of SHA digests,
716 has been included for SHA support in the CPAN module.
717
718 =item *
719
720 C<ExtUtils::CBuilder> and C<ExtUtils::ParseXS> have been added.
721
722 =item *
723
724 C<Hash::Util::FieldHash>, by Anno Siegel, has been added. This module
725 provides support for I<field hashes>: hashes that maintain an association
726 of a reference with a value, in a thread-safe garbage-collected way.
727 Such hashes are useful to implement inside-out objects.
728
729 =item *
730
731 C<Module::Build>, by Ken Williams, has been added. It's an alternative to
732 C<ExtUtils::MakeMaker> to build and install perl modules.
733
734 =item *
735
736 C<Module::Load>, by Jos Boumans, has been added. It provides a single
737 interface to load Perl modules and F<.pl> files.
738
739 =item *
740
741 C<Module::Loaded>, by Jos Boumans, has been added. It's used to mark
742 modules as loaded or unloaded.
743
744 =item *
745
746 C<Package::Constants>, by Jos Boumans, has been added. It's a simple
747 helper to list all constants declared in a given package.
748
749 =item *
750
751 C<Win32API::File>, by Tye McQueen, has been added (for Windows builds).
752 This module provides low-level access to Win32 system API calls for
753 files/dirs.
754
755 =item *
756
757 C<Locale::Maketext::Simple>, needed by CPANPLUS, is a simple wrapper around
758 C<Locale::Maketext::Lexicon>. Note that C<Locale::Maketext::Lexicon> isn't
759 included in the perl core; the behaviour of C<Locale::Maketext::Simple>
760 gracefully degrades when the later isn't present.
761
762 =item *
763
764 C<Params::Check> implements a generic input parsing/checking mechanism. It
765 is used by CPANPLUS.
766
767 =item *
768
769 C<Term::UI> simplifies the task to ask questions at a terminal prompt.
770
771 =item *
772
773 C<Object::Accessor> provides an interface to create per-object accessors.
774
775 =item *
776
777 C<Module::Pluggable> is a simple framework to create modules that accept
778 pluggable sub-modules.
779
780 =item *
781
782 C<Module::Load::Conditional> provides simple ways to query and possibly
783 load installed modules.
784
785 =item *
786
787 C<Time::Piece> provides an object oriented interface to time functions,
788 overriding the built-ins localtime() and gmtime().
789
790 =item *
791
792 C<IPC::Cmd> helps to find and run external commands, possibly
793 interactively.
794
795 =item *
796
797 C<File::Fetch> provide a simple generic file fetching mechanism.
798
799 =item *
800
801 C<Log::Message> and C<Log::Message::Simple> are used by the log facility
802 of C<CPANPLUS>.
803
804 =item *
805
806 C<Archive::Extract> is a generic archive extraction mechanism
807 for F<.tar> (plain, gziped or bzipped) or F<.zip> files.
808
809 =item *
810
811 C<CPANPLUS> provides an API and a command-line tool to access the CPAN
812 mirrors.
813
814 =item *
815
816 C<Pod::Escapes> provides utilities that are useful in decoding Pod
817 EE<lt>...E<gt> sequences.
818
819 =item *
820
821 C<Pod::Simple> is now the backend for several of the Pod-related modules
822 included with Perl.
823
824 =back
825
826 =head2 Selected Changes to Core Modules
827
828 =over 4
829
830 =item C<Attribute::Handlers>
831
832 C<Attribute::Handlers> can now report the caller's file and line number.
833 (David Feldman)
834
835 =item C<B::Lint>
836
837 C<B::Lint> is now based on C<Module::Pluggable>, and so can be extended
838 with plugins. (Joshua ben Jore)
839
840 =item C<B>
841
842 It's now possible to access the lexical pragma hints (C<%^H>) by using the
843 method B::COP::hints_hash(). It returns a C<B::RHE> object, which in turn
844 can be used to get a hash reference via the method B::RHE::HASH(). (Joshua
845 ben Jore)
846
847 =item C<Thread>
848
849 As the old 5005thread threading model has been removed, in favor of the
850 ithreads scheme, the C<Thread> module is now a compatibility wrapper, to
851 be used in old code only. It has been removed from the default list of
852 dynamic extensions.
853
854 =back
855
856 =head1 Utility Changes
857
858 =over 4
859
860 =item perl -d
861
862 The Perl debugger can now save all debugger commands for sourcing later;
863 notably, it can now emulate stepping backwards, by restarting and
864 rerunning all bar the last command from a saved command history.
865
866 It can also display the parent inheritance tree of a given class, with the
867 C<i> command.
868
869 =item ptar
870
871 C<ptar> is a pure perl implementation of C<tar> that comes with
872 C<Archive::Tar>.
873
874 =item ptardiff
875
876 C<ptardiff> is a small utility used to generate a diff between the contents
877 of a tar archive and a directory tree. Like C<ptar>, it comes with
878 C<Archive::Tar>.
879
880 =item shasum
881
882 C<shasum> is a command-line utility, used to print or to check SHA
883 digests. It comes with the new C<Digest::SHA> module.
884
885 =item corelist
886
887 The C<corelist> utility is now installed with perl (see L</"New modules">
888 above).
889
890 =item h2ph and h2xs
891
892 C<h2ph> and C<h2xs> have been made more robust with regard to
893 "modern" C code.
894
895 C<h2xs> implements a new option C<--use-xsloader> to force use of
896 C<XSLoader> even in backwards compatible modules.
897
898 The handling of authors' names that had apostrophes has been fixed.
899
900 Any enums with negative values are now skipped.
901
902 =item perlivp
903
904 C<perlivp> no longer checks for F<*.ph> files by default.  Use the new C<-a>
905 option to run I<all> tests.
906
907 =item find2perl
908
909 C<find2perl> now assumes C<-print> as a default action. Previously, it
910 needed to be specified explicitly.
911
912 Several bugs have been fixed in C<find2perl>, regarding C<-exec> and
913 C<-eval>. Also the options C<-path>, C<-ipath> and C<-iname> have been
914 added.
915
916 =item config_data
917
918 C<config_data> is a new utility that comes with C<Module::Build>. It
919 provides a command-line interface to the configuration of Perl modules
920 that use Module::Build's framework of configurability (that is,
921 C<*::ConfigData> modules that contain local configuration information for
922 their parent modules.)
923
924 =item cpanp
925
926 C<cpanp>, the CPANPLUS shell, has been added. (C<cpanp-run-perl>, a
927 helper for CPANPLUS operation, has been added too, but isn't intended for
928 direct use).
929
930 =item cpan2dist
931
932 C<cpan2dist> is a new utility that comes with CPANPLUS. It's a tool to
933 create distributions (or packages) from CPAN modules.
934
935 =item pod2html
936
937 The output of C<pod2html> has been enhanced to be more customizable via
938 CSS. Some formatting problems were also corrected. (Jari Aalto)
939
940 =back
941
942 =head1 New Documentation
943
944 The L<perlpragma> manpage documents how to write one's own lexical
945 pragmas in pure Perl (something that is possible starting with 5.9.4).
946
947 The new L<perlglossary> manpage is a glossary of terms used in the Perl
948 documentation, technical and otherwise, kindly provided by O'Reilly Media,
949 Inc.
950
951 The L<perlreguts> manpage, courtesy of Yves Orton, describes internals of the
952 Perl regular expression engine.
953
954 The L<perlreapi> manpage describes the interface to the perl interpreter
955 used to write pluggable regular expression engines (by Ã†var Arnfjörð
956 Bjarmason).
957
958 The L<perlunitut> manpage is an tutorial for programming with Unicode and
959 string encodings in Perl, courtesy of Juerd Waalboer.
960
961 A new manual page, L<perlunifaq> (the Perl Unicode FAQ), has been added
962 (Juerd Waalboer).
963
964 The L<perlcommunity> manpage gives a description of the Perl community
965 on the Internet and in real life. (Edgar "Trizor" Bering)
966
967 The L<CORE> manual page documents the C<CORE::> namespace. (Tels)
968
969 The long-existing feature of C</(?{...})/> regexps setting C<$_> and pos()
970 is now documented.
971
972 =head1 Performance Enhancements
973
974 =head2 In-place sorting
975
976 Sorting arrays in place (C<@a = sort @a>) is now optimized to avoid
977 making a temporary copy of the array.
978
979 Likewise, C<reverse sort ...> is now optimized to sort in reverse,
980 avoiding the generation of a temporary intermediate list.
981
982 =head2 Lexical array access
983
984 Access to elements of lexical arrays via a numeric constant between 0 and
985 255 is now faster. (This used to be only the case for global arrays.)
986
987 =head2 XS-assisted SWASHGET
988
989 Some pure-perl code that perl was using to retrieve Unicode properties and
990 transliteration mappings has been reimplemented in XS.
991
992 =head2 Constant subroutines
993
994 The interpreter internals now support a far more memory efficient form of
995 inlineable constants. Storing a reference to a constant value in a symbol
996 table is equivalent to a full typeglob referencing a constant subroutine,
997 but using about 400 bytes less memory. This proxy constant subroutine is
998 automatically upgraded to a real typeglob with subroutine if necessary.
999 The approach taken is analogous to the existing space optimisation for
1000 subroutine stub declarations, which are stored as plain scalars in place
1001 of the full typeglob.
1002
1003 Several of the core modules have been converted to use this feature for
1004 their system dependent constants - as a result C<use POSIX;> now takes about
1005 200K less memory.
1006
1007 =head2 C<PERL_DONT_CREATE_GVSV>
1008
1009 The new compilation flag C<PERL_DONT_CREATE_GVSV>, introduced as an option
1010 in perl 5.8.8, is turned on by default in perl 5.9.3. It prevents perl
1011 from creating an empty scalar with every new typeglob. See L<perl588delta>
1012 for details.
1013
1014 =head2 Weak references are cheaper
1015
1016 Weak reference creation is now I<O(1)> rather than I<O(n)>, courtesy of
1017 Nicholas Clark. Weak reference deletion remains I<O(n)>, but if deletion only
1018 happens at program exit, it may be skipped completely.
1019
1020 =head2 sort() enhancements
1021
1022 Salvador Fandiño provided improvements to reduce the memory usage of C<sort>
1023 and to speed up some cases.
1024
1025 =head2 Memory optimisations
1026
1027 Several internal data structures (typeglobs, GVs, CVs, formats) have been
1028 restructured to use less memory. (Nicholas Clark)
1029
1030 =head2 UTF-8 cache optimisation
1031
1032 The UTF-8 caching code is now more efficient, and used more often.
1033 (Nicholas Clark)
1034
1035 =head2 Sloppy stat on Windows
1036
1037 On Windows, perl's stat() function normally opens the file to determine
1038 the link count and update attributes that may have been changed through
1039 hard links. Setting ${^WIN32_SLOPPY_STAT} to a true value speeds up
1040 stat() by not performing this operation. (Jan Dubois)
1041
1042 =head2 Regular expressions optimisations
1043
1044 =over 4
1045
1046 =item Engine de-recursivised
1047
1048 The regular expression engine is no longer recursive, meaning that
1049 patterns that used to overflow the stack will either die with useful
1050 explanations, or run to completion, which, since they were able to blow
1051 the stack before, will likely take a very long time to happen. If you were
1052 experiencing the occasional stack overflow (or segfault) and upgrade to
1053 discover that now perl apparently hangs instead, look for a degenerate
1054 regex. (Dave Mitchell)
1055
1056 =item Single char char-classes treated as literals
1057
1058 Classes of a single character are now treated the same as if the character
1059 had been used as a literal, meaning that code that uses char-classes as an
1060 escaping mechanism will see a speedup. (Yves Orton)
1061
1062 =item Trie optimisation of literal string alternations
1063
1064 Alternations, where possible, are optimised into more efficient matching
1065 structures. String literal alternations are merged into a trie and are
1066 matched simultaneously.  This means that instead of O(N) time for matching
1067 N alternations at a given point, the new code performs in O(1) time.
1068 A new special variable, ${^RE_TRIE_MAXBUF}, has been added to fine-tune
1069 this optimization. (Yves Orton)
1070
1071 B<Note:> Much code exists that works around perl's historic poor
1072 performance on alternations. Often the tricks used to do so will disable
1073 the new optimisations. Hopefully the utility modules used for this purpose
1074 will be educated about these new optimisations.
1075
1076 =item Aho-Corasick start-point optimisation
1077
1078 When a pattern starts with a trie-able alternation and there aren't
1079 better optimisations available, the regex engine will use Aho-Corasick
1080 matching to find the start point. (Yves Orton)
1081
1082 =back
1083
1084 =head1 Installation and Configuration Improvements
1085
1086 =head2 Configuration improvements
1087
1088 =over 4
1089
1090 =item C<-Dusesitecustomize>
1091
1092 Run-time customization of @INC can be enabled by passing the
1093 C<-Dusesitecustomize> flag to Configure. When enabled, this will make perl
1094 run F<$sitelibexp/sitecustomize.pl> before anything else.  This script can
1095 then be set up to add additional entries to @INC.
1096
1097 =item Relocatable installations
1098
1099 There is now Configure support for creating a relocatable perl tree. If
1100 you Configure with C<-Duserelocatableinc>, then the paths in @INC (and
1101 everything else in %Config) can be optionally located via the path of the
1102 perl executable.
1103
1104 That means that, if the string C<".../"> is found at the start of any
1105 path, it's substituted with the directory of $^X. So, the relocation can
1106 be configured on a per-directory basis, although the default with
1107 C<-Duserelocatableinc> is that everything is relocated. The initial
1108 install is done to the original configured prefix.
1109
1110 =item strlcat() and strlcpy()
1111
1112 The configuration process now detects whether strlcat() and strlcpy() are
1113 available.  When they are not available, perl's own version is used (from
1114 Russ Allbery's public domain implementation).  Various places in the perl
1115 interpreter now use them. (Steve Peters)
1116
1117 =item C<d_pseudofork> and C<d_printf_format_null>
1118
1119 A new configuration variable, available as C<$Config{d_pseudofork}> in
1120 the L<Config> module, has been added, to distinguish real fork() support
1121 from fake pseudofork used on Windows platforms.
1122
1123 A new configuration variable, C<d_printf_format_null>, has been added, 
1124 to see if printf-like formats are allowed to be NULL.
1125
1126 =item Configure help
1127
1128 C<Configure -h> has been extended with the most commonly used options.
1129
1130 =back
1131
1132 =head2 Compilation improvements
1133
1134 =over 4
1135
1136 =item Parallel build
1137
1138 Parallel makes should work properly now, although there may still be problems
1139 if C<make test> is instructed to run in parallel.
1140
1141 =item Borland's compilers support
1142
1143 Building with Borland's compilers on Win32 should work more smoothly. In
1144 particular Steve Hay has worked to side step many warnings emitted by their
1145 compilers and at least one C compiler internal error.
1146
1147 =item Static build on Windows
1148
1149 Perl extensions on Windows now can be statically built into the Perl DLL.
1150
1151 Also, it's now possible to build a C<perl-static.exe> that doesn't depend
1152 on the Perl DLL on Win32. See the Win32 makefiles for details.
1153 (Vadim Konovalov)
1154
1155 =item ppport.h files
1156
1157 All F<ppport.h> files in the XS modules bundled with perl are now
1158 autogenerated at build time. (Marcus Holland-Moritz)
1159
1160 =item C++ compatibility
1161
1162 Efforts have been made to make perl and the core XS modules compilable
1163 with various C++ compilers (although the situation is not perfect with
1164 some of the compilers on some of the platforms tested.)
1165
1166 =item Support for Microsoft 64-bit compiler
1167
1168 Support for building perl with Microsoft's 64-bit compiler has been
1169 improved. (ActiveState)
1170
1171 =item Visual C++
1172
1173 Perl can now be compiled with Microsoft Visual C++ 2005 (and 2008 Beta 2).
1174
1175 =item Win32 builds
1176
1177 All win32 builds (MS-Win, WinCE) have been merged and cleaned up.
1178
1179 =back
1180
1181 =head2 Installation improvements
1182
1183 =over 4
1184
1185 =item Module auxiliary files
1186
1187 README files and changelogs for CPAN modules bundled with perl are no
1188 longer installed.
1189
1190 =back
1191
1192 =head2 New Or Improved Platforms
1193
1194 Perl has been reported to work on Symbian OS. See L<perlsymbian> for more
1195 information.
1196
1197 Many improvements have been made towards making Perl work correctly on
1198 z/OS.
1199
1200 Perl has been reported to work on DragonFlyBSD and MidnightBSD.
1201
1202 The VMS port has been improved. See L<perlvms>.
1203
1204 Support for Cray XT4 Catamount/Qk has been added. See
1205 F<hints/catamount.sh> in the source code distribution for more
1206 information.
1207
1208 Vendor patches have been merged for RedHat and Gentoo.
1209
1210 DynaLoader::dl_unload_file() now works on Windows.
1211
1212 =head1 Selected Bug Fixes
1213
1214 =over 4
1215
1216 =item strictures in regexp-eval blocks
1217
1218 C<strict> wasn't in effect in regexp-eval blocks (C</(?{...})/>).
1219
1220 =item Calling CORE::require()
1221
1222 CORE::require() and CORE::do() were always parsed as require() and do()
1223 when they were overridden. This is now fixed.
1224
1225 =item Subscripts of slices
1226
1227 You can now use a non-arrowed form for chained subscripts after a list
1228 slice, like in:
1229
1230     ({foo => "bar"})[0]{foo}
1231
1232 This used to be a syntax error; a C<< -> >> was required.
1233
1234 =item C<no warnings 'category'> works correctly with -w
1235
1236 Previously when running with warnings enabled globally via C<-w>, selective
1237 disabling of specific warning categories would actually turn off all warnings.
1238 This is now fixed; now C<no warnings 'io';> will only turn off warnings in the
1239 C<io> class. Previously it would erroneously turn off all warnings.
1240
1241 =item threads improvements
1242
1243 Several memory leaks in ithreads were closed. Also, ithreads were made
1244 less memory-intensive.
1245
1246 C<threads> is now a dual-life module, also available on CPAN. It has been
1247 expanded in many ways. A kill() method is available for thread signalling.
1248 One can get thread status, or the list of running or joinable threads.
1249
1250 A new C<< threads->exit() >> method is used to exit from the application
1251 (this is the default for the main thread) or from the current thread only
1252 (this is the default for all other threads). On the other hand, the exit()
1253 built-in now always causes the whole application to terminate. (Jerry
1254 D. Hedden)
1255
1256 =item chr() and negative values
1257
1258 chr() on a negative value now gives C<\x{FFFD}>, the Unicode replacement
1259 character, unless when the C<bytes> pragma is in effect, where the low
1260 eight bytes of the value are used.
1261
1262 =item PERL5SHELL and tainting
1263
1264 On Windows, the PERL5SHELL environment variable is now checked for
1265 taintedness. (Rafael Garcia-Suarez)
1266
1267 =item Using *FILE{IO}
1268
1269 C<stat()> and C<-X> filetests now treat *FILE{IO} filehandles like *FILE
1270 filehandles. (Steve Peters)
1271
1272 =item Overloading and reblessing
1273
1274 Overloading now works when references are reblessed into another class.
1275 Internally, this has been implemented by moving the flag for "overloading"
1276 from the reference to the referent, which logically is where it should
1277 always have been. (Nicholas Clark)
1278
1279 =item Overloading and UTF-8
1280
1281 A few bugs related to UTF-8 handling with objects that have
1282 stringification overloaded have been fixed. (Nicholas Clark)
1283
1284 =item eval memory leaks fixed
1285
1286 Traditionally, C<eval 'syntax error'> has leaked badly. Many (but not all)
1287 of these leaks have now been eliminated or reduced. (Dave Mitchell)
1288
1289 =item Random device on Windows
1290
1291 In previous versions, perl would read the file F</dev/urandom> if it
1292 existed when seeding its random number generator.  That file is unlikely
1293 to exist on Windows, and if it did would probably not contain appropriate
1294 data, so perl no longer tries to read it on Windows. (Alex Davies)
1295
1296 =item PERLIO_DEBUG
1297
1298 The C<PERLIO_DEBUG> environment variable no longer has any effect for
1299 setuid scripts and for scripts run with B<-T>.
1300
1301 Moreover, with a thread-enabled perl, using C<PERLIO_DEBUG> could lead to
1302 an internal buffer overflow. This has been fixed.
1303
1304 =item PerlIO::scalar and read-only scalars
1305
1306 PerlIO::scalar will now prevent writing to read-only scalars. Moreover,
1307 seek() is now supported with PerlIO::scalar-based filehandles, the
1308 underlying string being zero-filled as needed. (Rafael, Jarkko Hietaniemi)
1309
1310 =item study() and UTF-8
1311
1312 study() never worked for UTF-8 strings, but could lead to false results.
1313 It's now a no-op on UTF-8 data. (Yves Orton)
1314
1315 =item Critical signals
1316
1317 The signals SIGILL, SIGBUS and SIGSEGV are now always delivered in an
1318 "unsafe" manner (contrary to other signals, that are deferred until the
1319 perl interpreter reaches a reasonably stable state; see
1320 L<perlipc/"Deferred Signals (Safe Signals)">). (Rafael)
1321
1322 =item @INC-hook fix
1323
1324 When a module or a file is loaded through an @INC-hook, and when this hook
1325 has set a filename entry in %INC, __FILE__ is now set for this module
1326 accordingly to the contents of that %INC entry. (Rafael)
1327
1328 =item C<-t> switch fix
1329
1330 The C<-w> and C<-t> switches can now be used together without messing
1331 up which categories of warnings are activated. (Rafael)
1332
1333 =item Duping UTF-8 filehandles
1334
1335 Duping a filehandle which has the C<:utf8> PerlIO layer set will now
1336 properly carry that layer on the duped filehandle. (Rafael)
1337
1338 =item Localisation of hash elements
1339
1340 Localizing a hash element whose key was given as a variable didn't work
1341 correctly if the variable was changed while the local() was in effect (as
1342 in C<local $h{$x}; ++$x>). (Bo Lindbergh)
1343
1344 =back
1345
1346 =head1 New or Changed Diagnostics
1347
1348 =over 4
1349
1350 =item Use of uninitialized value
1351
1352 Perl will now try to tell you the name of the variable (if any) that was
1353 undefined.
1354
1355 =item Deprecated use of my() in false conditional
1356
1357 A new deprecation warning, I<Deprecated use of my() in false conditional>,
1358 has been added, to warn against the use of the dubious and deprecated
1359 construct
1360
1361     my $x if 0;
1362
1363 See L<perldiag>. Use C<state> variables instead.
1364
1365 =item !=~ should be !~
1366
1367 A new warning, C<!=~ should be !~>, is emitted to prevent this misspelling
1368 of the non-matching operator.
1369
1370 =item Newline in left-justified string
1371
1372 The warning I<Newline in left-justified string> has been removed.
1373
1374 =item Too late for "-T" option
1375
1376 The error I<Too late for "-T" option> has been reformulated to be more
1377 descriptive.
1378
1379 =item "%s" variable %s masks earlier declaration
1380
1381 This warning is now emitted in more consistent cases; in short, when one
1382 of the declarations involved is a C<my> variable:
1383
1384     my $x;   my $x;     # warns
1385     my $x;  our $x;     # warns
1386     our $x;  my $x;     # warns
1387
1388 On the other hand, the following:
1389
1390     our $x; our $x;
1391
1392 now gives a C<"our" variable %s redeclared> warning.
1393
1394 =item readdir()/closedir()/etc. attempted on invalid dirhandle
1395
1396 These new warnings are now emitted when a dirhandle is used but is
1397 either closed or not really a dirhandle.
1398
1399 =item Opening dirhandle/filehandle %s also as a file/directory
1400
1401 Two deprecation warnings have been added: (Rafael)
1402
1403     Opening dirhandle %s also as a file
1404     Opening filehandle %s also as a directory
1405
1406 =item Use of -P is deprecated
1407
1408 Perl's command-line switch C<-P> is now deprecated.
1409
1410 =item v-string in use/require is non-portable
1411
1412 Perl will warn you against potential backwards compatibility problems with
1413 the C<use VERSION> syntax.
1414
1415 =item perl -V
1416
1417 C<perl -V> has several improvements, making it more useable from shell
1418 scripts to get the value of configuration variables. See L<perlrun> for
1419 details.
1420
1421 =back
1422
1423 =head1 Changed Internals
1424
1425 In general, the source code of perl has been refactored, tidied up,
1426 and optimized in many places. Also, memory management and allocation
1427 has been improved in several points.
1428
1429 When compiling the perl core with gcc, as many gcc warning flags are
1430 turned on as is possible on the platform.  (This quest for cleanliness
1431 doesn't extend to XS code because we cannot guarantee the tidiness of
1432 code we didn't write.)  Similar strictness flags have been added or
1433 tightened for various other C compilers.
1434
1435 =head2 Reordering of SVt_* constants
1436
1437 The relative ordering of constants that define the various types of C<SV>
1438 have changed; in particular, C<SVt_PVGV> has been moved before C<SVt_PVLV>,
1439 C<SVt_PVAV>, C<SVt_PVHV> and C<SVt_PVCV>.  This is unlikely to make any
1440 difference unless you have code that explicitly makes assumptions about that
1441 ordering. (The inheritance hierarchy of C<B::*> objects has been changed
1442 to reflect this.)
1443
1444 =head2 Elimination of SVt_PVBM
1445
1446 Related to this, the internal type C<SVt_PVBM> has been been removed. This
1447 dedicated type of C<SV> was used by the C<index> operator and parts of the
1448 regexp engine to facilitate fast Boyer-Moore matches. Its use internally has
1449 been replaced by C<SV>s of type C<SVt_PVGV>.
1450
1451 =head2 New type SVt_BIND
1452
1453 A new type C<SVt_BIND> has been added, in readiness for the project to
1454 implement Perl 6 on 5. There deliberately is no implementation yet, and
1455 they cannot yet be created or destroyed.
1456
1457 =head2 Removal of CPP symbols
1458
1459 The C preprocessor symbols C<PERL_PM_APIVERSION> and
1460 C<PERL_XS_APIVERSION>, which were supposed to give the version number of
1461 the oldest perl binary-compatible (resp. source-compatible) with the
1462 present one, were not used, and sometimes had misleading values. They have
1463 been removed.
1464
1465 =head2 Less space is used by ops
1466
1467 The C<BASEOP> structure now uses less space. The C<op_seq> field has been
1468 removed and replaced by a single bit bit-field C<op_opt>. C<op_type> is now 9
1469 bits long. (Consequently, the C<B::OP> class doesn't provide an C<seq>
1470 method anymore.)
1471
1472 =head2 New parser
1473
1474 perl's parser is now generated by bison (it used to be generated by
1475 byacc.) As a result, it seems to be a bit more robust.
1476
1477 Also, Dave Mitchell improved the lexer debugging output under C<-DT>.
1478
1479 =head2 Use of C<const>
1480
1481 Andy Lester supplied many improvements to determine which function
1482 parameters and local variables could actually be declared C<const> to the C
1483 compiler. Steve Peters provided new C<*_set> macros and reworked the core to
1484 use these rather than assigning to macros in LVALUE context.
1485
1486 =head2 Mathoms
1487
1488 A new file, F<mathoms.c>, has been added. It contains functions that are
1489 no longer used in the perl core, but that remain available for binary or
1490 source compatibility reasons. However, those functions will not be
1491 compiled in if you add C<-DNO_MATHOMS> in the compiler flags.
1492
1493 =head2 C<AvFLAGS> has been removed
1494
1495 The C<AvFLAGS> macro has been removed.
1496
1497 =head2 C<av_*> changes
1498
1499 The C<av_*()> functions, used to manipulate arrays, no longer accept null
1500 C<AV*> parameters.
1501
1502 =head2 $^H and %^H
1503
1504 The implementation of the special variables $^H and %^H has changed, to
1505 allow implementing lexical pragmas in pure Perl.
1506
1507 =head2 B:: modules inheritance changed
1508
1509 The inheritance hierarchy of C<B::> modules has changed; C<B::NV> now
1510 inherits from C<B::SV> (it used to inherit from C<B::IV>).
1511
1512 =head2 Anonymous hash and array constructors
1513
1514 The anonymous hash and array constructors now take 1 op in the optree
1515 instead of 3, now that pp_anonhash and pp_anonlist return a reference to
1516 an hash/array when the op is flagged with OPf_SPECIAL (Nicholas Clark).
1517
1518 =head1 Known Problems
1519
1520 There's still a remaining problem in the implementation of the lexical
1521 C<$_>: it doesn't work inside C</(?{...})/> blocks. (See the TODO test in
1522 F<t/op/mydef.t>.)
1523
1524 =head1 Platform Specific Problems
1525
1526 =head1 Reporting Bugs
1527
1528 =head1 SEE ALSO
1529
1530 The F<Changes> file and the perl590delta to perl595delta man pages for
1531 exhaustive details on what changed.
1532
1533 The F<INSTALL> file for how to build Perl.
1534
1535 The F<README> file for general stuff.
1536
1537 The F<Artistic> and F<Copying> files for copyright information.
1538
1539 =cut