I working on a regular expression which returns 1 only in case given value is A or B.
I used
select 'A' REGEXP '^A|B$'
The '|' symbol is behaving like "or", but the result is not as expected with AB:
select 'AB' REGEXP '^A|B$' = 1
while I expect no match here.
Your current solution matches
^A
-A
at the start of the string|
- orB$
-B
at the end of the string.The
REGEXP
operator can return partial matches (unlikeLIKE
operator that requires the wildcard pattern to match the whole string), and thus can matchABC
andCAB
. See the regex demo.You may use
The
A|B
is inside a grouping construct here and^
and$
both modify theA
andB
branch. See this regex demo.If these
A
andB
are single chars, use a[AB]
bracket expression:where
[AB]
matchesA
orB
, and the^
/$
anchors modify each letter inside the brackets.See this regex demo.