I'm having a problem where when I try to select the rows that have a NULL for a certain column, it returns an empty set. However, when I look at the table in phpMyAdmin, it says null for most of the rows.
My query looks something like this:
SELECT pid FROM planets WHERE userid = NULL
Empty set every time.
A lot of places said to make sure it's not stored as "NULL" or "null" instead of an actual value, and one said to try looking for just a space (
userid = ' '
) but none of these have worked. There was a suggestion to not use MyISAM and use innoDB because MyISAM has trouble storing null. I switched the table to innoDB but now I feel like the problem may be that it still isn't actually null because of the way it might convert it. I'd like to do this without having to recreate the table as innoDB or anything else, but if I have to, I can certainly try that.
Answers:
SQL NULL's special, and you have to do
WHERE field IS NULL
, as NULL cannot be equal to anything,
As all are given answers I want to add little more. I had also faced the same issue.
Why did your query fail? You have,
SELECT pid FROM planets WHERE userid = NULL;
This will not give you the expected result, because from mysql doc
In SQL, the NULL value is never true in comparison to any other value, even NULL. An expression that contains NULL always produces a NULL value unless otherwise indicated in the documentation for the operators and functions involved in the expression.
Emphasis mine.
To search for column values that areNULL
, you cannot use anexpr = NULL
test. The following statement returns no rows, becauseexpr = NULL
is never true for any expression
Solution
SELECT pid FROM planets WHERE userid IS NULL;
To test for
NULL
, use the IS NULL
and IS NOT NULL
operators.- operator IS NULL tests whether a value is
NULL
. - operator IS NOT NULL tests whether a value is not
NULL
. - MySQL comparison operators
Info from http://w3schools.com/sql/sql_null_values.asp:
1) NULL values represent missing unknown data.2) By default, a table column can hold NULL values.3) NULL values are treated differently from other values4) It is not possible to compare NULL and 0; they are not equivalent.5) It is not possible to test for NULL values with comparison operators, such as =, <, or <>.6) We will have to use the IS NULL and IS NOT NULL operators instead
So in case of your problem:
SELECT pid FROM planets WHERE userid IS NULL
I had the same issue when converting databases from Access to MySQL (using vb.net to communicate with the database).
I needed to assess if a field (field type varchar(1)) was null.
This statement worked for my scenario:
SELECT * FROM [table name] WHERE [field name] = ''
0 comments:
Post a Comment