perldelta - what is new for perl v5.42.0
This document describes differences between the 5.42.0 release and the 5.40.0 release.
chdir
has been added as a subroutine to the CORE::
namespace.
Previously, code like &CORE::chdir($dir)
or my $ref = \&CORE::chdir; $ref->($dir)
would throw an error saying &CORE::chdir cannot be called directly
. These cases are now fully supported.
source::encoding
This allows you to declare that the portion of a program for the remainder of the lexical scope of this pragma is encoded either entirely in ASCII (for use source::encoding 'ascii'
) or if UTF-8 is allowed as well (for use source::encoding 'utf8'
). No other encodings are accepted. The second form is entirely equivalent to use utf8
, and may be used interchangeably with that.
The purpose of this pragma is to catch cases early where you forgot to specify use utf8
.
use source::encoding 'ascii'
is automatically enabled within the lexical scope of a use v5.41.0
or higher.
no source::encoding
turns off all this checking for the remainder of its lexical scope. The meaning of non-ASCII characters is then undefined.
:writer
attribute on field variablesClasses defined using use feature 'class'
are now able to automatically create writer accessors for scalar fields, by using the :writer
attribute, similar to the way that :reader
already creates reader accessors.
class Point {
field $x :reader :writer :param;
field $y :reader :writer :param;
}
my $p = Point->new( x => 20, y => 40 );
$p->set_x(60);
any
and all
operatorsTwo new experimental features have been added, which introduce the list-processing operators any
and all
.
use v5.40;
use feature 'keyword_all';
no warnings 'experimental::keyword_all';
my @numbers = ...
if ( all { $_ % 2 == 0 } @numbers ) {
say "All the numbers are even";
}
These keywords operate similarly to grep
except that they only ever return true or false, testing if any (or all) of the elements in the list make the testing block yield true. Because of this they can short-circuit, avoiding the need to test any further elements if a given element determines the eventual result.
These are inspired by the same-named functions in the List::Util module, except that they are implemented as direct core operators, and thus perform faster, and do not produce an additional subroutine call stack frame for invoking the code block.
The feature flags enabling those keywords have been named keyword_any
and keyword_all
to avoid confusion with the ability of the feature
module to refer to all of its features by using the :all
export tag. [GH #23104]
The related experimental warning flags are consequently named experimental::keyword_any
and experimental::keyword_all
.
This was deprecated in Perl 5.38 and removed as scheduled in perl 5.41.3, but after some discussion has been reinstated by default.
This can be controlled with the apostrophe_as_package_separator
feature which is enabled by default, but is disabled from the 5.41 feature bundle onwards.
If you want to disable use within your own code you can explicitly disable the feature:
no feature "apostrophe_as_package_separator";
Note that disabling this feature only prevents use of apostrophe as a package separator within code; symbolic references still treat '
as ::
with the feature disabled:
my $symref = "My'Module'Var";
# default features
my $x = $My'Module'Var; # fine
no feature "apostrophe_as_package_separator";
no strict "refs";
my $y = $$symref; # like $My::Module::Var
my $z = $My'Module'Var; # syntax error
my method
Like sub
since Perl version 5.18, method
can now be prefixed with the my
keyword. This declares a subroutine that has lexical, rather than package visibility. See perlclass for more detail.
->&
Along with the ability to declare methods lexically, this release also permits invoking a lexical subroutine as if it were a method, bypassing the usual name-based method resolution.
Combined with lexical method declaration, these two new abilities create the effect of having private methods.
The "switch" feature and the smartmatch operator, ~~
, were introduced in v5.10. Their behavior was significantly changed in v5.10.1. When the "experiment" system was added in v5.18.0, switch and smartmatch were retroactively declared experimental. Over the years, proposals to fix or supplement the features have come and gone.
They were deprecated in Perl v5.38.0 and scheduled for removal in Perl v5.42.0. After extensive discussion their removal has been indefinitely postponed. Using them no longer produces a deprecation warning.
Switch itself still requires the switch
feature, which is enabled by default for feature bundles from v5.9.5 through to v5.34. Switch remains disabled in feature bundles 5.35 and later, but can be separately enabled:
# no switch here
use v5.10;
# switch here
use v5.36;
# no switch here
use feature "switch";
# switch here
Smart match now requires the smartmatch
feature, which is enabled by default and included in all feature bundles up to 5.40. It is disabled for the 5.41 feature bundle and later, but can be separately enabled:
# smartmatch here
use v5.41;
# no smartmatch here
use feature "smartmatch";
# smartmatch here
Perl now supports Unicode 16.0 https://www.unicode.org/versions/Unicode16.0.0/ including the changes introduced in 15.1 https://www.unicode.org/versions/Unicode15.1.0/.
^^=
operatorPerl 5.40.0 introduced the logical medium-precedence exclusive-or operator ^^
. It was not noticed at the time that the assigning variant ^^=
was also missing. This is now added.
A heap buffer overflow vulnerability was discovered in Perl.
When there are non-ASCII bytes in the left-hand-side of the tr
operator, S_do_trans_invmap()
can overflow the destination pointer d
.
$ perl -e '$_ = "\x{FF}" x 1000000; tr/\xFF/\x{100}/;'
Segmentation fault (core dumped)
It is believed that this vulnerability can enable Denial of Service or Arbitrary Code Execution attacks on platforms that lack sufficient defenses.
The patch to fix this issue (87f42aa0e0096e9a346c9672aa3a0bd3bef8c1dd) is applicable to all perls that are vulnerable, including those out-of-support.
Discovered by: Nathan Mills.
Perl thread cloning had a working directory race condition where file operations may target unintended paths. Perl 5.42 will no longer chdir to each handle.
This problem was reported by Vincent Lefèvre via [GH #23010] and assigned [CVE-2025-40909] by the CPAN Security Group.
Fixes were provided via [GH #23019] and [GH #23361].
Perl 5.40 reintroduced unconditional references from functions to their containing functions to fix a bug introduced in Perl 5.18 that broke the special behaviour of eval EXPR
in package DB
which is used by the debugger.
In some cases this change led to circular reference chains between closures and other existing references, resulting in memory leaks.
This change has been reverted, fixing [GH #22547] but re-breaking [GH #19370].
This means the reference loops won't occur, and that lexical variables and functions from enclosing functions may not be visible in the debugger.
Note that calling eval EXPR
in a function unconditionally causes a function to reference its enclosing functions as it always has.
Constant-folded strings are now shareable via the Copy-on-Write mechanism. [GH #22163]
The following code would previously have allocated eleven string buffers, each containing one million "A"s:
my @scalars; push @scalars, ("A" x 1_000_000) for 0..9;
Now a single buffer is allocated and shared between a CONST OP and the ten scalar elements of @scalars
.
Note that any code using this sort of constant to simulate memory leaks (perhaps in test files) must now permute the string in order to trigger a string copy and the allocation of separate buffers. For example, ("A" x 1_000_000).time
might be a suitable small change.
tr///
now runs at the same speed regardless of the internal representation of its operand, as long as the only characters being translated are ASCII-range, for example tr/A-Z/a-z/
. Previously, if the internal encoding was UTF-8, a slower, more general implementation was used.
Code that uses the indexed
function from the builtin module to generate a list of index/value pairs out of an array or list which is then passed into a two-variable foreach
list to unpack those again is now optimised to be more efficient.
my @array = (...);
foreach my ($idx, $val) (builtin::indexed @array) {
...
}
foreach my ($idx, $val) (builtin::indexed LIST...) {
...
}
In particular, a temporary list twice the size of the original is no longer generated. Instead, the loop iterates down the original array or list in-place directly, in the same way that foreach (@array)
or foreach (LIST)
would do.
The peephole optimizer recognises the following zero-offset substr
patterns and swaps in a new dedicated operator (OP_SUBSTR_LEFT
). [GH #22785]
substr($x, 0, ...)
substr($x, 0, ..., '')
The stringification of integers by "print" in perlfunc and "say" in perlfunc, when coming from an SVt_IV
, is now more efficient. [GH #22927]
String reversal from a single argument, when the string buffer is not "swiped", is now done in a single pass and is noticeably faster. The extent of the improvement is compiler & hardware dependent. [GH #23012]
Archive::Tar has been upgraded from version 3.02_001 to 3.04.
B::Deparse has been upgraded from version 1.76 to 1.85.
Benchmark has been upgraded from version 1.25 to 1.27.
builtin has been upgraded from version 0.014 to 0.019.
Compress::Raw::Bzip2 has been upgraded from version 2.212 to 2.213.
Compress::Raw::Zlib has been upgraded from version 2.212 to 2.213.
Config::Perl::V has been upgraded from version 0.36 to 0.38.
CPAN has been upgraded from version 2.36 to 2.38.
CPAN::Meta::YAML has been upgraded from version 0.018 to 0.020.
Data::Dumper has been upgraded from version 2.189 to 2.192.
DB has been upgraded from version 1.08 to 1.09.
DBM_Filter has been upgraded from version 0.06 to 0.07.
Devel::Peek has been upgraded from version 1.34 to 1.36.
Devel::PPPort has been upgraded from version 3.72 to 3.73.
Digest::MD5 has been upgraded from version 2.58_01 to 2.59.
DynaLoader has been upgraded from version 1.56 to 1.57.
experimental has been upgraded from version 0.032 to 0.035.
Exporter has been upgraded from version 5.78 to 5.79.
ExtUtils::CBuilder has been upgraded from version 0.280240 to 0.280241.
ExtUtils::MakeMaker has been upgraded from version 7.70 to 7.76.
ExtUtils::ParseXS has been upgraded from version 3.51 to 3.57.
ExtUtils::Typemaps has been upgraded from version 3.51 to 3.57.
Fcntl has been upgraded from version 1.18 to 1.20.
feature has been upgraded from version 1.89 to 1.96.
fields has been upgraded from version 2.25 to 2.27.
File::Spec has been upgraded from version 3.90 to 3.94.
Getopt::Long has been upgraded from version 2.57 to 2.58.
HTTP::Tiny has been upgraded from version 0.088 to 0.090.
IO::Compress has been upgraded from version 2.212 to 2.213.
IO::Socket::IP has been upgraded from version 0.42 to 0.43.
IPC::Open3 has been upgraded from version 1.22 to 1.24.
locale has been upgraded from version 1.12 to 1.13.
Math::BigInt has been upgraded from version 2.003002 to 2.005002.
Math::BigInt::FastCalc has been upgraded from version 0.5018 to 0.5020.
Math::Complex has been upgraded from version 1.62 to 1.63.
Memoize has been upgraded from version 1.16 to 1.17.
Module::CoreList has been upgraded from version 5.20240609 to 5.20250620.
NDBM_File has been upgraded from version 1.17 to 1.18.
ODBM_File has been upgraded from version 1.18 to 1.20.
Opcode has been upgraded from version 1.65 to 1.69.
overload has been upgraded from version 1.37 to 1.40.
parent has been upgraded from version 0.241 to 0.244.
perlfaq has been upgraded from version 5.20240218 to 5.20250619.
Pod::Usage has been upgraded from version 2.03 to 2.05.
podlators has been upgraded from version 5.01_02 to v6.0.2.
POSIX has been upgraded from version 2.20 to 2.23.
re has been upgraded from version 0.47 to 0.48.
Safe has been upgraded from version 2.46 to 2.47.
Scalar::Util has been upgraded from version 1.63 to 1.68_01.
Search::Dict has been upgraded from version 1.07 to 1.08.
SelfLoader has been upgraded from version 1.27 to 1.28.
sort has been upgraded from version 2.05 to 2.06.
Storable has been upgraded from version 3.32 to 3.37.
strict has been upgraded from version 1.13 to 1.14.
Term::Table has been upgraded from version 0.018 to 0.024.
Test::Harness has been upgraded from version 3.48 to 3.50.
Test::Simple has been upgraded from version 1.302199 to 1.302210.
Thread has been upgraded from version 3.05 to 3.06.
threads has been upgraded from version 2.40 to 2.43.
threads::shared has been upgraded from version 1.69 to 1.70.
Tie::File has been upgraded from version 1.09 to 1.10.
Tie::RefHash has been upgraded from version 1.40 to 1.41.
Time::HiRes has been upgraded from version 1.9777 to 1.9778.
Time::Piece has been upgraded from version 1.3401_01 to 1.36.
Unicode::UCD has been upgraded from version 0.78 to 0.81.
utf8 has been upgraded from version 1.25 to 1.27.
version has been upgraded from version 0.9930 to 0.9933.
VMS::Filespec has been upgraded from version 1.13 to 1.15.
warnings has been upgraded from version 1.69 to 1.74.
Win32 has been upgraded from version 0.59 to 0.59_01.
XS::APItest has been upgraded from version 1.36 to 1.42.
We have attempted to update the documentation to reflect the changes listed in this document. If you find any we have missed, open an issue at https://github.com/Perl/perl5/issues.
Additionally, the following selected changes have been made:
Combined the documentation for several groups of related functions into single entries.
All forms of gv_fetchmeth()
are now documented together.
gv_autoload4
is now documented with gv_autoload_pv
and additional notes added. The long Perl_
forms are now listed when available.
Binary and octal floating-point constants (such as 012.345p-2
and 0b101.11p-1
) are now documented. This feature was first introduced in perl 5.22.0 together with hexadecimal floating-point constants and had a few bug fixes in perl 5.28.0, but it was never formally documented. [GH #18664]
Clarified the description of ref
and reftype
in relation to built-in types and class names.
Clarified that perl sort
is stable (and has been since v5.8.0).
The recommended alternatives to the rand()
function were updated to modern modules recommended by the CPAN Security Group. [GH #22873]
The list of Steering Council and Core Team members have been updated, following the conclusion of the latest election on 2024-07-17.
Added some description of "real" AV
s compared to "fake" AV
s.
Documentation was updated to reflect that mixing Newx
, Renew
, and Safefree
vs malloc
, realloc
, and free
are not allowed, and mixing pointers between the 2 classes of APIs is not allowed. Updates made in perlguts and perlclib.
Additional caveats have been added to the description of TARG
.
Portions of perlop are supposed to be ordered so that all the operators wth the same precedence are in a single section, and the sections are ordered so that the highest precedence operators appear first. This ordering has now been restored. Other reorganization was done to improve clarity, with more basic operations described before ones that depend on them.
The documentation for here-docs has been cleaned up and reorganized. Indented here-docs were formerly documented separately, now the two types have interwoven documentation which is more compact, and easier to understand.
The documentation of the xor
operator has been expanded.
Outdated advice about using relational string operators in UTF-8 locales has been removed. Use Unicode::Collate for the best results, but these operators will give adequate results on many platforms.
Normalized alignment of verbatim sections, fixing how they are displayed by some Pod viewers that strip indentation.
Entries for $#
and $*
have been amended to note that use of them result in a compilation error, not a warning.
The following additions or changes have been made to diagnostic output, including warnings and fatal error messages. For the complete list of diagnostic messages, see perldiag.
Use of non-ASCII character 0x%X illegal when 'use source::encoding "ascii"' is in effect
(F) This pragma forbids non-ASCII characters within its scope.
Undefined subroutine &%s called, close to label '%s'
(F) The subroutine indicated hasn't been defined, or if it was, it has since been undefined.
This error could also indicate a mistyped package separator, when a single colon was typed instead of two colons. For example, Foo:bar()
would be parsed as the label Foo
followed by an unqualified function name: foo: bar()
. [GH #22860]
(S experimental::class) This warning is emitted if you use the __CLASS__
keyword of use feature 'class'
. This keyword is currently experimental and its behaviour may change in future releases of Perl.
%s() attempted on handle %s opened with open()
(W io) You called readdir(), telldir(), seekdir(), rewinddir() or closedir() on a handle that was opened with open(). If you want to use these functions to traverse the contents of a directory, you need to open the handle with opendir().
Possible precedence problem between ! and %s
(W precedence) You wrote something like
!$x < $y # parsed as: (!$x) < $y
!$x eq $y # parsed as: (!$x) eq $y
!$x =~ /regex/ # parsed as: (!$x) =~ /regex/
!$obj isa Some::Class # parsed as: (!$obj) isa Some::Class
but because !
has higher precedence than comparison operators, =~
, and isa
, this is interpreted as comparing/matching the logical negation of the first operand, instead of negating the result of the comparison/match.
To disambiguate, either use a negated comparison/binding operator:
$x >= $y
$x ne $y
$x !~ /regex/
... or parentheses:
!($x < $y)
!($x eq $y)
!($x =~ /regex/)
!($obj isa Some::Class)
... or the low-precedence not
operator:
not $x < $y
not $x eq $y
not $x =~ /regex/
not $obj isa Some::Class
(If you did mean to compare the boolean result of negating the first operand, parenthesize as (!$x) < $y
, (!$x) eq $y
, etc.)
Note: this warning does not trigger for code like !!$x == $y
, i.e. where double negation (!!
) is used as a convert-to-boolean operator.
%s() attempted on invalid dirhandle %s
This was consolidated from separate messages for readdir(), telldir(), seekdir(), rewinddir() and closedir() as part of refactoring for [GH #22394].
Useless use of %s in void context
This warning now triggers for use of a chained comparison like 0 < $x < 1
. [GH #22969]
Prevent this warning when accessing a function parameter in @_
that is an lvalue reference to an untied hash element where the key was undefined. This warning is still produced at the point of call. [GH #22423]
Separate installation (without overwriting installed modules) is now the default.
Documentation is significantly enhanced.
Fix compilation on platforms (e.g. "Gentoo Prefix") with only a C locale [GH #22569] Bug first reported downstream bugs.gentoo.org/939014
The (mostly undocumented) configuration macro PERL_STRICT_CR
has been removed. When enabled (e.g. with ./Configure -A ccflags=-DPERL_STRICT_CR
), it would make the perl parser throw a fatal error when it encountered a CR (carriage return) character in source files. The default (and now only) behavior of the perl parser is to strip CRs paired with newline characters and otherwise treat them as whitespace.
(PERL_STRICT_CR
was originally introduced in perl 5.005 to optionally restore backward compatibility with perl 5.004, which had made CR in source files an error. Before that, CR was accepted, but retained literally in quoted multi-line constructs such as here-documents, even at the end of a line.)
Similarly, the (even less documented) configuration macro PERL_CR_FILTER
has been removed. When enabled, it would install a default source filter to strip carriage returns from source code before the parser proper got to see it.
Tests were added and changed to reflect the other additions and changes in this release. Furthermore, these significant changes were made:
A new t/run/todo.t test script was added as a place for TODO tests for known unfixed bugs. Patches are welcome to add to this file.
Added testing of the perl headers against the C++ compiler corresponding to the C compiler perl is being built with. [GH #22232]
Fix arm64 darwin hints when using use64bitall with Configure [GH #22672]
Changes to perl_langinfo.h for Android [GH #22650] related to [GH #22627].
cygwin.c: fix several silly/terrible C errors. [GH #22724]
Supply an explicit base address for cygperl*.dll
that cannot conflict with those generated by --enable-auto-image-base
. [GH #22695][GH #22104]
Collation of strings using locales on MacOS 15 (Darwin 24) and up has been turned off due to a failed assertion in its libc.
If earlier versions are also experiencing issues (such as failures in locale.t), you can explicitly disable locale collation by adding the -Accflags=-DNO_LOCALE_COLLATE
option to your invocation of ./Configure
, or just -DNO_LOCALE_COLLATE
to the ccflags
and cppflags
variables in config.sh.
The "sv_strftime_ints
" in perlapi function is introduced. This is an enhanced version of "my_strftime
" in perlapi, which is retained for backwards compatibility. Both are to call strftime(3) when you have the year, month, hour, etc. The new function handles UTF8ness for you, and allows you to specify if you want the possibility of daylight savings time to be considered. my_strftime
never considers DST.
The bytes_to_utf8
, bytes_from_utf8
, and bytes_from_utf8_loc
functions are no longer experimental.
Calls to call_argv() with the G_DISCARD
flag set also ensure the SV parameters constructed from the argv
parameter are released before call_argv()
returns. Previously they were released on the next FREETMPS. [GH #22255]
When built with the -DDEBUGGING
compile option, perl API functions that take pointers to distinct types of SVs (AVs, HVs or CVs) will check the SvTYPE()
of the passed values to ensure they are valid. Additionally, internal code within core functions that attempts to extract AVs, HVs or CVs from reference values passed in will also perform such checks.
While this has been entirely tested by normal Perl CI testing, there may still be some corner-cases where these constraints are violated in otherwise-valid calls. These may require further investigation if they are found, and specific code to be adjusted to account for it.
The op_dump()
function has been expanded to include additional information about the recent OP_METHSTART
and OP_INITFIELD
ops, as well as for OP_ARGCHECK
and OP_ARGELEM
which had not been done previously.
op_dump()
now also has the facility to print extra debugging information about custom operators, if those operators register a helper function via the new xop_dump
element of the XOP
structure. For more information, see the relevant additions to perlguts.
New API functions are introduced to convert strings encoded in UTF-8 to their ordinal code point equivalent. These are safe to use by default, and generally more convenient to use than the existing ones.
"utf8_to_uv
" in perlapi and "utf8_to_uv_or_die
" in perlapi replace "utf8_to_uvchr
" in perlapi (which is retained for backwards compatibility), but you should convert to use the new forms, as likely you aren't using the old one safely.
To convert in the opposite direction, you can now use "uv_to_utf8
" in perlapi. This is not a new function, but a new synonym for "uvchr_to_utf8
" in perlapi. It is added so you don't have to learn two sets of names.
There are also two new functions, "strict_utf8_to_uv
" in perlapi and "c9strict_utf8_to_uv
" in perlapi which do the same thing except when the input string represents a code point that Unicode doesn't accept as legal for interchange, using either the strict original definition (strict_utf8_to_uv
), or the looser one given by Unicode Corrigendum #9 (c9strict_utf8_to_uv
). When the input string represents one of the restricted code points, these functions return the Unicode REPLACEMENT CHARACTER
instead.
Also "extended_utf8_to_uv
" in perlapi is a synonym for utf8_to_uv
, for use when you want to emphasize that the entire range of Perl extended UTF-8 is acceptable.
There are also replacement functions for the three more specialized conversion functions that you are unlikely to need to use. Again, the old forms are kept for backwards compatibility, but you should convert to use the new forms.
"utf8_to_uv_flags
" in perlapi replaces "utf8n_to_uvchr
" in perlapi.
"utf8_to_uv_errors
" in perlapi replaces "utf8n_to_uvchr_error
" in perlapi.
"utf8_to_uv_msgs
" in perlapi replaces "utf8n_to_uvchr_msgs
" in perlapi.
Also added are the inverse functions "uv_to_utf8_flags
" in perlapi and "uv_to_utf8_msgs
" in perlapi, which are synonyms for the existing functions, "uvchr_to_utf8_flags
" in perlapi and "uvchr_to_utf8_flags_msgs
" in perlapi respectively. These are provided only so you don't have to learn two sets of names.
Three new API functions are introduced to convert strings encoded in UTF-8 to native bytes format (if possible). These are easier to use than the existing ones, and they avoid unnecessary memory allocations. The functions are "utf8_to_bytes_overwrite
" in perlapi which is used when it is ok for the input string to be overwritten with the converted result; and "utf8_to_bytes_new_pv
" in perlapi and "utf8_to_bytes_temp_pv
" in perlapi when the original string must be preserved intact. utf8_to_bytes_temp_pv
returns the result in a temporary using perlapi/SAVEFREEPV
that will automatically be destroyed. With utf8_to_bytes_new_pv
, you are responsible for freeing the newly allocated memory that is returned if the conversion is successful.
The latter two functions are designed to replace "bytes_from_utf8
" in perlapi which creates memory unnecessarily, or unnecessarily large.
New API functions valid_identifier_pve()
, valid_identifier_pvn()
and valid_identifier_sv()
have been added, which test if a string would be considered by Perl to be a valid identifier name.
When assigning from an SVt_IV into a SVt_NV (or vice versa), providing that both are "bodyless" types, Perl_sv_setsv_flags will now just change the destination type to match the source type. Previously, an SVt_IV would have been upgraded to a SVt_PVNV to store an NV, and an SVt_NV would have been upgraded to a SVt_PVIV to store an IV. This change prevents the need to allocate - and later free - the relevant body struct.
Two new API functions are introduced to convert strings encoded in native bytes format to UTF-8. These return the string unchanged if its UTF-8 representation is the same as the original. Otherwise, new memory is allocated to contain the converted string. This is in contrast to the existing "bytes_to_utf8
" in perlapi which always allocates new memory. The new functions are "bytes_to_utf8_free_me
" in perlapi and "bytes_to_utf8_temp_pv
" in perlapi. "bytes_to_utf8_temp_pv
" in perlapi arranges for the new memory to automatically be freed. With bytes_to_utf8_free_me
, you are responsible for freeing any newly allocated memory.
The way that subroutine signatures are parsed by the parser grammar has been changed.
Previously, when parsing individual signature parameters, the parser would accumulate an OP_ARGELEM
optree fragment for each parameter on the parser stack, collecting them in an OP_LIST
sequence, before finally building the complete argument handling optree itself, in a large action block defined directly in perly.y.
In the new approach, all the optree generation is handled by newly-defined functions in op.c which are called by the action blocks in the parser. These do not keep state on the parser stack, but instead in a dedicated memory structure referenced by the main PL_parser
structure. This is intended to be largely opaque to other code, and accessed only via the new functions.
This new arrangement is intended to allow more flexible code generation and additional features to be developed in the future.
Three new API functions have been added to interact with the regexp global match position stored in an SV. These are sv_regex_global_pos_get()
, sv_regex_global_pos_set()
and sv_regex_global_pos_clear()
. Using these API functions avoids XS modules needing to know about or interact directly with the way this position is currently stored, which involves the PERL_MAGIC_regex_global
magic type.
New SvVSTRING
API macro
A new API macro has been added, which is used to obtain the second string buffer out of a "vstring" SV, in a manner similar to the SvPV
macro which obtains the regular string buffer out of a regular SV.
STRLEN len;
const char *vstr_pv = SvVSTRING(sv, vstr_len);
Fix null pointer dereference in S_SvREFCNT_dec [GH #16627].
Fix feature 'class' Segmentation fault in DESTROY [GH #22278].
chdir
now returns real booleans (as its documentation describes), not integers. This means the result of a failed chdir
now stringifies to ''
, not '0'
.
Compound assignment operators return lvalues that can be further modified:
($x &= $y) += $z;
# Equivalent to:
# $x &= $y;
# $x += $z;
However, the separate numeric/string bitwise operators provided by the bitwise
feature, &= ^= |= &.= ^.= |.=
, did not return such lvalues:
use feature qw(bitwise);
($x &= $y) += $z;
# Used to die:
# Can't modify numeric bitwise and (&) in addition (+) at ...
This has been corrected. [GH #22412]
Starting in v5.39.8, "strftime
" in POSIX would crash or produce odd errors (such as Out of memory in perl:util:safesysmalloc
) when given a format string that wasn't actually a string, but a number, undef
, or an object (even one with overloaded string conversion).
Now strftime
stringifies its first argument, as before. [GH #22498]
Also, fix POSIX::strftime()
[GH #22369].
pack("p", ...)
and pack("P", ...)
now SvPV_force() the supplied SV unless it is read only. This will remove CoW from the SV and prevents code that writes through the generated pointer from modifying the value of other SVs that happen the share the same CoWed string buffer.
Note: this does not make pack("p",... )
safe, if the SV is magical then any writes to the buffer will likely be discarded on the next read. [GH #22380]
Enforce no feature "bareword_filehandles"
for bareword file handles that have strictness removed because they are used in open() with a "dup" mode, such as in open my $fh, ">&", THISHANDLE
. [GH #22568]
Using goto
to tail call, or using the call_sv() and related APIs to call, any of trim(), refaddr(), reftype(), ceil(), floor() or stringify() in the builtin::
package would crash or assert due to a TARG
handling bug. [GH #22542]
Fix sv_gets() to accept a SSize_t
append offset instead of I32
. This prevents integer overflows when appending to a large SV
for readpipe
aka qx//
and readline
. https://www.perlmonks.org/?node_id=11161665
Fixed an issue where utf8n_to_uvchr
failed to correctly identify certain invalid UTF-8 sequences as invalid. Specifically, sequences that start with continuation bytes or unassigned bytes could cause unexpected behavior or a panic. This fix ensures that such invalid sequences are now properly detected and handled. This correction also resolves related issues in modules that handle UTF-8 processing, such as Encode.pm
.
The perl parser would erroneously parse some POD directives as if they were =cut
. Some other POD directives whose names start with cut, prematurely terminating an embedded POD section. The following cases were affected: cut followed by a digit (e.g. =cut2studio
), cut followed by an underscore (e.g. =cut_grass
), and in string eval
, any identifier starting with cut (e.g. =cute
). [GH #22759]
Builds with -msse
and quadmath on 32-bit x86 systems would crash with a misaligned access early in the build. [GH #22577]
On threaded builds on POSIX-like systems, if the perl signal handler receives a signal, we now resend the signal to the main perl thread. Previously this would crash. [GH #22487]
Declaring a lexically scoped array or hash using state
within a subroutine and then immediately returning no longer triggers a "Bizarre copy of HASH/ARRAY in subroutine exit" error. [GH #18630]
builtin::trim()
didn't properly clear TARG
which could result in out of date cached numeric versions of the value being used on a second evaluation. Properly clear any cached values. [GH #22784]
"shmread" in perlfunc and "shmwrite" in perlfunc are no longer limited to 31-bit values and can use all the available bits on a platform for their POS and SIZE arguments. [GH #22895]
"shmread" in perlfunc is now better behaved if VAR is not a plain string. If VAR is a tied variable, it calls STORE
once; previously, it would also call FETCH
, but without using the result. If VAR is a reference, the referenced entity has its refcount properly decremented when VAR is turned into a string; previously, it would leak memory. [GH #22898]
The $SIG{__DIE__}
and $SIG{__WARN__}
handlers can no longer be invoked recursively, either deliberately or by accident, as described in "%SIG" in perlvar. That is, when an exception (or warning) triggers a call to a $SIG{__DIE__}
(or $SIG{__WARN__}
) handler, further exceptions (or warnings) are processed directly, ignoring %SIG
until the original $SIG{__DIE__}
(or $SIG{__WARN__}
) handler call returns. [GH #14527], [GH #22984], [GH #22987]
The ObjectFIELDS()
for an object and xhv_class_fields
for the object's stash weren't always NULL or not-NULL, confusing sv_dump()
(and hence Devel::Peek's Dump()
) into crashing on an object with no defined fields in some cases. [GH #22959]
When comparing strings when using a UTF-8 locale, the behavior was previously undefined if either or both contained an above-Unicode code point, such as 0x110000. Now all such code points will collate the same as the highest Unicode code point, U+10FFFF. [GH #22989]
In regexes, the contents of \g{...}
backreferences are now properly validated. Previously, \g{1 FOO}
was silently parsed as \g{1}
, ignoring everything after the first number. [GH #23050]
A run-time pattern which contained a code block which recursed back to the same bit of code which ran that match, could cause a crash. [GH #22869]
For example:
my $r = qr/... (?{ foo() if ... }) .../;
sub foo { $string =~ $r }
foo()
In some cases an eval
would not add integer parts to the source lines saved by the debugger. [GH #23151]
In debugging mode, perl saves source lines from all files (plus an indication of whether each line is breakable) for use by the debugger. The internal storage format has been optimized to use less memory. This should save 24 bytes per stored line for 64-bit systems, more for -Duselongdouble
or -Dusequadmath
builds. Discussed in [GH #23171].
Ensure cloning the save stack for fork emulation doesn't duplicate freeing the RExC state. [GH #23022]
Smartmatch against a code reference that uses a loop exit such as last
would crash perl. [GH #16608]
Class initializers and ADJUST
blocks, per perlclass, that called last
or other loop exits would crash perl. Same cause as for [GH #16608].
Exceptions thrown and caught entirely within a defer {}
or finally {}
block no longer stop the outer run-loop.
Code such as the following would stop running the contents of the defer
block once the inner exception in the inner try
/catch
block was caught. This has now been fixed, and runs as expected. ([GH #23064]).
defer {
try { die "It breaks\n"; }
catch ($e) { warn $e }
say "This line would never run";
}
"readline" in perlfunc now clears the error flag if an error occurs when reading and that error is EAGAIN
or EWOULDBLOCK
. This allows code that depended on readline
to clear all errors to ignore these relatively harmless errors. [GH #22883]
open
automatically creates an anonymous temporary file when passed undef
as a filename:
open(my $fh, "+>", undef) or die ...
This is supposed to work only when the undefined value is the one returned by the undef
function.
In perls before 5.41.3, this caused a problem due to the fact that the same undefined value can be generated by lookups of non-existent hash keys or array elements, which can lead to bugs in user-level code (reported as [GH #22385]).
In 5.41.3, additional checks based on the syntax tree of the call site were added, which fixed this issue for some number of common cases, though not all of them, at the cost of breaking the ability of APIs that wrap open
to expose its anonymous file mode. A notable example of such an API is autodie.
This release reverts to the old problem in preference to the new one for the time being.
Abe Timmerman (ABELTJE) passed away on August 15, 2024.
Since 2002, Abe built and maintained the Test::Smoke project: "a set of scripts and modules that try to run the Perl core tests on as many configurations as possible and combine the results into an easy to read report". Smoking Perl on as many platforms and configurations as possible has been instrumental in finding bugs and developing patches for those bugs.
Abe was a regular attendee of the Perl Toolchain Summit (née Perl QA Hackathon), the Dutch Perl Workshop and the Amsterdam.pm user group meetings. With his kindness, his smile and his laugh, he helped make Perl and its community better.
Abeltje's memorial card said "Grab every opportunity to have a drink of bubbly. This is an opportunity". We'll miss you Abe, and we'll have a drink of bubbly in your honor.
Andrew Main (ZEFRAM) passed away on March 10, 2025.
Zefram was a brilliant person, seemingly knowledgeable in everything and happy to impart his knowledge and share his striking insights with a gentle, technical demeanor that often failed to convey the genuine care with which he communicated.
It would be impossible to overstate the impact that Zefram has had on both the language and culture of Perl over the years. From his countless contributions to the code-base, to his often quirky but always distinctive appearances at conferences and gatherings, his influence and memory are sure to endure long into the future.
Zefram wished to have no designated memorial location in meatspace. His designated memorial location in cyberspace is http://www.fysh.org/~zefram/personal/.
Perl 5.42.0 represents approximately 12 months of development since Perl 5.40.0 and contains approximately 280,000 lines of changes across 1,500 files from 65 authors.
Excluding auto-generated files, documentation and release tools, there were approximately 94,000 lines of changes to 860 .pm, .t, .c and .h files.
Perl continues to flourish into its fourth decade thanks to a vibrant community of users and developers. The following people are known to have contributed the improvements that became Perl 5.42.0:
Aaron Dill, Andrei Horodniceanu, Andrew Ruthven, Antanas Vaitkus, Aristotle Pagaltzis, Branislav Zahradník, brian d foy, Chad Granum, Chris 'BinGOs' Williams, Craig A. Berry, Dabrien 'Dabe' Murphy, Dagfinn Ilmari Mannsåker, Dan Book, Daniel Dragan, Dan Jacobson, David Cantrell, David Mitchell, E. Choroba, Ed J, Ed Sabol, Elvin Aslanov, Eric Herman, Erik Huelsmann, Gianni Ceccarelli, Graham Knop, hbmaclean, H.Merijn Brand, iabyn, James E Keenan, James Raspass, Johan Vromans, Karen Etheridge, Karl Williamson, Leon Timmermans, Lukas Mai, Marek Rouchal, Marin Tsanov, Mark Fowler, Masahiro Honma, Max Maischein, Paul Evans, Paul Johnson, Paul Marquess, Peter Eisentraut, Peter John Acklam, Philippe Bruhat (BooK), pyrrhlin, Reini Urban, Richard Leach, Robert Rothenberg, Robin Ragged, Russ Allbery, Scott Baker, Sergei Zhmylev, Sevan Janiyan, Sisyphus, Štěpán Němec, Steve Hay, TAKAI Kousuke, Thibault Duponchelle, Todd Rinaldo, Tony Cook, Unicode Consortium, Vladimír Marek, Yves Orton.
The list above is almost certainly incomplete as it is automatically generated from version control history. In particular, it does not include the names of the (very much appreciated) contributors who reported issues to the Perl bug tracker.
Many of the changes included in this version originated in the CPAN modules included in Perl's core. We're grateful to the entire CPAN community for helping Perl to flourish.
For a more complete list of all of Perl's historical contributors, please see the AUTHORS file in the Perl source distribution.
If you find what you think is a bug, you might check the perl bug database at https://github.com/Perl/perl5/issues. There may also be information at https://www.perl.org/, the Perl Home Page.
If you believe you have an unreported bug, please open an issue at https://github.com/Perl/perl5/issues. Be sure to trim your bug down to a tiny but sufficient test case.
If the bug you are reporting has security implications which make it inappropriate to send to a public issue tracker, then see "SECURITY VULNERABILITY CONTACT INFORMATION" in perlsec for details of how to report the issue.
If you wish to thank the Perl 5 Porters for the work we had done in Perl 5, you can do so by running the perlthanks
program:
perlthanks
This will send an email to the Perl 5 Porters list with your show of thanks.
The Changes file for an explanation of how to view exhaustive details on what changed.
The INSTALL file for how to build Perl.
The README file for general stuff.
The Artistic and Copying files for copyright information.