How come this code returns true?
string to match: ab
pattern: /^a|b$/
but when I put parentheses like this:
pattern: /^(a|b)$/
it will then return false.
How come this code returns true?
string to match: ab
pattern: /^a|b$/
but when I put parentheses like this:
pattern: /^(a|b)$/
it will then return false.
The first pattern without the parenthesis is equivalent to /(^a)|(b$)/.
The reason is, that the pipe operator ("alternation operator") has the lowest precedence of all regex operators: http://www.regular-expressions.info/alternation.html (Third paragraph below the first heading)
/^a|b$/ matches a string which begins with an a OR ends with a b. So it matches afoo, barb, a, b.
/^(a|b)$/ : Matches a string which begins and ends with an a or b. So it matches either an a or b and nothing else.
This happens because alteration | has very low precedence among regex operators.
| has lower priority than the anchors, so you're saying either ^a or b$ (which is true) as opposed to the 2nd one which means "a single character string, either a or b" (which is false).