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