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