sqlite null is the term used to represent a missing value. a null value in a table is a value in a field that appears to be blank.
a field with a null value is a field with no value. it is very important to understand that a null value is different than a zero value or a field that contains spaces.
syntax
following is the basic syntax of using null while creating a table.
sqlite> create table company( id int primary key not null, name text not null, age int not null, address char(50), salary real );
here, not null signifies that the column should always accept an explicit value of the given data type. there are two columns where we did not use not null which means these columns could be null.
a field with a null value is one that has been left blank during record creation.
example
the null value can cause problems when selecting data, because when comparing an unknown value to any other value, the result is always unknown and not included in the final results. consider the following table, company with the following records −
id name age address salary ---------- ---------- ---------- ---------- ---------- 1 paul 32 california 20000.0 2 allen 25 texas 15000.0 3 teddy 23 norway 20000.0 4 mark 25 rich-mond 65000.0 5 david 27 texas 85000.0 6 kim 22 south-hall 45000.0 7 james 24 houston 10000.0
let us use update statement to set a few nullable values as null as follows −
sqlite> update company set address = null, salary = null where id in(6,7);
now, company table will have the following records.
id name age address salary ---------- ---------- ---------- ---------- ---------- 1 paul 32 california 20000.0 2 allen 25 texas 15000.0 3 teddy 23 norway 20000.0 4 mark 25 rich-mond 65000.0 5 david 27 texas 85000.0 6 kim 22 7 james 24
next, let us see the usage of is not null operator to list down all the records where salary is not null.
sqlite> select  id, name, age, address, salary
        from company
        where salary is not null;
the above sqlite statement will produce the following result −
id name age address salary ---------- ---------- ---------- ---------- ---------- 1 paul 32 california 20000.0 2 allen 25 texas 15000.0 3 teddy 23 norway 20000.0 4 mark 25 rich-mond 65000.0 5 david 27 texas 85000.0
following is the usage of is null operator, which will list down all the records where salary is null.
sqlite> select  id, name, age, address, salary
        from company
        where salary is null;
the above sqlite statement will produce the following result.
id name age address salary ---------- ---------- ---------- ---------- ---------- 6 kim 22 7 james 24
