Anchors
Anchors do not match anything by themselves. Instead, they place restrictions on where matches may appear—“anchoring” matches.
You could also think about anchors as “invisible characters”.
Beginning of line — ^
Marked by a caret (^
) at the beginning of the regex, this anchor makes it necessary for the rest of the regex to match from the beginning of the string.
You can think of it as matching an invisible character always present at the beginning of the string.
/^p/g
- 1 match
photoshop
- 1 match
pineapple
- 0 matches
tap
- 0 matches
apple
- 1 match
ppap
- 0 matches
mango
End of line — $
This anchor is marked by a dollar ($
) at the end of the regex. It is analogous to the beginning of the line anchor.
You can think of it as matching an invisible character always present at the end of the string.
/p$/g
- 1 match
photoshop
- 0 matches
pineapple
- 0 matches
apple
- 1 match
app
- 0 matches
Plum
- 0 matches
mango
The ^
and $
anchors are often used in conjunction to ensure that the regex matches the entirety of the string, rather than merely a part.
/^p$/g
- 1 match
p
- 0 matches
pi
- 0 matches
pea
- 0 matches
tarp
- 0 matches
apple
Let’s revisit an example from Repetition, and add the two anchors at the ends of the regex.
/^https?$/g
- 1 match
http
- 1 match
https
- 0 matches
http/2
- 0 matches
shttp
- 0 matches
ftp
In the absence of the anchors, http/2
and shttp
would also match.
Word boundary — \b
A word boundary is a position between a word character and a non-word character.
The word boundary anchor, \b
, matches an imaginary invisible character that exists between consecutive word and non-word characters.
/\bp/g
- 1 match
peach
- 1 match
banana, peach
- 1 match
banana+peach
- 1 match
banana-peach
- 0 matches
banana_peach
- 0 matches
banana%20peach
- 0 matches
grape
Words characters include a-z
, A-Z
, 0-9
, and _
.
/\bp\b/g
- 1 match
word p word
- 1 match
(p)
- 1 match
p+q+r
- 0 matches
(paren)
- 0 matches
(loop)
- 0 matches
loops
/\bcat\b/g
- 1 match
cat
- 1 match
the cat?
- 0 matches
catch
- 0 matches
concat it
- 0 matches
concatenate
There is also a non-word-boundary anchors: \B
.
As the name suggests, it matches everything apart from word boundaries.
/\Bp/g
- 1 match
ape
- 1 match
leap
- 1 match
(leap)
- 0 matches
a pot
- 0 matches
pea
/\Bp\B/g
- 1 match
ape
- 1 match
_peel
- 0 matches
leap
- 0 matches
(leap)
- 0 matches
a pot
- 0 matches
pea
^…$
and \b…\b
are common patterns and you will almost always need one or the other to prevent accidental matches.
Examples
Trailing whitespace
/\s+$/gm
- 1 match
abc
- 1 match
def
- 0 matches
abc def
Markdown headings
/^## /gm
- 0 matches
# Heading 1
- 1 match
## Heading 2
- 0 matches
### Heading 3
- 0 matches
#### Heading 4
Without anchors:
/## /gm
- 0 matches
# Heading 1
- 1 match
## Heading 2
- 1 match
### Heading 3
- 1 match
#### Heading 4