This is a live mirror of the Perl 5 development currently hosted at https://github.com/perl/perl5
diff -se shows these as different
[perl5.git] / pod / perlre.pod
CommitLineData
a0d0e21e
LW
1=head1 NAME
2
3perlre - Perl regular expressions
4
5=head1 DESCRIPTION
6
cb1a09d0 7This page describes the syntax of regular expressions in Perl. For a
5f05dabc 8description of how to I<use> regular expressions in matching
19799a22 9operations, plus various examples of the same, see discussions
1e66bd83 10of C<m//>, C<s///>, C<qr//> and C<??> in L<perlop/"Regexp Quote-Like Operators">.
cb1a09d0 11
19799a22 12Matching operations can have various modifiers. Modifiers
5a964f20 13that relate to the interpretation of the regular expression inside
19799a22
GS
14are listed below. Modifiers that alter the way a regular expression
15is used by Perl are detailed in L<perlop/"Regexp Quote-Like Operators"> and
1e66bd83 16L<perlop/"Gory details of parsing quoted constructs">.
a0d0e21e 17
55497cff 18=over 4
19
20=item i
21
22Do case-insensitive pattern matching.
23
a034a98d
DD
24If C<use locale> is in effect, the case map is taken from the current
25locale. See L<perllocale>.
26
54310121 27=item m
55497cff 28
29Treat string as multiple lines. That is, change "^" and "$" from matching
14218588 30the start or end of the string to matching the start or end of any
7f761169 31line anywhere within the string.
55497cff 32
54310121 33=item s
55497cff 34
35Treat string as single line. That is, change "." to match any character
19799a22 36whatsoever, even a newline, which normally it would not match.
55497cff 37
19799a22
GS
38The C</s> and C</m> modifiers both override the C<$*> setting. That
39is, no matter what C<$*> contains, C</s> without C</m> will force
40"^" to match only at the beginning of the string and "$" to match
41only at the end (or just before a newline at the end) of the string.
42Together, as /ms, they let the "." match any character whatsoever,
43while yet allowing "^" and "$" to match, respectively, just after
44and just before newlines within the string.
7b8d334a 45
54310121 46=item x
55497cff 47
48Extend your pattern's legibility by permitting whitespace and comments.
49
50=back
a0d0e21e
LW
51
52These are usually written as "the C</x> modifier", even though the delimiter
14218588 53in question might not really be a slash. Any of these
a0d0e21e 54modifiers may also be embedded within the regular expression itself using
14218588 55the C<(?...)> construct. See below.
a0d0e21e 56
4633a7c4 57The C</x> modifier itself needs a little more explanation. It tells
55497cff 58the regular expression parser to ignore whitespace that is neither
59backslashed nor within a character class. You can use this to break up
4633a7c4 60your regular expression into (slightly) more readable parts. The C<#>
54310121 61character is also treated as a metacharacter introducing a comment,
55497cff 62just as in ordinary Perl code. This also means that if you want real
14218588 63whitespace or C<#> characters in the pattern (outside a character
5a964f20 64class, where they are unaffected by C</x>), that you'll either have to
55497cff 65escape them or encode them using octal or hex escapes. Taken together,
66these features go a long way towards making Perl's regular expressions
0c815be9
HS
67more readable. Note that you have to be careful not to include the
68pattern delimiter in the comment--perl has no way of knowing you did
5a964f20 69not intend to close the pattern early. See the C-comment deletion code
0c815be9 70in L<perlop>.
a0d0e21e
LW
71
72=head2 Regular Expressions
73
19799a22 74The patterns used in Perl pattern matching derive from supplied in
14218588 75the Version 8 regex routines. (The routines are derived
19799a22
GS
76(distantly) from Henry Spencer's freely redistributable reimplementation
77of the V8 routines.) See L<Version 8 Regular Expressions> for
78details.
a0d0e21e
LW
79
80In particular the following metacharacters have their standard I<egrep>-ish
81meanings:
82
54310121 83 \ Quote the next metacharacter
a0d0e21e
LW
84 ^ Match the beginning of the line
85 . Match any character (except newline)
c07a80fd 86 $ Match the end of the line (or before newline at the end)
a0d0e21e
LW
87 | Alternation
88 () Grouping
89 [] Character class
90
14218588
GS
91By default, the "^" character is guaranteed to match only the
92beginning of the string, the "$" character only the end (or before the
93newline at the end), and Perl does certain optimizations with the
a0d0e21e
LW
94assumption that the string contains only one line. Embedded newlines
95will not be matched by "^" or "$". You may, however, wish to treat a
4a6725af 96string as a multi-line buffer, such that the "^" will match after any
a0d0e21e
LW
97newline within the string, and "$" will match before any newline. At the
98cost of a little more overhead, you can do this by using the /m modifier
99on the pattern match operator. (Older programs did this by setting C<$*>,
5f05dabc 100but this practice is now deprecated.)
a0d0e21e 101
14218588 102To simplify multi-line substitutions, the "." character never matches a
55497cff 103newline unless you use the C</s> modifier, which in effect tells Perl to pretend
a0d0e21e
LW
104the string is a single line--even if it isn't. The C</s> modifier also
105overrides the setting of C<$*>, in case you have some (badly behaved) older
106code that sets it in another module.
107
108The following standard quantifiers are recognized:
109
110 * Match 0 or more times
111 + Match 1 or more times
112 ? Match 1 or 0 times
113 {n} Match exactly n times
114 {n,} Match at least n times
115 {n,m} Match at least n but not more than m times
116
117(If a curly bracket occurs in any other context, it is treated
118as a regular character.) The "*" modifier is equivalent to C<{0,}>, the "+"
25f94b33 119modifier to C<{1,}>, and the "?" modifier to C<{0,1}>. n and m are limited
9c79236d
GS
120to integral values less than a preset limit defined when perl is built.
121This is usually 32766 on the most common platforms. The actual limit can
122be seen in the error message generated by code such as this:
123
820475bd 124 $_ **= $_ , / {$_} / for 2 .. 42;
a0d0e21e 125
54310121 126By default, a quantified subpattern is "greedy", that is, it will match as
127many times as possible (given a particular starting location) while still
128allowing the rest of the pattern to match. If you want it to match the
129minimum number of times possible, follow the quantifier with a "?". Note
130that the meanings don't change, just the "greediness":
a0d0e21e
LW
131
132 *? Match 0 or more times
133 +? Match 1 or more times
134 ?? Match 0 or 1 time
135 {n}? Match exactly n times
136 {n,}? Match at least n times
137 {n,m}? Match at least n but not more than m times
138
5f05dabc 139Because patterns are processed as double quoted strings, the following
a0d0e21e
LW
140also work:
141
0f36ee90 142 \t tab (HT, TAB)
143 \n newline (LF, NL)
144 \r return (CR)
145 \f form feed (FF)
146 \a alarm (bell) (BEL)
147 \e escape (think troff) (ESC)
cb1a09d0
AD
148 \033 octal char (think of a PDP-11)
149 \x1B hex char
a0ed51b3 150 \x{263a} wide hex char (Unicode SMILEY)
a0d0e21e 151 \c[ control char
4a2d328f 152 \N{name} named char
cb1a09d0
AD
153 \l lowercase next char (think vi)
154 \u uppercase next char (think vi)
155 \L lowercase till \E (think vi)
156 \U uppercase till \E (think vi)
157 \E end case modification (think vi)
5a964f20 158 \Q quote (disable) pattern metacharacters till \E
a0d0e21e 159
a034a98d 160If C<use locale> is in effect, the case map used by C<\l>, C<\L>, C<\u>
423cee85 161and C<\U> is taken from the current locale. See L<perllocale>. For
4a2d328f 162documentation of C<\N{name}>, see L<charnames>.
a034a98d 163
1d2dff63
GS
164You cannot include a literal C<$> or C<@> within a C<\Q> sequence.
165An unescaped C<$> or C<@> interpolates the corresponding variable,
166while escaping will cause the literal string C<\$> to be matched.
167You'll need to write something like C<m/\Quser\E\@\Qhost/>.
168
a0d0e21e
LW
169In addition, Perl defines the following:
170
171 \w Match a "word" character (alphanumeric plus "_")
36bbe248 172 \W Match a non-"word" character
a0d0e21e
LW
173 \s Match a whitespace character
174 \S Match a non-whitespace character
175 \d Match a digit character
176 \D Match a non-digit character
a0ed51b3
LW
177 \pP Match P, named property. Use \p{Prop} for longer names.
178 \PP Match non-P
f244e06d
GS
179 \X Match eXtended Unicode "combining character sequence",
180 equivalent to C<(?:\PM\pM*)>
4a2d328f 181 \C Match a single C char (octet) even under utf8.
a0d0e21e 182
36bbe248 183A C<\w> matches a single alphanumeric character or C<_>, not a whole word.
14218588
GS
184Use C<\w+> to match a string of Perl-identifier characters (which isn't
185the same as matching an English word). If C<use locale> is in effect, the
186list of alphabetic characters generated by C<\w> is taken from the
187current locale. See L<perllocale>. You may use C<\w>, C<\W>, C<\s>, C<\S>,
1209ba90
JH
188C<\d>, and C<\D> within character classes, but if you try to use them
189as endpoints of a range, that's not a range, the "-" is understood literally.
190See L<utf8> for details about C<\pP>, C<\PP>, and C<\X>.
a0d0e21e 191
b8c5462f
JH
192The POSIX character class syntax
193
820475bd 194 [:class:]
b8c5462f 195
26b44a0a
JH
196is also available. The available classes and their backslash
197equivalents (if available) are as follows:
b8c5462f
JH
198
199 alpha
200 alnum
201 ascii
aaa51d5e 202 blank [1]
b8c5462f
JH
203 cntrl
204 digit \d
205 graph
206 lower
207 print
208 punct
aaa51d5e 209 space \s [2]
b8c5462f 210 upper
aaa51d5e 211 word \w [3]
b8c5462f
JH
212 xdigit
213
aaa51d5e
JF
214 [1] A GNU extension equivalent to C<[ \t]>, `all horizontal whitespace'.
215 [2] Not I<exactly equivalent> to C<\s> since the C<[[:space:]]> includes
216 also the (very rare) `vertical tabulator', "\ck", chr(11).
217 [3] A Perl extension.
218
26b44a0a 219For example use C<[:upper:]> to match all the uppercase characters.
aaa51d5e
JF
220Note that the C<[]> are part of the C<[::]> construct, not part of the
221whole character class. For example:
b8c5462f 222
820475bd 223 [01[:alpha:]%]
b8c5462f 224
593df60c 225matches zero, one, any alphabetic character, and the percentage sign.
b8c5462f 226
26b44a0a 227If the C<utf8> pragma is used, the following equivalences to Unicode
b8c5462f
JH
228\p{} constructs hold:
229
230 alpha IsAlpha
231 alnum IsAlnum
232 ascii IsASCII
aaa51d5e 233 blank IsSpace
b8c5462f
JH
234 cntrl IsCntrl
235 digit IsDigit
236 graph IsGraph
237 lower IsLower
238 print IsPrint
239 punct IsPunct
240 space IsSpace
241 upper IsUpper
242 word IsWord
243 xdigit IsXDigit
244
26b44a0a 245For example C<[:lower:]> and C<\p{IsLower}> are equivalent.
b8c5462f
JH
246
247If the C<utf8> pragma is not used but the C<locale> pragma is, the
aaa51d5e
JF
248classes correlate with the usual isalpha(3) interface (except for
249`word' and `blank').
b8c5462f
JH
250
251The assumedly non-obviously named classes are:
252
253=over 4
254
255=item cntrl
256
820475bd
GS
257Any control character. Usually characters that don't produce output as
258such but instead control the terminal somehow: for example newline and
259backspace are control characters. All characters with ord() less than
593df60c
JH
26032 are most often classified as control characters (assuming ASCII,
261the ISO Latin character sets, and Unicode).
b8c5462f
JH
262
263=item graph
264
f1cbbd6e 265Any alphanumeric or punctuation (special) character.
b8c5462f
JH
266
267=item print
268
f1cbbd6e 269Any alphanumeric or punctuation (special) character or space.
b8c5462f
JH
270
271=item punct
272
f1cbbd6e 273Any punctuation (special) character.
b8c5462f
JH
274
275=item xdigit
276
593df60c 277Any hexadecimal digit. Though this may feel silly ([0-9A-Fa-f] would
820475bd 278work just fine) it is included for completeness.
b8c5462f 279
b8c5462f
JH
280=back
281
282You can negate the [::] character classes by prefixing the class name
283with a '^'. This is a Perl extension. For example:
284
93733859
JH
285 POSIX trad. Perl utf8 Perl
286
287 [:^digit:] \D \P{IsDigit}
288 [:^space:] \S \P{IsSpace}
289 [:^word:] \W \P{IsWord}
b8c5462f 290
26b44a0a
JH
291The POSIX character classes [.cc.] and [=cc=] are recognized but
292B<not> supported and trying to use them will cause an error.
b8c5462f 293
a0d0e21e
LW
294Perl defines the following zero-width assertions:
295
296 \b Match a word boundary
297 \B Match a non-(word boundary)
b85d18e9
IZ
298 \A Match only at beginning of string
299 \Z Match only at end of string, or before newline at the end
300 \z Match only at end of string
9da458fc
IZ
301 \G Match only at pos() (e.g. at the end-of-match position
302 of prior m//g)
a0d0e21e 303
14218588 304A word boundary (C<\b>) is a spot between two characters
19799a22
GS
305that has a C<\w> on one side of it and a C<\W> on the other side
306of it (in either order), counting the imaginary characters off the
307beginning and end of the string as matching a C<\W>. (Within
308character classes C<\b> represents backspace rather than a word
309boundary, just as it normally does in any double-quoted string.)
310The C<\A> and C<\Z> are just like "^" and "$", except that they
311won't match multiple times when the C</m> modifier is used, while
312"^" and "$" will match at every internal line boundary. To match
313the actual end of the string and not ignore an optional trailing
314newline, use C<\z>.
315
316The C<\G> assertion can be used to chain global matches (using
317C<m//g>), as described in L<perlop/"Regexp Quote-Like Operators">.
318It is also useful when writing C<lex>-like scanners, when you have
319several patterns that you want to match against consequent substrings
320of your string, see the previous reference. The actual location
321where C<\G> will match can also be influenced by using C<pos()> as
322an lvalue. See L<perlfunc/pos>.
c47ff5f1 323
14218588 324The bracketing construct C<( ... )> creates capture buffers. To
c47ff5f1 325refer to the digit'th buffer use \<digit> within the
14218588 326match. Outside the match use "$" instead of "\". (The
c47ff5f1 327\<digit> notation works in certain circumstances outside
14218588
GS
328the match. See the warning below about \1 vs $1 for details.)
329Referring back to another part of the match is called a
330I<backreference>.
331
332There is no limit to the number of captured substrings that you may
333use. However Perl also uses \10, \11, etc. as aliases for \010,
334\011, etc. (Recall that 0 means octal, so \011 is the 9'th ASCII
335character, a tab.) Perl resolves this ambiguity by interpreting
336\10 as a backreference only if at least 10 left parentheses have
337opened before it. Likewise \11 is a backreference only if at least
33811 left parentheses have opened before it. And so on. \1 through
339\9 are always interpreted as backreferences."
340
341Examples:
a0d0e21e
LW
342
343 s/^([^ ]*) *([^ ]*)/$2 $1/; # swap first two words
344
14218588
GS
345 if (/(.)\1/) { # find first doubled char
346 print "'$1' is the first doubled character\n";
347 }
c47ff5f1 348
14218588 349 if (/Time: (..):(..):(..)/) { # parse out values
a0d0e21e
LW
350 $hours = $1;
351 $minutes = $2;
352 $seconds = $3;
353 }
c47ff5f1 354
14218588
GS
355Several special variables also refer back to portions of the previous
356match. C<$+> returns whatever the last bracket match matched.
357C<$&> returns the entire matched string. (At one point C<$0> did
358also, but now it returns the name of the program.) C<$`> returns
359everything before the matched string. And C<$'> returns everything
360after the matched string.
361
362The numbered variables ($1, $2, $3, etc.) and the related punctuation
262ffc8b 363set (C<$+>, C<$&>, C<$`>, and C<$'>) are all dynamically scoped
14218588
GS
364until the end of the enclosing block or until the next successful
365match, whichever comes first. (See L<perlsyn/"Compound Statements">.)
366
367B<WARNING>: Once Perl sees that you need one of C<$&>, C<$`>, or
368C<$'> anywhere in the program, it has to provide them for every
369pattern match. This may substantially slow your program. Perl
370uses the same mechanism to produce $1, $2, etc, so you also pay a
371price for each pattern that contains capturing parentheses. (To
372avoid this cost while retaining the grouping behaviour, use the
373extended regular expression C<(?: ... )> instead.) But if you never
374use C<$&>, C<$`> or C<$'>, then patterns I<without> capturing
375parentheses will not be penalized. So avoid C<$&>, C<$'>, and C<$`>
376if you can, but if you can't (and some algorithms really appreciate
377them), once you've used them once, use them at will, because you've
378already paid the price. As of 5.005, C<$&> is not so costly as the
379other two.
68dc0745 380
19799a22
GS
381Backslashed metacharacters in Perl are alphanumeric, such as C<\b>,
382C<\w>, C<\n>. Unlike some other regular expression languages, there
383are no backslashed symbols that aren't alphanumeric. So anything
c47ff5f1 384that looks like \\, \(, \), \<, \>, \{, or \} is always
19799a22
GS
385interpreted as a literal character, not a metacharacter. This was
386once used in a common idiom to disable or quote the special meanings
387of regular expression metacharacters in a string that you want to
36bbe248 388use for a pattern. Simply quote all non-"word" characters:
a0d0e21e
LW
389
390 $pattern =~ s/(\W)/\\$1/g;
391
f1cbbd6e 392(If C<use locale> is set, then this depends on the current locale.)
14218588
GS
393Today it is more common to use the quotemeta() function or the C<\Q>
394metaquoting escape sequence to disable all metacharacters' special
395meanings like this:
a0d0e21e
LW
396
397 /$unquoted\Q$quoted\E$unquoted/
398
9da458fc
IZ
399Beware that if you put literal backslashes (those not inside
400interpolated variables) between C<\Q> and C<\E>, double-quotish
401backslash interpolation may lead to confusing results. If you
402I<need> to use literal backslashes within C<\Q...\E>,
403consult L<perlop/"Gory details of parsing quoted constructs">.
404
19799a22
GS
405=head2 Extended Patterns
406
14218588
GS
407Perl also defines a consistent extension syntax for features not
408found in standard tools like B<awk> and B<lex>. The syntax is a
409pair of parentheses with a question mark as the first thing within
410the parentheses. The character after the question mark indicates
411the extension.
19799a22 412
14218588
GS
413The stability of these extensions varies widely. Some have been
414part of the core language for many years. Others are experimental
415and may change without warning or be completely removed. Check
416the documentation on an individual feature to verify its current
417status.
19799a22 418
14218588
GS
419A question mark was chosen for this and for the minimal-matching
420construct because 1) question marks are rare in older regular
421expressions, and 2) whenever you see one, you should stop and
422"question" exactly what is going on. That's psychology...
a0d0e21e
LW
423
424=over 10
425
cc6b7395 426=item C<(?#text)>
a0d0e21e 427
14218588 428A comment. The text is ignored. If the C</x> modifier enables
19799a22 429whitespace formatting, a simple C<#> will suffice. Note that Perl closes
259138e3
GS
430the comment as soon as it sees a C<)>, so there is no way to put a literal
431C<)> in the comment.
a0d0e21e 432
19799a22
GS
433=item C<(?imsx-imsx)>
434
435One or more embedded pattern-match modifiers. This is particularly
436useful for dynamic patterns, such as those read in from a configuration
437file, read in as an argument, are specified in a table somewhere,
438etc. Consider the case that some of which want to be case sensitive
439and some do not. The case insensitive ones need to include merely
440C<(?i)> at the front of the pattern. For example:
441
442 $pattern = "foobar";
443 if ( /$pattern/i ) { }
444
445 # more flexible:
446
447 $pattern = "(?i)foobar";
448 if ( /$pattern/ ) { }
449
450Letters after a C<-> turn those modifiers off. These modifiers are
451localized inside an enclosing group (if any). For example,
452
453 ( (?i) blah ) \s+ \1
454
455will match a repeated (I<including the case>!) word C<blah> in any
14218588 456case, assuming C<x> modifier, and no C<i> modifier outside this
19799a22
GS
457group.
458
5a964f20 459=item C<(?:pattern)>
a0d0e21e 460
ca9dfc88
IZ
461=item C<(?imsx-imsx:pattern)>
462
5a964f20
TC
463This is for clustering, not capturing; it groups subexpressions like
464"()", but doesn't make backreferences as "()" does. So
a0d0e21e 465
5a964f20 466 @fields = split(/\b(?:a|b|c)\b/)
a0d0e21e
LW
467
468is like
469
5a964f20 470 @fields = split(/\b(a|b|c)\b/)
a0d0e21e 471
19799a22
GS
472but doesn't spit out extra fields. It's also cheaper not to capture
473characters if you don't need to.
a0d0e21e 474
19799a22
GS
475Any letters between C<?> and C<:> act as flags modifiers as with
476C<(?imsx-imsx)>. For example,
ca9dfc88
IZ
477
478 /(?s-i:more.*than).*million/i
479
14218588 480is equivalent to the more verbose
ca9dfc88
IZ
481
482 /(?:(?s-i)more.*than).*million/i
483
5a964f20 484=item C<(?=pattern)>
a0d0e21e 485
19799a22 486A zero-width positive look-ahead assertion. For example, C</\w+(?=\t)/>
a0d0e21e
LW
487matches a word followed by a tab, without including the tab in C<$&>.
488
5a964f20 489=item C<(?!pattern)>
a0d0e21e 490
19799a22 491A zero-width negative look-ahead assertion. For example C</foo(?!bar)/>
a0d0e21e 492matches any occurrence of "foo" that isn't followed by "bar". Note
19799a22
GS
493however that look-ahead and look-behind are NOT the same thing. You cannot
494use this for look-behind.
7b8d334a 495
5a964f20 496If you are looking for a "bar" that isn't preceded by a "foo", C</(?!foo)bar/>
7b8d334a
GS
497will not do what you want. That's because the C<(?!foo)> is just saying that
498the next thing cannot be "foo"--and it's not, it's a "bar", so "foobar" will
499match. You would have to do something like C</(?!foo)...bar/> for that. We
500say "like" because there's the case of your "bar" not having three characters
501before it. You could cover that this way: C</(?:(?!foo)...|^.{0,2})bar/>.
502Sometimes it's still easier just to say:
a0d0e21e 503
a3cb178b 504 if (/bar/ && $` !~ /foo$/)
a0d0e21e 505
19799a22 506For look-behind see below.
c277df42 507
c47ff5f1 508=item C<(?<=pattern)>
c277df42 509
c47ff5f1 510A zero-width positive look-behind assertion. For example, C</(?<=\t)\w+/>
19799a22
GS
511matches a word that follows a tab, without including the tab in C<$&>.
512Works only for fixed-width look-behind.
c277df42 513
5a964f20 514=item C<(?<!pattern)>
c277df42 515
19799a22
GS
516A zero-width negative look-behind assertion. For example C</(?<!bar)foo/>
517matches any occurrence of "foo" that does not follow "bar". Works
518only for fixed-width look-behind.
c277df42 519
cc6b7395 520=item C<(?{ code })>
c277df42 521
19799a22
GS
522B<WARNING>: This extended regular expression feature is considered
523highly experimental, and may be changed or deleted without notice.
c277df42 524
19799a22
GS
525This zero-width assertion evaluate any embedded Perl code. It
526always succeeds, and its C<code> is not interpolated. Currently,
527the rules to determine where the C<code> ends are somewhat convoluted.
528
529The C<code> is properly scoped in the following sense: If the assertion
530is backtracked (compare L<"Backtracking">), all changes introduced after
531C<local>ization are undone, so that
b9ac3b5b
GS
532
533 $_ = 'a' x 8;
534 m<
535 (?{ $cnt = 0 }) # Initialize $cnt.
536 (
537 a
538 (?{
539 local $cnt = $cnt + 1; # Update $cnt, backtracking-safe.
540 })
541 )*
542 aaaa
543 (?{ $res = $cnt }) # On success copy to non-localized
544 # location.
545 >x;
546
19799a22 547will set C<$res = 4>. Note that after the match, $cnt returns to the globally
14218588 548introduced value, because the scopes that restrict C<local> operators
b9ac3b5b
GS
549are unwound.
550
19799a22
GS
551This assertion may be used as a C<(?(condition)yes-pattern|no-pattern)>
552switch. If I<not> used in this way, the result of evaluation of
553C<code> is put into the special variable C<$^R>. This happens
554immediately, so C<$^R> can be used from other C<(?{ code })> assertions
555inside the same regular expression.
b9ac3b5b 556
19799a22
GS
557The assignment to C<$^R> above is properly localized, so the old
558value of C<$^R> is restored if the assertion is backtracked; compare
559L<"Backtracking">.
b9ac3b5b 560
19799a22
GS
561For reasons of security, this construct is forbidden if the regular
562expression involves run-time interpolation of variables, unless the
563perilous C<use re 'eval'> pragma has been used (see L<re>), or the
564variables contain results of C<qr//> operator (see
565L<perlop/"qr/STRING/imosx">).
871b0233 566
14218588 567This restriction is because of the wide-spread and remarkably convenient
19799a22 568custom of using run-time determined strings as patterns. For example:
871b0233
IZ
569
570 $re = <>;
571 chomp $re;
572 $string =~ /$re/;
573
14218588
GS
574Before Perl knew how to execute interpolated code within a pattern,
575this operation was completely safe from a security point of view,
576although it could raise an exception from an illegal pattern. If
577you turn on the C<use re 'eval'>, though, it is no longer secure,
578so you should only do so if you are also using taint checking.
579Better yet, use the carefully constrained evaluation within a Safe
580module. See L<perlsec> for details about both these mechanisms.
871b0233 581
14455d6c 582=item C<(??{ code })>
0f5d15d6 583
19799a22
GS
584B<WARNING>: This extended regular expression feature is considered
585highly experimental, and may be changed or deleted without notice.
9da458fc
IZ
586A simplified version of the syntax may be introduced for commonly
587used idioms.
0f5d15d6 588
19799a22
GS
589This is a "postponed" regular subexpression. The C<code> is evaluated
590at run time, at the moment this subexpression may match. The result
591of evaluation is considered as a regular expression and matched as
592if it were inserted instead of this construct.
0f5d15d6 593
428594d9 594The C<code> is not interpolated. As before, the rules to determine
19799a22
GS
595where the C<code> ends are currently somewhat convoluted.
596
597The following pattern matches a parenthesized group:
0f5d15d6
IZ
598
599 $re = qr{
600 \(
601 (?:
602 (?> [^()]+ ) # Non-parens without backtracking
603 |
14455d6c 604 (??{ $re }) # Group with matching parens
0f5d15d6
IZ
605 )*
606 \)
607 }x;
608
c47ff5f1 609=item C<< (?>pattern) >>
5a964f20 610
19799a22
GS
611B<WARNING>: This extended regular expression feature is considered
612highly experimental, and may be changed or deleted without notice.
613
614An "independent" subexpression, one which matches the substring
615that a I<standalone> C<pattern> would match if anchored at the given
9da458fc 616position, and it matches I<nothing other than this substring>. This
19799a22
GS
617construct is useful for optimizations of what would otherwise be
618"eternal" matches, because it will not backtrack (see L<"Backtracking">).
9da458fc
IZ
619It may also be useful in places where the "grab all you can, and do not
620give anything back" semantic is desirable.
19799a22 621
c47ff5f1 622For example: C<< ^(?>a*)ab >> will never match, since C<< (?>a*) >>
19799a22
GS
623(anchored at the beginning of string, as above) will match I<all>
624characters C<a> at the beginning of string, leaving no C<a> for
625C<ab> to match. In contrast, C<a*ab> will match the same as C<a+b>,
626since the match of the subgroup C<a*> is influenced by the following
627group C<ab> (see L<"Backtracking">). In particular, C<a*> inside
628C<a*ab> will match fewer characters than a standalone C<a*>, since
629this makes the tail match.
630
c47ff5f1 631An effect similar to C<< (?>pattern) >> may be achieved by writing
19799a22
GS
632C<(?=(pattern))\1>. This matches the same substring as a standalone
633C<a+>, and the following C<\1> eats the matched string; it therefore
c47ff5f1 634makes a zero-length assertion into an analogue of C<< (?>...) >>.
19799a22
GS
635(The difference between these two constructs is that the second one
636uses a capturing group, thus shifting ordinals of backreferences
637in the rest of a regular expression.)
638
639Consider this pattern:
c277df42 640
871b0233
IZ
641 m{ \(
642 (
9da458fc 643 [^()]+ # x+
871b0233
IZ
644 |
645 \( [^()]* \)
646 )+
647 \)
648 }x
5a964f20 649
19799a22
GS
650That will efficiently match a nonempty group with matching parentheses
651two levels deep or less. However, if there is no such group, it
652will take virtually forever on a long string. That's because there
653are so many different ways to split a long string into several
654substrings. This is what C<(.+)+> is doing, and C<(.+)+> is similar
655to a subpattern of the above pattern. Consider how the pattern
656above detects no-match on C<((()aaaaaaaaaaaaaaaaaa> in several
657seconds, but that each extra letter doubles this time. This
658exponential performance will make it appear that your program has
14218588 659hung. However, a tiny change to this pattern
5a964f20 660
871b0233
IZ
661 m{ \(
662 (
9da458fc 663 (?> [^()]+ ) # change x+ above to (?> x+ )
871b0233
IZ
664 |
665 \( [^()]* \)
666 )+
667 \)
668 }x
c277df42 669
c47ff5f1 670which uses C<< (?>...) >> matches exactly when the one above does (verifying
5a964f20
TC
671this yourself would be a productive exercise), but finishes in a fourth
672the time when used on a similar string with 1000000 C<a>s. Be aware,
673however, that this pattern currently triggers a warning message under
9f1b1f2d
GS
674the C<use warnings> pragma or B<-w> switch saying it
675C<"matches the null string many times">):
c277df42 676
c47ff5f1 677On simple groups, such as the pattern C<< (?> [^()]+ ) >>, a comparable
19799a22 678effect may be achieved by negative look-ahead, as in C<[^()]+ (?! [^()] )>.
c277df42
IZ
679This was only 4 times slower on a string with 1000000 C<a>s.
680
9da458fc
IZ
681The "grab all you can, and do not give anything back" semantic is desirable
682in many situations where on the first sight a simple C<()*> looks like
683the correct solution. Suppose we parse text with comments being delimited
684by C<#> followed by some optional (horizontal) whitespace. Contrary to
4375e838 685its appearance, C<#[ \t]*> I<is not> the correct subexpression to match
9da458fc
IZ
686the comment delimiter, because it may "give up" some whitespace if
687the remainder of the pattern can be made to match that way. The correct
688answer is either one of these:
689
690 (?>#[ \t]*)
691 #[ \t]*(?![ \t])
692
693For example, to grab non-empty comments into $1, one should use either
694one of these:
695
696 / (?> \# [ \t]* ) ( .+ ) /x;
697 / \# [ \t]* ( [^ \t] .* ) /x;
698
699Which one you pick depends on which of these expressions better reflects
700the above specification of comments.
701
5a964f20 702=item C<(?(condition)yes-pattern|no-pattern)>
c277df42 703
5a964f20 704=item C<(?(condition)yes-pattern)>
c277df42 705
19799a22
GS
706B<WARNING>: This extended regular expression feature is considered
707highly experimental, and may be changed or deleted without notice.
708
c277df42
IZ
709Conditional expression. C<(condition)> should be either an integer in
710parentheses (which is valid if the corresponding pair of parentheses
19799a22 711matched), or look-ahead/look-behind/evaluate zero-width assertion.
c277df42 712
19799a22 713For example:
c277df42 714
5a964f20 715 m{ ( \( )?
871b0233 716 [^()]+
5a964f20 717 (?(1) \) )
871b0233 718 }x
c277df42
IZ
719
720matches a chunk of non-parentheses, possibly included in parentheses
721themselves.
a0d0e21e 722
a0d0e21e
LW
723=back
724
c07a80fd 725=head2 Backtracking
726
35a734be
IZ
727NOTE: This section presents an abstract approximation of regular
728expression behavior. For a more rigorous (and complicated) view of
729the rules involved in selecting a match among possible alternatives,
730see L<Combining pieces together>.
731
c277df42 732A fundamental feature of regular expression matching involves the
5a964f20 733notion called I<backtracking>, which is currently used (when needed)
c277df42 734by all regular expression quantifiers, namely C<*>, C<*?>, C<+>,
9da458fc
IZ
735C<+?>, C<{n,m}>, and C<{n,m}?>. Backtracking is often optimized
736internally, but the general principle outlined here is valid.
c07a80fd 737
738For a regular expression to match, the I<entire> regular expression must
739match, not just part of it. So if the beginning of a pattern containing a
740quantifier succeeds in a way that causes later parts in the pattern to
741fail, the matching engine backs up and recalculates the beginning
742part--that's why it's called backtracking.
743
744Here is an example of backtracking: Let's say you want to find the
745word following "foo" in the string "Food is on the foo table.":
746
747 $_ = "Food is on the foo table.";
748 if ( /\b(foo)\s+(\w+)/i ) {
749 print "$2 follows $1.\n";
750 }
751
752When the match runs, the first part of the regular expression (C<\b(foo)>)
753finds a possible match right at the beginning of the string, and loads up
754$1 with "Foo". However, as soon as the matching engine sees that there's
755no whitespace following the "Foo" that it had saved in $1, it realizes its
68dc0745 756mistake and starts over again one character after where it had the
c07a80fd 757tentative match. This time it goes all the way until the next occurrence
758of "foo". The complete regular expression matches this time, and you get
759the expected output of "table follows foo."
760
761Sometimes minimal matching can help a lot. Imagine you'd like to match
762everything between "foo" and "bar". Initially, you write something
763like this:
764
765 $_ = "The food is under the bar in the barn.";
766 if ( /foo(.*)bar/ ) {
767 print "got <$1>\n";
768 }
769
770Which perhaps unexpectedly yields:
771
772 got <d is under the bar in the >
773
774That's because C<.*> was greedy, so you get everything between the
14218588 775I<first> "foo" and the I<last> "bar". Here it's more effective
c07a80fd 776to use minimal matching to make sure you get the text between a "foo"
777and the first "bar" thereafter.
778
779 if ( /foo(.*?)bar/ ) { print "got <$1>\n" }
780 got <d is under the >
781
782Here's another example: let's say you'd like to match a number at the end
783of a string, and you also want to keep the preceding part the match.
784So you write this:
785
786 $_ = "I have 2 numbers: 53147";
787 if ( /(.*)(\d*)/ ) { # Wrong!
788 print "Beginning is <$1>, number is <$2>.\n";
789 }
790
791That won't work at all, because C<.*> was greedy and gobbled up the
792whole string. As C<\d*> can match on an empty string the complete
793regular expression matched successfully.
794
8e1088bc 795 Beginning is <I have 2 numbers: 53147>, number is <>.
c07a80fd 796
797Here are some variants, most of which don't work:
798
799 $_ = "I have 2 numbers: 53147";
800 @pats = qw{
801 (.*)(\d*)
802 (.*)(\d+)
803 (.*?)(\d*)
804 (.*?)(\d+)
805 (.*)(\d+)$
806 (.*?)(\d+)$
807 (.*)\b(\d+)$
808 (.*\D)(\d+)$
809 };
810
811 for $pat (@pats) {
812 printf "%-12s ", $pat;
813 if ( /$pat/ ) {
814 print "<$1> <$2>\n";
815 } else {
816 print "FAIL\n";
817 }
818 }
819
820That will print out:
821
822 (.*)(\d*) <I have 2 numbers: 53147> <>
823 (.*)(\d+) <I have 2 numbers: 5314> <7>
824 (.*?)(\d*) <> <>
825 (.*?)(\d+) <I have > <2>
826 (.*)(\d+)$ <I have 2 numbers: 5314> <7>
827 (.*?)(\d+)$ <I have 2 numbers: > <53147>
828 (.*)\b(\d+)$ <I have 2 numbers: > <53147>
829 (.*\D)(\d+)$ <I have 2 numbers: > <53147>
830
831As you see, this can be a bit tricky. It's important to realize that a
832regular expression is merely a set of assertions that gives a definition
833of success. There may be 0, 1, or several different ways that the
834definition might succeed against a particular string. And if there are
5a964f20
TC
835multiple ways it might succeed, you need to understand backtracking to
836know which variety of success you will achieve.
c07a80fd 837
19799a22 838When using look-ahead assertions and negations, this can all get even
54310121 839tricker. Imagine you'd like to find a sequence of non-digits not
c07a80fd 840followed by "123". You might try to write that as
841
871b0233
IZ
842 $_ = "ABC123";
843 if ( /^\D*(?!123)/ ) { # Wrong!
844 print "Yup, no 123 in $_\n";
845 }
c07a80fd 846
847But that isn't going to match; at least, not the way you're hoping. It
848claims that there is no 123 in the string. Here's a clearer picture of
849why it that pattern matches, contrary to popular expectations:
850
851 $x = 'ABC123' ;
852 $y = 'ABC445' ;
853
854 print "1: got $1\n" if $x =~ /^(ABC)(?!123)/ ;
855 print "2: got $1\n" if $y =~ /^(ABC)(?!123)/ ;
856
857 print "3: got $1\n" if $x =~ /^(\D*)(?!123)/ ;
858 print "4: got $1\n" if $y =~ /^(\D*)(?!123)/ ;
859
860This prints
861
862 2: got ABC
863 3: got AB
864 4: got ABC
865
5f05dabc 866You might have expected test 3 to fail because it seems to a more
c07a80fd 867general purpose version of test 1. The important difference between
868them is that test 3 contains a quantifier (C<\D*>) and so can use
869backtracking, whereas test 1 will not. What's happening is
870that you've asked "Is it true that at the start of $x, following 0 or more
5f05dabc 871non-digits, you have something that's not 123?" If the pattern matcher had
c07a80fd 872let C<\D*> expand to "ABC", this would have caused the whole pattern to
54310121 873fail.
14218588 874
c07a80fd 875The search engine will initially match C<\D*> with "ABC". Then it will
14218588 876try to match C<(?!123> with "123", which fails. But because
c07a80fd 877a quantifier (C<\D*>) has been used in the regular expression, the
878search engine can backtrack and retry the match differently
54310121 879in the hope of matching the complete regular expression.
c07a80fd 880
5a964f20
TC
881The pattern really, I<really> wants to succeed, so it uses the
882standard pattern back-off-and-retry and lets C<\D*> expand to just "AB" this
c07a80fd 883time. Now there's indeed something following "AB" that is not
14218588 884"123". It's "C123", which suffices.
c07a80fd 885
14218588
GS
886We can deal with this by using both an assertion and a negation.
887We'll say that the first part in $1 must be followed both by a digit
888and by something that's not "123". Remember that the look-aheads
889are zero-width expressions--they only look, but don't consume any
890of the string in their match. So rewriting this way produces what
c07a80fd 891you'd expect; that is, case 5 will fail, but case 6 succeeds:
892
893 print "5: got $1\n" if $x =~ /^(\D*)(?=\d)(?!123)/ ;
894 print "6: got $1\n" if $y =~ /^(\D*)(?=\d)(?!123)/ ;
895
896 6: got ABC
897
5a964f20 898In other words, the two zero-width assertions next to each other work as though
19799a22 899they're ANDed together, just as you'd use any built-in assertions: C</^$/>
c07a80fd 900matches only if you're at the beginning of the line AND the end of the
901line simultaneously. The deeper underlying truth is that juxtaposition in
902regular expressions always means AND, except when you write an explicit OR
903using the vertical bar. C</ab/> means match "a" AND (then) match "b",
904although the attempted matches are made at different positions because "a"
905is not a zero-width assertion, but a one-width assertion.
906
19799a22 907B<WARNING>: particularly complicated regular expressions can take
14218588 908exponential time to solve because of the immense number of possible
9da458fc
IZ
909ways they can use backtracking to try match. For example, without
910internal optimizations done by the regular expression engine, this will
911take a painfully long time to run:
c07a80fd 912
9da458fc 913 'aaaaaaaaaaaa' =~ /((a{0,5}){0,5}){0,5}[c]/
c07a80fd 914
14218588
GS
915And if you used C<*>'s instead of limiting it to 0 through 5 matches,
916then it would take forever--or until you ran out of stack space.
c07a80fd 917
9da458fc
IZ
918A powerful tool for optimizing such beasts is what is known as an
919"independent group",
c47ff5f1 920which does not backtrack (see L<C<< (?>pattern) >>>). Note also that
9da458fc 921zero-length look-ahead/look-behind assertions will not backtrack to make
14218588
GS
922the tail match, since they are in "logical" context: only
923whether they match is considered relevant. For an example
9da458fc 924where side-effects of look-ahead I<might> have influenced the
c47ff5f1 925following match, see L<C<< (?>pattern) >>>.
c277df42 926
a0d0e21e
LW
927=head2 Version 8 Regular Expressions
928
5a964f20 929In case you're not familiar with the "regular" Version 8 regex
a0d0e21e
LW
930routines, here are the pattern-matching rules not described above.
931
54310121 932Any single character matches itself, unless it is a I<metacharacter>
a0d0e21e 933with a special meaning described here or above. You can cause
5a964f20 934characters that normally function as metacharacters to be interpreted
5f05dabc 935literally by prefixing them with a "\" (e.g., "\." matches a ".", not any
a0d0e21e
LW
936character; "\\" matches a "\"). A series of characters matches that
937series of characters in the target string, so the pattern C<blurfl>
938would match "blurfl" in the target string.
939
940You can specify a character class, by enclosing a list of characters
5a964f20 941in C<[]>, which will match any one character from the list. If the
a0d0e21e 942first character after the "[" is "^", the class matches any character not
14218588 943in the list. Within a list, the "-" character specifies a
5a964f20 944range, so that C<a-z> represents all characters between "a" and "z",
8a4f6ac2
GS
945inclusive. If you want either "-" or "]" itself to be a member of a
946class, put it at the start of the list (possibly after a "^"), or
947escape it with a backslash. "-" is also taken literally when it is
948at the end of the list, just before the closing "]". (The
84850974
DD
949following all specify the same class of three characters: C<[-az]>,
950C<[az-]>, and C<[a\-z]>. All are different from C<[a-z]>, which
951specifies a class containing twenty-six characters.)
1209ba90
JH
952Also, if you try to use the character classes C<\w>, C<\W>, C<\s>,
953C<\S>, C<\d>, or C<\D> as endpoints of a range, that's not a range,
954the "-" is understood literally.
a0d0e21e 955
8ada0baa
JH
956Note also that the whole range idea is rather unportable between
957character sets--and even within character sets they may cause results
958you probably didn't expect. A sound principle is to use only ranges
959that begin from and end at either alphabets of equal case ([a-e],
960[A-E]), or digits ([0-9]). Anything else is unsafe. If in doubt,
961spell out the character sets in full.
962
54310121 963Characters may be specified using a metacharacter syntax much like that
a0d0e21e
LW
964used in C: "\n" matches a newline, "\t" a tab, "\r" a carriage return,
965"\f" a form feed, etc. More generally, \I<nnn>, where I<nnn> is a string
966of octal digits, matches the character whose ASCII value is I<nnn>.
0f36ee90 967Similarly, \xI<nn>, where I<nn> are hexadecimal digits, matches the
a0d0e21e 968character whose ASCII value is I<nn>. The expression \cI<x> matches the
54310121 969ASCII character control-I<x>. Finally, the "." metacharacter matches any
a0d0e21e
LW
970character except "\n" (unless you use C</s>).
971
972You can specify a series of alternatives for a pattern using "|" to
973separate them, so that C<fee|fie|foe> will match any of "fee", "fie",
5a964f20 974or "foe" in the target string (as would C<f(e|i|o)e>). The
a0d0e21e
LW
975first alternative includes everything from the last pattern delimiter
976("(", "[", or the beginning of the pattern) up to the first "|", and
977the last alternative contains everything from the last "|" to the next
14218588
GS
978pattern delimiter. That's why it's common practice to include
979alternatives in parentheses: to minimize confusion about where they
a3cb178b
GS
980start and end.
981
5a964f20 982Alternatives are tried from left to right, so the first
a3cb178b
GS
983alternative found for which the entire expression matches, is the one that
984is chosen. This means that alternatives are not necessarily greedy. For
628afcb5 985example: when matching C<foo|foot> against "barefoot", only the "foo"
a3cb178b
GS
986part will match, as that is the first alternative tried, and it successfully
987matches the target string. (This might not seem important, but it is
988important when you are capturing matched text using parentheses.)
989
5a964f20 990Also remember that "|" is interpreted as a literal within square brackets,
a3cb178b 991so if you write C<[fee|fie|foe]> you're really only matching C<[feio|]>.
a0d0e21e 992
14218588
GS
993Within a pattern, you may designate subpatterns for later reference
994by enclosing them in parentheses, and you may refer back to the
995I<n>th subpattern later in the pattern using the metacharacter
996\I<n>. Subpatterns are numbered based on the left to right order
997of their opening parenthesis. A backreference matches whatever
998actually matched the subpattern in the string being examined, not
999the rules for that subpattern. Therefore, C<(0|0x)\d*\s\1\d*> will
1000match "0x1234 0x4321", but not "0x1234 01234", because subpattern
10011 matched "0x", even though the rule C<0|0x> could potentially match
1002the leading 0 in the second number.
cb1a09d0 1003
19799a22 1004=head2 Warning on \1 vs $1
cb1a09d0 1005
5a964f20 1006Some people get too used to writing things like:
cb1a09d0
AD
1007
1008 $pattern =~ s/(\W)/\\\1/g;
1009
1010This is grandfathered for the RHS of a substitute to avoid shocking the
1011B<sed> addicts, but it's a dirty habit to get into. That's because in
5f05dabc 1012PerlThink, the righthand side of a C<s///> is a double-quoted string. C<\1> in
cb1a09d0
AD
1013the usual double-quoted string means a control-A. The customary Unix
1014meaning of C<\1> is kludged in for C<s///>. However, if you get into the habit
1015of doing that, you get yourself into trouble if you then add an C</e>
1016modifier.
1017
5a964f20 1018 s/(\d+)/ \1 + 1 /eg; # causes warning under -w
cb1a09d0
AD
1019
1020Or if you try to do
1021
1022 s/(\d+)/\1000/;
1023
1024You can't disambiguate that by saying C<\{1}000>, whereas you can fix it with
14218588 1025C<${1}000>. The operation of interpolation should not be confused
cb1a09d0
AD
1026with the operation of matching a backreference. Certainly they mean two
1027different things on the I<left> side of the C<s///>.
9fa51da4 1028
c84d73f1
IZ
1029=head2 Repeated patterns matching zero-length substring
1030
19799a22 1031B<WARNING>: Difficult material (and prose) ahead. This section needs a rewrite.
c84d73f1
IZ
1032
1033Regular expressions provide a terse and powerful programming language. As
1034with most other power tools, power comes together with the ability
1035to wreak havoc.
1036
1037A common abuse of this power stems from the ability to make infinite
628afcb5 1038loops using regular expressions, with something as innocuous as:
c84d73f1
IZ
1039
1040 'foo' =~ m{ ( o? )* }x;
1041
1042The C<o?> can match at the beginning of C<'foo'>, and since the position
1043in the string is not moved by the match, C<o?> would match again and again
14218588 1044because of the C<*> modifier. Another common way to create a similar cycle
c84d73f1
IZ
1045is with the looping modifier C<//g>:
1046
1047 @matches = ( 'foo' =~ m{ o? }xg );
1048
1049or
1050
1051 print "match: <$&>\n" while 'foo' =~ m{ o? }xg;
1052
1053or the loop implied by split().
1054
1055However, long experience has shown that many programming tasks may
14218588
GS
1056be significantly simplified by using repeated subexpressions that
1057may match zero-length substrings. Here's a simple example being:
c84d73f1
IZ
1058
1059 @chars = split //, $string; # // is not magic in split
1060 ($whitewashed = $string) =~ s/()/ /g; # parens avoid magic s// /
1061
9da458fc 1062Thus Perl allows such constructs, by I<forcefully breaking
c84d73f1
IZ
1063the infinite loop>. The rules for this are different for lower-level
1064loops given by the greedy modifiers C<*+{}>, and for higher-level
1065ones like the C</g> modifier or split() operator.
1066
19799a22
GS
1067The lower-level loops are I<interrupted> (that is, the loop is
1068broken) when Perl detects that a repeated expression matched a
1069zero-length substring. Thus
c84d73f1
IZ
1070
1071 m{ (?: NON_ZERO_LENGTH | ZERO_LENGTH )* }x;
1072
1073is made equivalent to
1074
1075 m{ (?: NON_ZERO_LENGTH )*
1076 |
1077 (?: ZERO_LENGTH )?
1078 }x;
1079
1080The higher level-loops preserve an additional state between iterations:
1081whether the last match was zero-length. To break the loop, the following
1082match after a zero-length match is prohibited to have a length of zero.
1083This prohibition interacts with backtracking (see L<"Backtracking">),
1084and so the I<second best> match is chosen if the I<best> match is of
1085zero length.
1086
19799a22 1087For example:
c84d73f1
IZ
1088
1089 $_ = 'bar';
1090 s/\w??/<$&>/g;
1091
1092results in C<"<><b><><a><><r><>">. At each position of the string the best
1093match given by non-greedy C<??> is the zero-length match, and the I<second
1094best> match is what is matched by C<\w>. Thus zero-length matches
1095alternate with one-character-long matches.
1096
1097Similarly, for repeated C<m/()/g> the second-best match is the match at the
1098position one notch further in the string.
1099
19799a22 1100The additional state of being I<matched with zero-length> is associated with
c84d73f1 1101the matched string, and is reset by each assignment to pos().
9da458fc
IZ
1102Zero-length matches at the end of the previous match are ignored
1103during C<split>.
c84d73f1 1104
35a734be
IZ
1105=head2 Combining pieces together
1106
1107Each of the elementary pieces of regular expressions which were described
1108before (such as C<ab> or C<\Z>) could match at most one substring
1109at the given position of the input string. However, in a typical regular
1110expression these elementary pieces are combined into more complicated
1111patterns using combining operators C<ST>, C<S|T>, C<S*> etc
1112(in these examples C<S> and C<T> are regular subexpressions).
1113
1114Such combinations can include alternatives, leading to a problem of choice:
1115if we match a regular expression C<a|ab> against C<"abc">, will it match
1116substring C<"a"> or C<"ab">? One way to describe which substring is
1117actually matched is the concept of backtracking (see L<"Backtracking">).
1118However, this description is too low-level and makes you think
1119in terms of a particular implementation.
1120
1121Another description starts with notions of "better"/"worse". All the
1122substrings which may be matched by the given regular expression can be
1123sorted from the "best" match to the "worst" match, and it is the "best"
1124match which is chosen. This substitutes the question of "what is chosen?"
1125by the question of "which matches are better, and which are worse?".
1126
1127Again, for elementary pieces there is no such question, since at most
1128one match at a given position is possible. This section describes the
1129notion of better/worse for combining operators. In the description
1130below C<S> and C<T> are regular subexpressions.
1131
13a2d996 1132=over 4
35a734be
IZ
1133
1134=item C<ST>
1135
1136Consider two possible matches, C<AB> and C<A'B'>, C<A> and C<A'> are
1137substrings which can be matched by C<S>, C<B> and C<B'> are substrings
1138which can be matched by C<T>.
1139
1140If C<A> is better match for C<S> than C<A'>, C<AB> is a better
1141match than C<A'B'>.
1142
1143If C<A> and C<A'> coincide: C<AB> is a better match than C<AB'> if
1144C<B> is better match for C<T> than C<B'>.
1145
1146=item C<S|T>
1147
1148When C<S> can match, it is a better match than when only C<T> can match.
1149
1150Ordering of two matches for C<S> is the same as for C<S>. Similar for
1151two matches for C<T>.
1152
1153=item C<S{REPEAT_COUNT}>
1154
1155Matches as C<SSS...S> (repeated as many times as necessary).
1156
1157=item C<S{min,max}>
1158
1159Matches as C<S{max}|S{max-1}|...|S{min+1}|S{min}>.
1160
1161=item C<S{min,max}?>
1162
1163Matches as C<S{min}|S{min+1}|...|S{max-1}|S{max}>.
1164
1165=item C<S?>, C<S*>, C<S+>
1166
1167Same as C<S{0,1}>, C<S{0,BIG_NUMBER}>, C<S{1,BIG_NUMBER}> respectively.
1168
1169=item C<S??>, C<S*?>, C<S+?>
1170
1171Same as C<S{0,1}?>, C<S{0,BIG_NUMBER}?>, C<S{1,BIG_NUMBER}?> respectively.
1172
c47ff5f1 1173=item C<< (?>S) >>
35a734be
IZ
1174
1175Matches the best match for C<S> and only that.
1176
1177=item C<(?=S)>, C<(?<=S)>
1178
1179Only the best match for C<S> is considered. (This is important only if
1180C<S> has capturing parentheses, and backreferences are used somewhere
1181else in the whole regular expression.)
1182
1183=item C<(?!S)>, C<(?<!S)>
1184
1185For this grouping operator there is no need to describe the ordering, since
1186only whether or not C<S> can match is important.
1187
14455d6c 1188=item C<(??{ EXPR })>
35a734be
IZ
1189
1190The ordering is the same as for the regular expression which is
1191the result of EXPR.
1192
1193=item C<(?(condition)yes-pattern|no-pattern)>
1194
1195Recall that which of C<yes-pattern> or C<no-pattern> actually matches is
1196already determined. The ordering of the matches is the same as for the
1197chosen subexpression.
1198
1199=back
1200
1201The above recipes describe the ordering of matches I<at a given position>.
1202One more rule is needed to understand how a match is determined for the
1203whole regular expression: a match at an earlier position is always better
1204than a match at a later position.
1205
c84d73f1
IZ
1206=head2 Creating custom RE engines
1207
1208Overloaded constants (see L<overload>) provide a simple way to extend
1209the functionality of the RE engine.
1210
1211Suppose that we want to enable a new RE escape-sequence C<\Y|> which
1212matches at boundary between white-space characters and non-whitespace
1213characters. Note that C<(?=\S)(?<!\S)|(?!\S)(?<=\S)> matches exactly
1214at these positions, so we want to have each C<\Y|> in the place of the
1215more complicated version. We can create a module C<customre> to do
1216this:
1217
1218 package customre;
1219 use overload;
1220
1221 sub import {
1222 shift;
1223 die "No argument to customre::import allowed" if @_;
1224 overload::constant 'qr' => \&convert;
1225 }
1226
1227 sub invalid { die "/$_[0]/: invalid escape '\\$_[1]'"}
1228
1229 my %rules = ( '\\' => '\\',
1230 'Y|' => qr/(?=\S)(?<!\S)|(?!\S)(?<=\S)/ );
1231 sub convert {
1232 my $re = shift;
1233 $re =~ s{
1234 \\ ( \\ | Y . )
1235 }
1236 { $rules{$1} or invalid($re,$1) }sgex;
1237 return $re;
1238 }
1239
1240Now C<use customre> enables the new escape in constant regular
1241expressions, i.e., those without any runtime variable interpolations.
1242As documented in L<overload>, this conversion will work only over
1243literal parts of regular expressions. For C<\Y|$re\Y|> the variable
1244part of this regular expression needs to be converted explicitly
1245(but only if the special meaning of C<\Y|> should be enabled inside $re):
1246
1247 use customre;
1248 $re = <>;
1249 chomp $re;
1250 $re = customre::convert $re;
1251 /\Y|$re\Y|/;
1252
19799a22
GS
1253=head1 BUGS
1254
9da458fc
IZ
1255This document varies from difficult to understand to completely
1256and utterly opaque. The wandering prose riddled with jargon is
1257hard to fathom in several places.
1258
1259This document needs a rewrite that separates the tutorial content
1260from the reference content.
19799a22
GS
1261
1262=head1 SEE ALSO
9fa51da4 1263
9b599b2a
GS
1264L<perlop/"Regexp Quote-Like Operators">.
1265
1e66bd83
PP
1266L<perlop/"Gory details of parsing quoted constructs">.
1267
14218588
GS
1268L<perlfaq6>.
1269
9b599b2a
GS
1270L<perlfunc/pos>.
1271
1272L<perllocale>.
1273
14218588
GS
1274I<Mastering Regular Expressions> by Jeffrey Friedl, published
1275by O'Reilly and Associates.