I am wondering how or/and works?
For example if I want to get all rows where display = 1
I can just do WHERE tablename.display = 1
and i
You need to use brackets for your multiple OR
conditions. And for display = 1 OR display = 2
you can use display IN(1,2)
. Try this:
SELECT * FROM tableName
WHERE display IN (1,2)
AND (content LIKE "%hello world%"
OR tags LIKE "%hello world%"
OR title LIKE "%hello world%")
For more info look at MySQL: Operator Precedence
The MySQL documentation has a good page with information on which operators take precedence.
From that page,
12.3.1. Operator Precedence
Operator precedences are shown in the following list, from highest precedence to the lowest. Operators that are shown together on a line have the same precedence.
INTERVAL BINARY, COLLATE ! - (unary minus), ~ (unary bit inversion) ^ *, /, DIV, %, MOD -, + <<, >> & | = (comparison), <=>, >=, >, <=, <, <>, !=, IS, LIKE, REGEXP, IN BETWEEN, CASE, WHEN, THEN, ELSE NOT &&, AND XOR ||, OR = (assignment), :=
So your original query
Select
*
from tablename
where
display = 1
or display = 2
and content like "%hello world%"
or tags like "%hello world%"
or title = "%hello world%"
would be interpreted as
Select
*
from tablename
where
(display = 1)
or (
(display = 2)
and (content like "%hello world%")
)
or (tags like "%hello world%")
or (title = "%hello world%")
When in doubt, use parenthesis to make your intent clear. While the information on the MySQL page is helpful, it may not be immediately obvious if the query is ever revisited.
You might consider something like the following. Note that I've changed the title = "%hello world%"
to title like "%hello world%"
, since that fits better with the goal you've described.
Select
*
from tablename
where
(
(display = 1)
or (display = 2)
) and (
(content like "%hello world%")
or (tags like "%hello world%")
or (title like "%hello world%")
)
in all SQL servers, AND
takes precedence over OR
, so just remember to put brackets around your OR
s:
select * from tablename
where (display = 1 or display = 2)
and (content like "%hello world%"
or tags like "%hello world%"
or title = "%hello world%")
btw (display = 1 or display = 2)
is equivalent to display in (1, 2)
.
Run this query:
select 1 or 1 and 0
If it comes out as 1
, then that means the precedence is:
select 1 or (1 and 0)
if it comes out 0
, then the precedence is:
select (1 or 1) and 0
Spoiler: it comes out 1
That is to say, AND
s are evaluated before OR
s, or as I like to say, ANDs are stickier.