Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

What do ^ and $ mean in a regular expression?

Tags:

java

regex

What is the difference between "\\w+@\\w+[.]\\w+" and "^\\w+@\\w+[.]\\w+$"? I have tried to google for it but no luck.

like image 509
ipkiss Avatar asked Aug 02 '11 07:08

ipkiss


People also ask

What does '$' mean in regex?

$ means "Match the end of the string" (the position after the last character in the string). Both are called anchors and ensure that the entire string is matched instead of just a substring.

What does \\ s+ mean in regex?

The plus sign + is a greedy quantifier, which means one or more times. For example, expression X+ matches one or more X characters. Therefore, the regular expression \s matches a single whitespace character, while \s+ will match one or more whitespace characters.

What is difference [] and () in regex?

[] denotes a character class. () denotes a capturing group. [a-z0-9] -- One character that is in the range of a-z OR 0-9. (a-z0-9) -- Explicit capture of a-z0-9 .


2 Answers

^ means "Match the start of the string" (more exactly, the position before the first character in the string, so it does not match an actual character).

$ means "Match the end of the string" (the position after the last character in the string).

Both are called anchors and ensure that the entire string is matched instead of just a substring.

So in your example, the first regex will report a match on [email protected], but the matched text will be [email protected], probably not what you expected. The second regex will simply fail.

Be careful, as some regex implementations implicitly anchor the regex at the start/end of the string (for example Java's .matches(), if you're using that).

If the multiline option is set (using the (?m) flag, for example, or by doing Pattern.compile("^\\w+@\\w+[.]\\w+$", Pattern.MULTILINE)), then ^ and $ also match at the start and end of a line.

like image 69
Tim Pietzcker Avatar answered Sep 27 '22 22:09

Tim Pietzcker


Try the Javadoc:

http://download.oracle.com/javase/6/docs/api/java/util/regex/Pattern.html

^ and $ match the beginnings/endings of a line (without consuming them)

like image 29
Lukas Eder Avatar answered Sep 27 '22 23:09

Lukas Eder