SQLite Tutorial on SQLite Quick Guide

this chapter helps you understand what is sqlite, how it differs from sql, why it is needed and the way in which it handles the applications database.

sqlite is a software library that implements a self-contained, serverless, zero-configuration, transactional sql database engine. sqlite is one of the fastest-growing database engines around, but that's growth in terms of popularity, not anything to do with its size. the source code for sqlite is in the public domain.

what is sqlite?

sqlite is an in-process library that implements a self-contained, serverless, zero-configuration, transactional sql database engine. it is a database, which is zero-configured, which means like other databases you do not need to configure it in your system.

sqlite engine is not a standalone process like other databases, you can link it statically or dynamically as per your requirement with your application. sqlite accesses its storage files directly.

why sqlite?

  • sqlite does not require a separate server process or system to operate (serverless).

  • sqlite comes with zero-configuration, which means no setup or administration needed.

  • a complete sqlite database is stored in a single cross-platform disk file.

  • sqlite is very small and light weight, less than 400kib fully configured or less than 250kib with optional features omitted.

  • sqlite is self-contained, which means no external dependencies.

  • sqlite transactions are fully acid-compliant, allowing safe access from multiple processes or threads.

  • sqlite supports most of the query language features found in sql92 (sql2) standard.

  • sqlite is written in ansi-c and provides simple and easy-to-use api.

  • sqlite is available on unix (linux, mac os-x, android, ios) and windows (win32, wince, winrt).

sqlite a brief history

  • 2000 - d. richard hipp designed sqlite for the purpose of no administration required for operating a program.

  • 2000 - in august, sqlite 1.0 released with gnu database manager.

  • 2011 - hipp announced to add unql interface to sqlite db and to develop unqlite (document oriented database).

sqlite limitations

there are few unsupported features of sql92 in sqlite which are listed in the following table.

sr.no. feature & description
1

right outer join

only left outer join is implemented.

2

full outer join

only left outer join is implemented.

3

alter table

the rename table and add column variants of the alter table command are supported. the drop column, alter column, add constraint are not supported.

4

trigger support

for each row triggers are supported but not for each statement triggers.

5

views

views in sqlite are read-only. you may not execute a delete, insert, or update statement on a view.

6

grant and revoke

the only access permissions that can be applied are the normal file access permissions of the underlying operating system.

sqlite commands

the standard sqlite commands to interact with relational databases are similar to sql. they are create, select, insert, update, delete and drop. these commands can be classified into groups based on their operational nature −

ddl - data definition language

sr.no. command & description
1

create

creates a new table, a view of a table, or other object in database.

2

alter

modifies an existing database object, such as a table.

3

drop

deletes an entire table, a view of a table or other object in the database.

dml - data manipulation language

sr.no. command & description
1

insert

creates a record

2

update

modifies records

3

delete

deletes records

dql - data query language

sr.no. command & description
1

select

retrieves certain records from one or more tables

sqlite is famous for its great feature zero-configuration, which means no complex setup or administration is needed. this chapter will take you through the process of setting up sqlite on windows, linux and mac os x.

install sqlite on windows

  • step 1 − go to sqlite download page, and download precompiled binaries from windows section.

  • step 2 − download sqlite-shell-win32-*.zip and sqlite-dll-win32-*.zip zipped files.

  • step 3 − create a folder c:\>sqlite and unzip above two zipped files in this folder, which will give you sqlite3.def, sqlite3.dll and sqlite3.exe files.

  • step 4 − add c:\>sqlite in your path environment variable and finally go to the command prompt and issue sqlite3 command, which should display the following result.

c:\>sqlite3
sqlite version 3.7.15.2 2013-01-09 11:53:05
enter ".help" for instructions
enter sql statements terminated with a ";"
sqlite>

install sqlite on linux

today, almost all the flavours of linux os are being shipped with sqlite. so you just issue the following command to check if you already have sqlite installed on your machine.

$sqlite3
sqlite version 3.7.15.2 2013-01-09 11:53:05
enter ".help" for instructions
enter sql statements terminated with a ";"
sqlite>

if you do not see the above result, then it means you do not have sqlite installed on your linux machine. following are the following steps to install sqlite −

  • step 1 − go to sqlite download page and download sqlite-autoconf-*.tar.gz from source code section.

  • step 2 − run the following command −

$tar xvfz sqlite-autoconf-3071502.tar.gz
$cd sqlite-autoconf-3071502
$./configure --prefix=/usr/local
$make
$make install

the above command will end with sqlite installation on your linux machine. which you can verify as explained above.

install sqlite on mac os x

though the latest version of mac os x comes pre-installed with sqlite but if you do not have installation available then just follow these following steps −

  • step 1 − go to sqlite download page, and download sqlite-autoconf-*.tar.gz from source code section.

  • step 2 − run the following command −

$tar xvfz sqlite-autoconf-3071502.tar.gz
$cd sqlite-autoconf-3071502
$./configure --prefix=/usr/local
$make
$make install

the above procedure will end with sqlite installation on your mac os x machine. which you can verify by issuing the following command −

$sqlite3
sqlite version 3.7.15.2 2013-01-09 11:53:05
enter ".help" for instructions
enter sql statements terminated with a ";"
sqlite>

finally, you have sqlite command prompt where you can issue sqlite commands for your exercises.

this chapter will take you through simple and useful commands used by sqlite programmers. these commands are called sqlite dot commands and exception with these commands is that they should not be terminated by a semi-colon (;).

let's start with typing a simple sqlite3 command at command prompt which will provide you with sqlite command prompt where you will issue various sqlite commands.

$sqlite3
sqlite version 3.3.6
enter ".help" for instructions
sqlite>

for a listing of the available dot commands, you can enter ".help" any time. for example −

sqlite>.help

the above command will display a list of various important sqlite dot commands, which are listed in the following table.

sr.no. command & description
1

.backup ?db? file

backup db (default "main") to file

2

.bail on|off

stop after hitting an error. default off

3

.databases

list names and files of attached databases

4

.dump ?table?

dump the database in an sql text format. if table specified, only dump tables matching like pattern table

5

.echo on|off

turn command echo on or off

6

.exit

exit sqlite prompt

7

.explain on|off

turn output mode suitable for explain on or off. with no args, it turns explain on

8

.header(s) on|off

turn display of headers on or off

9

.help

show this message

10

.import file table

import data from file into table

11

.indices ?table?

show names of all indices. if table specified, only show indices for tables matching like pattern table

12

.load file ?entry?

load an extension library

13

.log file|off

turn logging on or off. file can be stderr/stdout

14

.mode mode

set output mode where mode is one of −

  • csv − comma-separated values

  • column − left-aligned columns.

  • html − html <table> code

  • insert − sql insert statements for table

  • line − one value per line

  • list − values delimited by .separator string

  • tabs − tab-separated values

  • tcl − tcl list elements

15

.nullvalue string

print string in place of null values

16

.output filename

send output to filename

17

.output stdout

send output to the screen

18

.print string...

print literal string

19

.prompt main continue

replace the standard prompts

20

.quit

exit sqlite prompt

21

.read filename

execute sql in filename

22

.schema ?table?

show the create statements. if table specified, only show tables matching like pattern table

23

.separator string

change separator used by output mode and .import

24

.show

show the current values for various settings

25

.stats on|off

turn stats on or off

26

.tables ?pattern?

list names of tables matching a like pattern

27

.timeout ms

try opening locked tables for ms milliseconds

28

.width num num

set column widths for "column" mode

29

.timer on|off

turn the cpu timer measurement on or off

let's try .show command to see default setting for your sqlite command prompt.

sqlite>.show
     echo: off
  explain: off
  headers: off
     mode: column
nullvalue: ""
   output: stdout
separator: "|"
    width:
sqlite>

make sure there is no space in between sqlite> prompt and dot command, otherwise it will not work.

formatting output

you can use the following sequence of dot commands to format your output.

sqlite>.header on
sqlite>.mode column
sqlite>.timer on
sqlite>

the above setting will produce the output in the following format.

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
cpu time: user 0.000000 sys 0.000000

the sqlite_master table

the master table holds the key information about your database tables and it is called sqlite_master. you can see its schema as follows −

sqlite>.schema sqlite_master

this will produce the following result.

create table sqlite_master (
   type text,
   name text,
   tbl_name text,
   rootpage integer,
   sql text
);

sqlite is followed by unique set of rules and guidelines called syntax. this chapter lists all the basic sqlite syntax.

case sensitivity

important point to be noted is that sqlite is case insensitive, but there are some commands, which are case sensitive like glob and glob have different meaning in sqlite statements.

comments

sqlite comments are extra notes, which you can add in your sqlite code to increase its readability and they can appear anywhere; whitespace can occur, including inside expressions and in the middle of other sql statements but they cannot be nested.

sql comments begin with two consecutive "-" characters (ascii 0x2d) and extend up to and including the next newline character (ascii 0x0a) or until the end of input, whichever comes first.

you can also use c-style comments, which begin with "/*" and extend up to and including the next "*/" character pair or until the end of input, whichever comes first. c-style comments can span multiple lines.

sqlite> .help -- this is a single line comment

sqlite statements

all the sqlite statements start with any of the keywords like select, insert, update, delete, alter, drop, etc., and all the statements end with a semicolon (;).

sqlite analyze statement

analyze;
or
analyze database_name;
or
analyze database_name.table_name;

sqlite and/or clause

select column1, column2....columnn
from table_name
where condition-1 {and|or} condition-2;

sqlite alter table statement

alter table table_name add column column_def...;

sqlite alter table statement (rename)

alter table table_name rename to new_table_name;

sqlite attach database statement

attach database 'databasename' as 'alias-name';

sqlite begin transaction statement

begin;
or
begin exclusive transaction;

sqlite between clause

select column1, column2....columnn
from table_name
where column_name between val-1 and val-2;

sqlite commit statement

commit;

sqlite create index statement

create index index_name
on table_name ( column_name collate nocase );

sqlite create unique index statement

create unique index index_name
on table_name ( column1, column2,...columnn);

sqlite create table statement

create table table_name(
   column1 datatype,
   column2 datatype,
   column3 datatype,
   .....
   columnn datatype,
   primary key( one or more columns )
);

sqlite create trigger statement

create trigger database_name.trigger_name 
before insert on table_name for each row
begin 
   stmt1; 
   stmt2;
   ....
end;

sqlite create view statement

create view database_name.view_name as
select statement....;

sqlite create virtual table statement

create virtual table database_name.table_name using weblog( access.log );
or
create virtual table database_name.table_name using fts3( );

sqlite commit transaction statement

commit;

sqlite count clause

select count(column_name)
from table_name
where condition;

sqlite delete statement

delete from table_name
where {condition};

sqlite detach database statement

detach database 'alias-name';

sqlite distinct clause

select distinct column1, column2....columnn
from table_name;

sqlite drop index statement

drop index database_name.index_name;

sqlite drop table statement

drop table database_name.table_name;

sqlite drop view statement

drop index database_name.view_name;

sqlite drop trigger statement

drop index database_name.trigger_name;

sqlite exists clause

select column1, column2....columnn
from table_name
where column_name exists (select * from   table_name );

sqlite explain statement

explain insert statement...;
or 
explain query plan select statement...;

sqlite glob clause

select column1, column2....columnn
from table_name
where column_name glob { pattern };

sqlite group by clause

select sum(column_name)
from table_name
where condition
group by column_name;

sqlite having clause

select sum(column_name)
from table_name
where condition
group by column_name
having (arithematic function condition);

sqlite insert into statement

insert into table_name( column1, column2....columnn)
values ( value1, value2....valuen);

sqlite in clause

select column1, column2....columnn
from table_name
where column_name in (val-1, val-2,...val-n);

sqlite like clause

select column1, column2....columnn
from table_name
where column_name like { pattern };

sqlite not in clause

select column1, column2....columnn
from table_name
where column_name not in (val-1, val-2,...val-n);

sqlite order by clause

select column1, column2....columnn
from table_name
where condition
order by column_name {asc|desc};

sqlite pragma statement

pragma pragma_name;

for example:

pragma page_size;
pragma cache_size = 1024;
pragma table_info(table_name);

sqlite release savepoint statement

release savepoint_name;

sqlite reindex statement

reindex collation_name;
reindex database_name.index_name;
reindex database_name.table_name;

sqlite rollback statement

rollback;
or
rollback to savepoint savepoint_name;

sqlite savepoint statement

savepoint savepoint_name;

sqlite select statement

select column1, column2....columnn
from table_name;

sqlite update statement

update table_name
set column1 = value1, column2 = value2....columnn=valuen
[ where  condition ];

sqlite vacuum statement

vacuum;

sqlite where clause

select column1, column2....columnn
from table_name
where condition;

sqlite data type is an attribute that specifies the type of data of any object. each column, variable and expression has related data type in sqlite.

you would use these data types while creating your tables. sqlite uses a more general dynamic type system. in sqlite, the datatype of a value is associated with the value itself, not with its container.

sqlite storage classes

each value stored in an sqlite database has one of the following storage classes −

sr.no. storage class & description
1

null

the value is a null value.

2

integer

the value is a signed integer, stored in 1, 2, 3, 4, 6, or 8 bytes depending on the magnitude of the value.

3

real

the value is a floating point value, stored as an 8-byte ieee floating point number.

4

text

the value is a text string, stored using the database encoding (utf-8, utf-16be or utf-16le)

5

blob

the value is a blob of data, stored exactly as it was input.

sqlite storage class is slightly more general than a datatype. the integer storage class, for example, includes 6 different integer datatypes of different lengths.

sqlite affinity type

sqlite supports the concept of type affinity on columns. any column can still store any type of data but the preferred storage class for a column is called its affinity. each table column in an sqlite3 database is assigned one of the following type affinities −

sr.no. affinity & description
1

text

this column stores all data using storage classes null, text or blob.

2

numeric

this column may contain values using all five storage classes.

3

integer

behaves the same as a column with numeric affinity, with an exception in a cast expression.

4

real

behaves like a column with numeric affinity except that it forces integer values into floating point representation.

5

none

a column with affinity none does not prefer one storage class over another and no attempt is made to coerce data from one storage class into another.

sqlite affinity and type names

following table lists down various data type names which can be used while creating sqlite3 tables with the corresponding applied affinity.

data type affinity
  • int
  • integer
  • tinyint
  • smallint
  • mediumint
  • bigint
  • unsigned big int
  • int2
  • int8
integer
  • character(20)
  • varchar(255)
  • varying character(255)
  • nchar(55)
  • native character(70)
  • nvarchar(100)
  • text
  • clob
text
  • blob
  • no datatype specified
none
  • real
  • double
  • double precision
  • float
real
  • numeric
  • decimal(10,5)
  • boolean
  • date
  • datetime
numeric

boolean datatype

sqlite does not have a separate boolean storage class. instead, boolean values are stored as integers 0 (false) and 1 (true).

date and time datatype

sqlite does not have a separate storage class for storing dates and/or times, but sqlite is capable of storing dates and times as text, real or integer values.

sr.no. storage class & date formate
1

text

a date in a format like "yyyy-mm-dd hh:mm:ss.sss"

2

real

the number of days since noon in greenwich on november 24, 4714 b.c.

3

integer

the number of seconds since 1970-01-01 00:00:00 utc

you can choose to store dates and times in any of these formats and freely convert between formats using the built-in date and time functions.

in sqlite, sqlite3 command is used to create a new sqlite database. you do not need to have any special privilege to create a database.

syntax

following is the basic syntax of sqlite3 command to create a database: −

$sqlite3 databasename.db

always, database name should be unique within the rdbms.

example

if you want to create a new database <testdb.db>, then sqlite3 statement would be as follows −

$sqlite3 testdb.db
sqlite version 3.7.15.2 2013-01-09 11:53:05
enter ".help" for instructions
enter sql statements terminated with a ";"
sqlite>

the above command will create a file testdb.db in the current directory. this file will be used as database by sqlite engine. if you have noticed while creating database, sqlite3 command will provide a sqlite> prompt after creating a database file successfully.

once a database is created, you can verify it in the list of databases using the following sqlite .databases command.

sqlite>.databases
seq  name             file
---  ---------------  ----------------------
0    main             /home/sqlite/testdb.db

you will use sqlite .quit command to come out of the sqlite prompt as follows −

sqlite>.quit
$

the .dump command

you can use .dump dot command to export complete database in a text file using the following sqlite command at the command prompt.

$sqlite3 testdb.db .dump > testdb.sql

the above command will convert the entire contents of testdb.db database into sqlite statements and dump it into ascii text file testdb.sql. you can perform restoration from the generated testdb.sql in a simple way as follows −

$sqlite3 testdb.db < testdb.sql

at this moment your database is empty, so you can try above two procedures once you have few tables and data in your database. for now, let's proceed to the next chapter.

consider a case when you have multiple databases available and you want to use any one of them at a time. sqlite attach database statement is used to select a particular database, and after this command, all sqlite statements will be executed under the attached database.

syntax

following is the basic syntax of sqlite attach database statement.

attach database 'databasename' as 'alias-name';

the above command will also create a database in case the database is already not created, otherwise it will just attach database file name with logical database 'alias-name'.

example

if you want to attach an existing database testdb.db, then attach database statement would be as follows −

sqlite> attach database 'testdb.db' as 'test';

use sqlite .database command to display attached database.

sqlite> .database
seq  name             file
---  ---------------  ----------------------
0    main             /home/sqlite/testdb.db
2    test             /home/sqlite/testdb.db

the database names main and temp are reserved for the primary database and database to hold temporary tables and other temporary data objects. both of these database names exist for every database connection and should not be used for attachment, otherwise you will get the following warning message.

sqlite> attach database 'testdb.db' as 'temp';
error: database temp is already in use
sqlite> attach database 'testdb.db' as 'main';
error: database temp is already in use

sqlite detach database statement is used to detach and dissociate a named database from a database connection which was previously attached using attach statement. if the same database file has been attached with multiple aliases, then detach command will disconnect only the given name and rest of the attachment will still continue. you cannot detach the main or temp databases.

if the database is an in-memory or temporary database, the database will be destroyed and the contents will be lost.

syntax

following is the basic syntax of sqlite detach database 'alias-name' statement.

detach database 'alias-name';

here, 'alias-name' is the same alias, which you had used while attaching the database using attach statement.

example

consider you have a database, which you created in the previous chapter and attached it with 'test' and 'currentdb' as we can see using .database command.

sqlite>.databases
seq  name             file
---  ---------------  ----------------------
0    main             /home/sqlite/testdb.db
2    test             /home/sqlite/testdb.db
3    currentdb        /home/sqlite/testdb.db

let's try to detach 'currentdb' from testdb.db using the following command.

sqlite> detach database 'currentdb';

now, if you will check the current attachment, you will find that testdb.db is still connected with 'test' and 'main'.

sqlite>.databases
seq  name             file
---  ---------------  ----------------------
0    main             /home/sqlite/testdb.db
2    test             /home/sqlite/testdb.db

sqlite create table statement is used to create a new table in any of the given database. creating a basic table involves naming the table and defining its columns and each column's data type.

syntax

following is the basic syntax of create table statement.

create table database_name.table_name(
   column1 datatype primary key(one or more columns),
   column2 datatype,
   column3 datatype,
   .....
   columnn datatype
);

create table is the keyword telling the database system to create a new table. the unique name or identifier for the table follows the create table statement. optionally, you can specify database_name along with table_name.

example

following is an example which creates a company table with id as the primary key and not null are the constraints showing that these fields cannot be null while creating records in this table.

sqlite> create table company(
   id int primary key     not null,
   name           text    not null,
   age            int     not null,
   address        char(50),
   salary         real
);

let us create one more table, which we will use in our exercises in subsequent chapters.

sqlite> create table department(
   id int primary key      not null,
   dept           char(50) not null,
   emp_id         int      not null
);

you can verify if your table has been created successfully using sqlite command .tables command, which will be used to list down all the tables in an attached database.

sqlite>.tables
company     department

here, you can see the company table twice because its showing company table for main database and test.company table for 'test' alias created for your testdb.db. you can get complete information about a table using the following sqlite .schema command.

sqlite>.schema company
create table company(
   id int primary key     not null,
   name           text    not null,
   age            int     not null,
   address        char(50),
   salary         real
);

sqlite drop table statement is used to remove a table definition and all associated data, indexes, triggers, constraints, and permission specifications for that table.

you have to be careful while using this command because once a table is deleted then all the information available in the table would also be lost forever.

syntax

following is the basic syntax of drop table statement. you can optionally specify the database name along with table name as follows −

drop table database_name.table_name;

example

let us first verify company table and then we will delete it from the database.

sqlite>.tables
company       test.company

this means company table is available in the database, so let us drop it as follows −

sqlite>drop table company;
sqlite>

now, if you try .tables command, then you will not find company table anymore.

sqlite>.tables
sqlite>

it shows nothing which means the table from your database has been dropped successfully.

sqlite insert into statement is used to add new rows of data into a table in the database.

syntax

following are the two basic syntaxes of insert into statement.

insert into table_name [(column1, column2, column3,...columnn)]  
values (value1, value2, value3,...valuen);

here, column1, column2,...columnn are the names of the columns in the table into which you want to insert data.

you may not need to specify the column(s) name in the sqlite query if you are adding values for all the columns of the table. however, make sure the order of the values is in the same order as the columns in the table. the sqlite insert into syntax would be as follows −

insert into table_name values (value1,value2,value3,...valuen);

example

consider you already have created company table in your testdb.db as follows −

sqlite> create table company(
   id int primary key     not null,
   name           text    not null,
   age            int     not null,
   address        char(50),
   salary         real
);

now, the following statements would create six records in company table.

insert into company (id,name,age,address,salary)
values (1, 'paul', 32, 'california', 20000.00 );

insert into company (id,name,age,address,salary)
values (2, 'allen', 25, 'texas', 15000.00 );

insert into company (id,name,age,address,salary)
values (3, 'teddy', 23, 'norway', 20000.00 );

insert into company (id,name,age,address,salary)
values (4, 'mark', 25, 'rich-mond ', 65000.00 );

insert into company (id,name,age,address,salary)
values (5, 'david', 27, 'texas', 85000.00 );

insert into company (id,name,age,address,salary)
values (6, 'kim', 22, 'south-hall', 45000.00 );

you can create a record in company table using the second syntax as follows −

insert into company values (7, 'james', 24, 'houston', 10000.00 );

all the above statements would create the following records in company table. in the next chapter, you will learn how to display all these records from a table.

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

populate one table using another table

you can populate data into a table through select statement over another table provided another table has a set of fields, which are required to populate the first table. here is the syntax −

insert into first_table_name [(column1, column2, ... columnn)] 
   select column1, column2, ...columnn 
   from second_table_name
   [where condition];

for now, you can skip the above statement. first, let's learn select and where clauses which will be covered in subsequent chapters.

sqlite select statement is used to fetch the data from a sqlite database table which returns data in the form of a result table. these result tables are also called result sets.

syntax

following is the basic syntax of sqlite select statement.

select column1, column2, columnn from table_name;

here, column1, column2 ... are the fields of a table, whose values you want to fetch. if you want to fetch all the fields available in the field, then you can use the following syntax −

select * from table_name;

example

consider company table 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

following is an example to fetch and display all these records using select statement. here, the first three commands have been used to set a properly formatted output.

sqlite>.header on
sqlite>.mode column
sqlite> select * from company;

finally, you will get 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
6           kim         22          south-hall  45000.0
7           james       24          houston     10000.0

if you want to fetch only selected fields of company table, then use the following query −

sqlite> select id, name, salary from company;

the above query will produce the following result.

id          name        salary
----------  ----------  ----------
1           paul        20000.0
2           allen       15000.0
3           teddy       20000.0
4           mark        65000.0
5           david       85000.0
6           kim         45000.0
7           james       10000.0

setting output column width

sometimes, you will face a problem related to the truncated output in case of .mode column which happens because of default width of the column to be displayed. what you can do is, you can set column displayable column width using .width num, num.... command as follows −

sqlite>.width 10, 20, 10
sqlite>select * from company;

the above .width command sets the first column width to 10, the second column width to 20 and the third column width to 10. finally, the above select statement will give 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
6           kim                   22          south-hall  45000.0
7           james                 24          houston     10000.0

schema information

as all the dot commands are available at sqlite prompt, hence while programming with sqlite, you will use the following select statement with sqlite_master table to list down all the tables created in your database.

sqlite> select tbl_name from sqlite_master where type = 'table';

assuming you have only company table in your testdb.db, this will produce the following result.

tbl_name
----------
company

you can list down complete information about company table as follows −

sqlite> select sql from sqlite_master where type = 'table' and tbl_name = 'company';

assuming you have only company table in your testdb.db, this will produce the following result.

create table company(
   id int primary key     not null,
   name           text    not null,
   age            int     not null,
   address        char(50),
   salary         real
)

what is an operator in sqlite?

an operator is a reserved word or a character used primarily in an sqlite statement's where clause to perform operation(s), such as comparisons and arithmetic operations.

operators are used to specify conditions in an sqlite statement and to serve as conjunctions for multiple conditions in a statement.

  • arithmetic operators
  • comparison operators
  • logical operators
  • bitwise operators

sqlite arithmetic operators

assume variable a holds 10 and variable b holds 20, then sqlite arithmetic operators will be used as follows −

show examples

operator description example
+ (addition) adds values on either side of the operator a + b will give 30
- (subtraction) subtracts the right hand operand from the left hand operand a - b will give -10
* (multiplication) multiplies values on either side of the operator a * b will give 200
/ (division) divides the left hand operand by the right hand operand b / a will give 2
% (modulus) divides the left hand operand by the right hand operand and returns the remainder b % a will give 0

sqlite comparison operators

assume variable a holds 10 and variable b holds 20, then sqlite comparison operators will be used as follows

show examples

operator description example
== checks if the values of two operands are equal or not, if yes then the condition becomes true. (a == b) is not true.
= checks if the values of two operands are equal or not, if yes then the condition becomes true. (a = b) is not true.
!= checks if the values of two operands are equal or not, if the values are not equal, then the condition becomes true. (a != b) is true.
<> checks if the values of two operands are equal or not, if the values are not equal, then the condition becomes true. (a <> b) is true.
> checks if the values of the left operand is greater than the value of the right operand, if yes then the condition becomes true. (a > b) is not true.
< checks if the values of the left operand is less than the value of the right operand, if yes then the condition becomes true. (a < b) is true.
>= checks if the value of the left operand is greater than or equal to the value of the right operand, if yes then the condition becomes true. (a >= b) is not true.
<= checks if the value of the left operand is less than or equal to the value of the right operand, if yes then the condition becomes true. (a <= b) is true.
!< checks if the value of the left operand is not less than the value of the right operand, if yes then the condition becomes true. (a !< b) is false.
!> checks if the value of the left operand is not greater than the value of the right operand, if yes then the condition becomes true. (a !> b) is true.

sqlite logical operators

here is a list of all the logical operators available in sqlite.

show examples

sr.no. operator & description
1

and

the and operator allows the existence of multiple conditions in an sql statement's where clause.

2

between

the between operator is used to search for values that are within a set of values, given the minimum value and the maximum value.

3

exists

the exists operator is used to search for the presence of a row in a specified table that meets certain criteria.

4

in

the in operator is used to compare a value to a list of literal values that have been specified.

5

not in

the negation of in operator which is used to compare a value to a list of literal values that have been specified.

6

like

the like operator is used to compare a value to similar values using wildcard operators.

7

glob

the glob operator is used to compare a value to similar values using wildcard operators. also, glob is case sensitive, unlike like.

8

not

the not operator reverses the meaning of the logical operator with which it is used. eg. not exists, not between, not in, etc. this is negate operator.

9

or

the or operator is used to combine multiple conditions in an sql statement's where clause.

10

is null

the null operator is used to compare a value with a null value.

11

is

the is operator work like =

12

is not

the is operator work like !=

13

||

adds two different strings and make new one.

14

unique

the unique operator searches every row of a specified table for uniqueness (no duplicates).

sqlite bitwise operators

bitwise operator works on bits and performs bit-by-bit operation. following is the truth table for & and |.

p q p & q p | q
0 0 0 0
0 1 0 1
1 1 1 1
1 0 0 1

assume if a = 60; and b = 13, then in binary format, they will be as follows −

a = 0011 1100

b = 0000 1101

-----------------

a&b = 0000 1100

a|b = 0011 1101

~a  = 1100 0011

the bitwise operators supported by sqlite language are listed in the following table. assume variable a holds 60 and variable b holds 13, then −

show examples

operator description example
& binary and operator copies a bit to the result, if it exists in both operands. (a & b) will give 12 which is 0000 1100
| binary or operator copies a bit, if it exists in either operand. (a | b) will give 61 which is 0011 1101
~ binary ones complement operator is unary and has the effect of 'flipping' bits. (~a ) will give -61 which is 1100 0011 in 2's complement form due to a signed binary number
<< binary left shift operator. the left operands value is moved left by the number of bits specified by the right operand. a << 2 will give 240 which is 1111 0000
>> binary right shift operator. the left operands value is moved right by the number of bits specified by the right operand. a >> 2 will give 15 which is 0000 1111

an expression is a combination of one or more values, operators, and sql functions that evaluate to a value.

sql expressions are like formulas and they are written in query language. you can also use to query the database for a specific set of data.

syntax

consider the basic syntax of the select statement as follows −

select column1, column2, columnn 
from table_name 
where [condition | expression];

following are the different types of sqlite expressions.

sqlite - boolean expressions

sqlite boolean expressions fetch the data on the basis of matching single value. following is the syntax −

select column1, column2, columnn 
from table_name 
where single value matchting expression;

consider company table 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

following is a simple examples showing the usage of sqlite boolean expressions −

sqlite> select * from company where salary = 10000;

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
4           james        24          houston   10000.0

sqlite - numeric expression

these expressions are used to perform any mathematical operation in any query. following is the syntax −

select numerical_expression as operation_name
[from table_name where condition] ;

here, numerical_expression is used for mathematical expression or any formula. following is a simple example showing the usage of sqlite numeric expressions.

sqlite> select (15 + 6) as addition
addition = 21

there are several built-in functions such as avg(), sum(), count(), etc., to perform what is known as aggregate data calculations against a table or a specific table column.

sqlite> select count(*) as "records" from company; 
records = 7

sqlite - date expressions

date expressions returns the current system date and time values. these expressions are used in various data manipulations.

sqlite> select current_timestamp;
current_timestamp = 2013-03-17 10:43:35

sqlite where clause is used to specify a condition while fetching the data from one table or multiple tables.

if the given condition is satisfied, means true, then it returns the specific value from the table. you will have to use where clause to filter the records and fetching only necessary records.

the where clause not only is used in select statement, but it is also used in update, delete statement, etc., which will be covered in subsequent chapters.

syntax

following is the basic syntax of sqlite select statement with where clause.

select column1, column2, columnn 
from table_name
where [condition]

example

you can specify a condition using comparision or logical operators such as >, <, =, like, not, etc. consider company table 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

following is a simple examples showing the usage of sqlite logical operators. following select statement lists down all the records where age is greater than or equal to 25 and salary is greater than or equal to 65000.00.

sqlite> select * from company where age >= 25 and salary >= 65000;

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

following select statement lists down all the records where age is greater than or equal to 25 or salary is greater than or equal to 65000.00.

sqlite> select * from company where age >= 25 or salary >= 65000;

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
1           paul        32          california  20000.0
2           allen       25          texas       15000.0
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

following select statement lists down all the records where age is not null, which means all the records because none of the record has age equal to null.

sqlite>  select * from company where age is not null;

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

following select statement lists down all the records where name starts with 'ki', does not matter what comes after 'ki'.

sqlite> select * from company where name like 'ki%';

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
6           kim         22          south-hall  45000.0

following select statement lists down all the records where name starts with 'ki', does not matter what comes after 'ki'.

sqlite> select * from company where name glob 'ki*';

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
6           kim         22          south-hall  45000.0

following select statement lists down all the records where age value is either 25 or 27.

sqlite> select * from company where age in ( 25, 27 );

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
2           allen       25          texas       15000.0
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

following select statement lists down all the records where age value is neither 25 nor 27.

sqlite> select * from company where age not in ( 25, 27 );

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
1           paul        32          california  20000.0
3           teddy       23          norway      20000.0
6           kim         22          south-hall  45000.0
7           james       24          houston     10000.0

following select statement lists down all the records where age value is in between 25 and 27.

sqlite> select * from company where age between 25 and 27;

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
2           allen       25          texas       15000.0
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

following select statement makes use of sql sub-query, where sub-query finds all the records with age field having salary > 65000 and later where clause is being used along with exists operator to list down all the records where age from the outside query exists in the result returned by the sub-query −

sqlite> select age from company 
   where exists (select age from company where salary > 65000);

age
----------
32
25
23
25
27
22
24

following select statement makes use of sql sub-query where sub-query finds all the records with age field having salary > 65000 and later where clause is being used along with > operator to list down all the records where age from the outside query is greater than the age in the result returned by the sub-query.

sqlite> select * from company 
   where age > (select age from company where salary > 65000);

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
1           paul        32          california  20000.0

sqlite and & or operators are used to compile multiple conditions to narrow down the selected data in an sqlite statement. these two operators are called conjunctive operators.

these operators provide a means to make multiple comparisons with different operators in the same sqlite statement.

the and operator

the and operator allows the existence of multiple conditions in a sqlite statement's where clause. while using and operator, complete condition will be assumed true when all the conditions are true. for example, [condition1] and [condition2] will be true only when both condition1 and condition2 are true.

syntax

following is the basic syntax of and operator with where clause.

select column1, column2, columnn 
from table_name
where [condition1] and [condition2]...and [conditionn];

you can combine n number of conditions using and operator. for an action to be taken by the sqlite statement, whether it be a transaction or query, all conditions separated by the and must be true.

example

consider company table 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

following select statement lists down all the records where age is greater than or equal to 25 and salary is greater than or equal to 65000.00.

sqlite> select * from company where age >= 25 and salary >= 65000;

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

the or operator

the or operator is also used to combine multiple conditions in a sqlite statement's where clause. while using or operator, complete condition will be assumed true when at least any of the conditions is true. for example, [condition1] or [condition2] will be true if either condition1 or condition2 is true.

syntax

following is the basic syntax of or operator with where clause.

select column1, column2, columnn 
from table_name
where [condition1] or [condition2]...or [conditionn]

you can combine n number of conditions using or operator. for an action to be taken by the sqlite statement, whether it be a transaction or query, only any one of the conditions separated by the or must be true.

example

consider company table 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

following select statement lists down all the records where age is greater than or equal to 25 or salary is greater than or equal to 65000.00.

sqlite> select * from company where age >= 25 or salary >= 65000;

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
1           paul        32          california  20000.0
2           allen       25          texas       15000.0
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

sqlite update query is used to modify the existing records in a table. you can use where clause with update query to update selected rows, otherwise all the rows would be updated.

syntax

following is the basic syntax of update query with where clause.

update table_name
set column1 = value1, column2 = value2...., columnn = valuen
where [condition];

you can combine n number of conditions using and or or operators.

example

consider company table 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

following is an example, which will update address for a customer whose id is 6.

sqlite> update company set address = 'texas' where id = 6;

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          texas       45000.0
7           james       24          houston     10000.0

if you want to modify all address and salary column values in company table, you do not need to use where clause and update query will be as follows −

sqlite> update company set address = 'texas', salary = 20000.00;

now, company table will have the following records −

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
1           paul        32          texas       20000.0
2           allen       25          texas       20000.0
3           teddy       23          texas       20000.0
4           mark        25          texas       20000.0
5           david       27          texas       20000.0
6           kim         22          texas       20000.0
7           james       24          texas       20000.0

sqlite delete query is used to delete the existing records from a table. you can use where clause with delete query to delete the selected rows, otherwise all the records would be deleted.

syntax

following is the basic syntax of delete query with where clause.

delete from table_name
where [condition];

you can combine n number of conditions using and or or operators.

example

consider company table 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

following is an example, which will delete a customer whose id is 7.

sqlite> delete from company where id = 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          south-hall  45000.0

if you want to delete all the records from company table, you do not need to use where clause with delete query, which will be as follows −

sqlite> delete from company;

now, company table does not have any record as all the records have been deleted by delete statement.

sqlite like operator is used to match text values against a pattern using wildcards. if the search expression can be matched to the pattern expression, the like operator will return true, which is 1. there are two wildcards used in conjunction with the like operator −

  • the percent sign (%)
  • the underscore (_)

the percent sign represents zero, one, or multiple numbers or characters. the underscore represents a single number or character. these symbols can be used in combinations.

syntax

following is the basic syntax of % and _.

select from table_name
where column like 'xxxx%'
or 
select from table_name
where column like '%xxxx%'
or
select from table_name
where column like 'xxxx_'
or
select from table_name
where column like '_xxxx'
or
select from table_name
where column like '_xxxx_'

you can combine n number of conditions using and or or operators. here, xxxx could be any numeric or string value.

example

following table lists a number of examples showing where part having different like clause with '%' and '_' operators.

sr.no. statement & description
1

where salary like '200%'

finds any values that start with 200

2

where salary like '%200%'

finds any values that have 200 in any position

3

where salary like '_00%'

finds any values that have 00 in the second and third positions

4

where salary like '2_%_%'

finds any values that start with 2 and are at least 3 characters in length

5

where salary like '%2'

finds any values that end with 2

6

where salary like '_2%3'

finds any values that has a 2 in the second position and ends with a 3

7

where salary like '2___3'

finds any values in a five-digit number that starts with 2 and ends with 3

let us take a real example, consider company table 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

following is an example, which will display all the records from company table where age starts with 2.

sqlite> select * from company where age like '2%';

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
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

following is an example, which will display all the records from company table where address will have a hyphen (-) inside the text.

sqlite> select * from company where address  like '%-%';

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
4           mark        25          rich-mond   65000.0
6           kim         22          south-hall  45000.0

sqlite glob operator is used to match only text values against a pattern using wildcards. if the search expression can be matched to the pattern expression, the glob operator will return true, which is 1. unlike like operator, glob is case sensitive and it follows syntax of unix for specifying the following wildcards.

  • the asterisk sign (*)
  • the question mark (?)

the asterisk sign (*) represents zero or multiple numbers or characters. the question mark (?) represents a single number or character.

syntax

following is the basic syntax of * and ?.

select from table_name
where column glob 'xxxx*'
or 
select from table_name
where column glob '*xxxx*'
or
select from table_name
where column glob 'xxxx?'
or
select from table_name
where column glob '?xxxx'
or
select from table_name
where column glob '?xxxx?'
or
select from table_name
where column glob '????'

you can combine n number of conditions using and or or operators. here, xxxx could be any numeric or string value.

example

following table lists a number of examples showing where part having different like clause with '*' and '?' operators.

sr.no. statement & description
1

where salary glob '200*'

finds any values that start with 200

2

where salary glob '*200*'

finds any values that have 200 in any position

3

where salary glob '?00*'

finds any values that have 00 in the second and third positions

4

where salary glob '2??'

finds any values that start with 2 and are at least 3 characters in length

5

where salary glob '*2'

finds any values that end with 2

6

where salary glob '?2*3'

finds any values that have a 2 in the second position and end with a 3

7

where salary glob '2???3'

finds any values in a five-digit number that start with 2 and end with 3

let us take a real example, consider company table 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

following is an example, which will display all the records from company table, where age starts with 2.

sqlite> select * from company where age  glob '2*';

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
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

following is an example, which will display all the records from company table where address will have a hyphen (-) inside the text −

sqlite> select * from company where address  glob '*-*';

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
4           mark        25          rich-mond   65000.0
6           kim         22          south-hall  45000.0

sqlite limit clause is used to limit the data amount returned by the select statement.

syntax

following is the basic syntax of select statement with limit clause.

select column1, column2, columnn 
from table_name
limit [no of rows]

following is the syntax of limit clause when it is used along with offset clause.

select column1, column2, columnn 
from table_name
limit [no of rows] offset [row num]

sqlite engine will return rows starting from the next row to the given offset as shown below in the last example.

example

consider company table 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

following is an example, which limits the row in the table according to the number of rows you want to fetch from table.

sqlite> select * from company limit 6;

this 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
6           kim         22          south-hall  45000.0

however in certain situations, you may need to pick up a set of records from a particular offset. here is an example, which picks up 3 records starting from the 3rd position.

sqlite> select * from company limit 3 offset 2;

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
3           teddy       23          norway      20000.0
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

sqlite order by clause is used to sort the data in an ascending or descending order, based on one or more columns.

syntax

following is the basic syntax of order by clause.

select column-list 
from table_name 
[where condition] 
[order by column1, column2, .. columnn] [asc | desc];

you can use more than one column in the order by clause. make sure whatever column you are using to sort, that column should be available in the column-list.

example

consider company table 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

following is an example, which will sort the result in descending order by salary.

sqlite> select * from company order by salary asc;

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
7           james       24          houston     10000.0
2           allen       25          texas       15000.0
1           paul        32          california  20000.0
3           teddy       23          norway      20000.0
6           kim         22          south-hall  45000.0
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

following is an example, which will sort the result in descending order by name and salary.

sqlite> select * from company order by name, salary asc;

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
2           allen       25          texas       15000.0
5           david       27          texas       85000.0
7           james       24          houston     10000.0
6           kim         22          south-hall  45000.0
4           mark        25          rich-mond   65000.0
1           paul        32          california  20000.0
3           teddy       23          norway      20000.0

following is an example, which will sort the result in descending order by name.

sqlite> select * from company order by name desc;

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
3           teddy       23          norway      20000.0
1           paul        32          california  20000.0
4           mark        25          rich-mond   65000.0
6           kim         22          south-hall  45000.0
7           james       24          houston     10000.0
5           david       27          texas       85000.0
2           allen       25          texas       15000.0

sqlite group by clause is used in collaboration with the select statement to arrange identical data into groups.

group by clause follows the where clause in a select statement and precedes the order by clause.

syntax

following is the basic syntax of group by clause. group by clause must follow the conditions in the where clause and must precede order by clause if one is used.

select column-list
from table_name
where [ conditions ]
group by column1, column2....columnn
order by column1, column2....columnn

you can use more than one column in the group by clause. make sure whatever column you are using to group, that column should be available in the column-list.

example

consider company table 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

if you want to know the total amount of salary on each customer, then group by query will be as follows −

sqlite> select name, sum(salary) from company group by name;

this will produce the following result −

name        sum(salary)
----------  -----------
allen       15000.0
david       85000.0
james       10000.0
kim         45000.0
mark        65000.0
paul        20000.0
teddy       20000.0

now, let us create three more records in company table using the following insert statements.

insert into company values (8, 'paul', 24, 'houston', 20000.00 );
insert into company values (9, 'james', 44, 'norway', 5000.00 );
insert into company values (10, 'james', 45, 'texas', 5000.00 );

now, our table has the following records with duplicate names.

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
8           paul        24          houston     20000.0
9           james       44          norway      5000.0
10          james       45          texas       5000.0

again, let us use the same statement to group-by all the records using name column as follows −

sqlite> select name, sum(salary) from company group by name order by name;

this will produce the following result.

name        sum(salary)
----------  -----------
allen       15000
david       85000
james       20000
kim         45000
mark        65000
paul        40000
teddy       20000

let us use order by clause along with group by clause as follows −

sqlite>  select name, sum(salary) 
   from company group by name order by name desc;

this will produce the following result.

name        sum(salary)
----------  -----------
teddy       20000
paul        40000
mark        65000
kim         45000
james       20000
david       85000
allen       15000

having clause enables you to specify conditions that filter which group results appear in the final results.

the where clause places conditions on the selected columns, whereas the having clause places conditions on groups created by group by clause.

syntax

following is the position of having clause in a select query.

select
from
where
group by
having
order by

having clause must follow group by clause in a query and must also precede order by clause if used. following is the syntax of the select statement, including having clause.

select column1, column2
from table1, table2
where [ conditions ]
group by column1, column2
having [ conditions ]
order by column1, column2

example

consider company table 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
8           paul        24          houston     20000.0
9           james       44          norway      5000.0
10          james       45          texas       5000.0

following is the example, which will display the record for which the name count is less than 2.

sqlite > select * from company group by name having count(name) < 2;

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
2           allen       25          texas       15000
5           david       27          texas       85000
6           kim         22          south-hall  45000
4           mark        25          rich-mond   65000
3           teddy       23          norway      20000

following is the example, which will display the record for which the name count is greater than 2.

sqlite > select * from company group by name having count(name) > 2;

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
10          james       45          texas       5000

sqlite distinct keyword is used in conjunction with select statement to eliminate all the duplicate records and fetching only the unique records.

there may be a situation when you have multiple duplicate records in a table. while fetching such records, it makes more sense to fetch only unique records instead of fetching duplicate records.

syntax

following is the basic syntax of distinct keyword to eliminate duplicate records.

select distinct column1, column2,.....columnn 
from table_name
where [condition]

example

consider company table 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
8           paul        24          houston     20000.0
9           james       44          norway      5000.0
10          james       45          texas       5000.0

first, let us see how the following select query returns duplicate salary records.

sqlite> select name from company;

this will produce the following result.

name
----------
paul
allen
teddy
mark
david
kim
james
paul
james
james

now, let us use distinct keyword with the above select query and see the result.

sqlite> select distinct name from company;

this will produce the following result, where there is no duplicate entry.

name
----------
paul
allen
teddy
mark
david
kim
james

sqlite pragma command is a special command to be used to control various environmental variables and state flags within the sqlite environment. a pragma value can be read and it can also be set based on the requirements.

syntax

to query the current pragma value, just provide the name of the pragma.

pragma pragma_name;

to set a new value for pragma, use the following syntax.

pragma pragma_name = value;

the set mode can be either the name or the integer equivalent but the returned value will always be an integer.

auto_vacuum pragma

the auto_vacuum pragma gets or sets the auto-vacuum mode. following is the simple syntax.

pragma [database.]auto_vacuum;
pragma [database.]auto_vacuum = mode;

where mode can be any of the following −

sr.no. pragma value & description
1

0 or none

auto-vacuum is disabled. this is the default mode which means that a database file will never shrink in size unless it is manually vacuumed using the vacuum command.

2

1 or full

auto-vacuum is enabled and fully automatic which allows a database file to shrink as data is removed from the database.

3

2 or incremental

auto-vacuum is enabled but must be manually activated. in this mode the reference data is maintained, but free pages are simply put on the free list. these pages can be recovered using the incremental_vacuum pragma any time.

cache_size pragma

the cache_size pragma can get or temporarily set the maximum size of the in-memory page cache. following is the simple syntax.

pragma [database.]cache_size;
pragma [database.]cache_size = pages;

the pages value represents the number of pages in the cache. the built-in page cache has a default size of 2,000 pages and a minimum size of 10 pages.

case_sensitive_like pragma

the case_sensitive_like pragma controls the case-sensitivity of the built-in like expression. by default, this pragma is false which means that the built-in like operator ignores the letter case. following is the simple syntax.

pragma case_sensitive_like = [true|false];

there is no way to query for the current state of this pragma.

count_changes pragma

count_changes pragma gets or sets the return value of data manipulation statements such as insert, update and delete. following is the simple syntax.

pragma count_changes;
pragma count_changes = [true|false];

by default, this pragma is false and these statements do not return anything. if set to true, each of the mentioned statement will return a one-column, one-row table consisting of a single integer value indicating impacted rows by the operation.

database_list pragma

the database_list pragma will be used to list down all the databases attached. following is the simple syntax.

pragma database_list;

this pragma will return a three-column table with one row per open or attached database giving database sequence number, its name and the file associated.

encoding pragma

the encoding pragma controls how strings are encoded and stored in a database file. following is the simple syntax.

pragma encoding;
pragma encoding = format;

the format value can be one of utf-8, utf-16le, or utf-16be.

freelist_count pragma

the freelist_count pragma returns a single integer indicating how many database pages are currently marked as free and available. following is the simple syntax.

pragma [database.]freelist_count;

the format value can be one of utf-8, utf-16le, or utf-16be.

index_info pragma

the index_info pragma returns information about a database index. following is the simple syntax.

pragma [database.]index_info( index_name );

the result set will contain one row for each column contained in the index giving column sequence, column index with-in table and column name.

index_list pragma

index_list pragma lists all of the indexes associated with a table. following is the simple syntax.

pragma [database.]index_list( table_name );

the result set will contain one row for each index giving index sequence, index name and flag indicating whether the index is unique or not.

journal_mode pragma

the journal_mode pragma gets or sets the journal mode which controls how the journal file is stored and processed. following is the simple syntax.

pragma journal_mode;
pragma journal_mode = mode;
pragma database.journal_mode;
pragma database.journal_mode = mode;

there are five supported journal modes as listed in the following table.

sr.no. pragma value & description
1

delete

this is the default mode. here at the conclusion of a transaction, the journal file is deleted.

2

truncate

the journal file is truncated to a length of zero bytes.

3

persist

the journal file is left in place, but the header is overwritten to indicate the journal is no longer valid.

4

memory

the journal record is held in memory, rather than on disk.

5

off

no journal record is kept.

max_page_count pragma

the max_page_count pragma gets or sets the maximum allowed page count for a database. following is the simple syntax.

pragma [database.]max_page_count;
pragma [database.]max_page_count = max_page;

the default value is 1,073,741,823 which is one giga-page, which means if the default 1 kb page size, this allows databases to grow up to one terabyte.

page_count pragma

the page_count pragma returns in the current number of pages in the database. following is the simple syntax −

pragma [database.]page_count;

the size of the database file should be page_count * page_size.

page_size pragma

the page_size pragma gets or sets the size of the database pages. following is the simple syntax.

pragma [database.]page_size;
pragma [database.]page_size = bytes;

by default, the allowed sizes are 512, 1024, 2048, 4096, 8192, 16384, and 32768 bytes. the only way to alter the page size on an existing database is to set the page size and then immediately vacuum the database.

parser_trace pragma

the parser_trace pragma controls printing the debugging state as it parses sql commands. following is the simple syntax.

pragma parser_trace = [true|false];

by default, it is set to false but when enabled by setting it to true, the sql parser will print its state as it parses sql commands.

recursive_triggers pragma

the recursive_triggers pragma gets or sets the recursive trigger functionality. if recursive triggers are not enabled, a trigger action will not fire another trigger. following is the simple syntax.

pragma recursive_triggers;
pragma recursive_triggers = [true|false];

schema_version pragma

the schema_version pragma gets or sets the schema version value that is stored in the database header. following is the simple syntax.

pragma [database.]schema_version;
pragma [database.]schema_version = number;

this is a 32-bit signed integer value that keeps track of schema changes. whenever a schema-altering command is executed (like, create... or drop...), this value is incremented.

secure_delete pragma

the secure_delete pragma is used to control how the content is deleted from the database. following is the simple syntax.

pragma secure_delete;
pragma secure_delete = [true|false];
pragma database.secure_delete;
pragma database.secure_delete = [true|false];

the default value for the secure delete flag is normally off, but this can be changed with the sqlite_secure_delete build option.

sql_trace pragma

the sql_trace pragma is used to dump sql trace results to the screen. following is the simple syntax.

pragma sql_trace;
pragma sql_trace = [true|false];

sqlite must be compiled with the sqlite_debug directive for this pragma to be included.

synchronous pragma

the synchronous pragma gets or sets the current disk synchronization mode, which controls how aggressively sqlite will write data all the way out to physical storage. following is the simple syntax.

pragma [database.]synchronous;
pragma [database.]synchronous = mode;

sqlite supports the following synchronization modes as listed in the table.

sr.no. pragma value & description
1

0 or off

no syncs at all

2

1 or normal

sync after each sequence of critical disk operations

3

2 or full

sync after each critical disk operation

temp_store pragma

the temp_store pragma gets or sets the storage mode used by temporary database files. following is the simple syntax.

pragma temp_store;
pragma temp_store = mode;

sqlite supports the following storage modes.

sr.no. pragma value & description
1

0 or default

use compile-time default. normally file.

2

1 or file

use file-based storage.

3

2 or memory

use memory-based storage.

temp_store_directory pragma

the temp_store_directory pragma gets or sets the location used for temporary database files. following is the simple syntax.

pragma temp_store_directory;
pragma temp_store_directory = 'directory_path';

user_version pragma

the user_version pragma gets or sets the user-defined version value that is stored in the database header. following is the simple syntax.

pragma [database.]user_version;
pragma [database.]user_version = number;

this is a 32-bit signed integer value, which can be set by the developer for version tracking purpose.

writable_schema pragma

the writable_schema pragma gets or sets the ability to modify system tables. following is the simple syntax.

pragma writable_schema;
pragma writable_schema = [true|false];

if this pragma is set, tables that start with sqlite_ can be created and modified, including the sqlite_master table. be careful while using pragma because it can lead to complete database corruption.

constraints are the rules enforced on a data columns on table. these are used to limit the type of data that can go into a table. this ensures the accuracy and reliability of the data in the database.

constraints could be column level or table level. column level constraints are applied only to one column, whereas table level constraints are applied to the whole table.

following are commonly used constraints available in sqlite.

  • not null constraint − ensures that a column cannot have null value.

  • default constraint − provides a default value for a column when none is specified.

  • unique constraint − ensures that all values in a column are different.

  • primary key − uniquely identifies each row/record in a database table.

  • check constraint − ensures that all values in a column satisfies certain conditions.

not null constraint

by default, a column can hold null values. if you do not want a column to have a null value, then you need to define such constraint on this column specifying that null is now not allowed for that column.

a null is not the same as no data, rather, it represents unknown data.

example

for example, the following sqlite statement creates a new table called company and adds five columns, three of which, id and name and age, specifies not to accept nulls.

create table company(
   id int primary key     not null,
   name           text    not null,
   age            int     not null,
   address        char(50),
   salary         real
);

default constraint

the default constraint provides a default value to a column when the insert into statement does not provide a specific value.

example

for example, the following sqlite statement creates a new table called company and adds five columns. here, salary column is set to 5000.00 by default, thus in case insert into statement does not provide a value for this column, then by default, this column would be set to 5000.00.

create table company(
   id int primary key     not null,
   name           text    not null,
   age            int     not null,
   address        char(50),
   salary         real    default 50000.00
);

unique constraint

the unique constraint prevents two records from having identical values in a particular column. in the company table, for example, you might want to prevent two or more people from having an identical age.

example

for example, the following sqlite statement creates a new table called company and adds five columns. here, age column is set to unique, so that you cannot have two records with the same age −

create table company(
   id int primary key     not null,
   name           text    not null,
   age            int     not null unique,
   address        char(50),
   salary         real    default 50000.00
);

primary key constraint

the primary key constraint uniquely identifies each record in a database table. there can be more unique columns, but only one primary key in a table. primary keys are important when designing the database tables. primary keys are unique ids.

we use them to refer to table rows. primary keys become foreign keys in other tables, when creating relations among tables. due to a 'longstanding coding oversight', primary keys can be null in sqlite. this is not the case with other databases.

a primary key is a field in a table which uniquely identifies each rows/records in a database table. primary keys must contain unique values. a primary key column cannot have null values.

a table can have only one primary key, which may consist of single or multiple fields. when multiple fields are used as a primary key, they are called a composite key.

if a table has a primary key defined on any field(s), then you cannot have two records having the same value of that field(s).

example

you already have seen various examples above where we have created company table with id as a primary key.

create table company(
   id int primary key     not null,
   name           text    not null,
   age            int     not null,
   address        char(50),
   salary         real
);

check constraint

check constraint enables a condition to check the value being entered into a record. if the condition evaluates to false, the record violates the constraint and isn't entered into the table.

example

for example, the following sqlite creates a new table called company and adds five columns. here, we add a check with salary column, so that you cannot have any salary zero.

create table company3(
   id int primary key     not null,
   name           text    not null,
   age            int     not null,
   address        char(50),
   salary         real    check(salary > 0)
);

dropping constraint

sqlite supports a limited subset of alter table. the alter table command in sqlite allows the user to rename a table or add a new column to an existing table. it is not possible to rename a column, remove a column, or add or remove constraints from a table.

sqlite joins clause is used to combine records from two or more tables in a database. a join is a means for combining fields from two tables by using values common to each.

sql defines three major types of joins −

  • the cross join
  • the inner join
  • the outer join

before we proceed, let's consider two tables company and department. we already have seen insert statements to populate company table. so just let's assume the list of records available in company table −

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

another table is department with the following definition −

create table department(
   id int primary key      not null,
   dept           char(50) not null,
   emp_id         int      not null
);

here is the list of insert statements to populate department table −

insert into department (id, dept, emp_id)
values (1, 'it billing', 1 );

insert into department (id, dept, emp_id)
values (2, 'engineering', 2 );

insert into department (id, dept, emp_id)
values (3, 'finance', 7 );

finally, we have the following list of records available in department table −

id          dept        emp_id
----------  ----------  ----------
1           it billing  1
2           engineering 2
3           finance     7

the cross join

cross join matches every row of the first table with every row of the second table. if the input tables have x and y row, respectively, the resulting table will have x*y row. because cross joins have the potential to generate extremely large tables, care must be taken to only use them when appropriate.

following is the syntax of cross join −

select ... from table1 cross join table2 ...

based on the above tables, you can write a cross join as follows −

sqlite> select emp_id, name, dept from company cross join department;

the above query will produce the following result −

emp_id      name        dept
----------  ----------  ----------
1           paul        it billing
2           paul        engineering
7           paul        finance
1           allen       it billing
2           allen       engineering
7           allen       finance
1           teddy       it billing
2           teddy       engineering
7           teddy       finance
1           mark        it billing
2           mark        engineering
7           mark        finance
1           david       it billing
2           david       engineering
7           david       finance
1           kim         it billing
2           kim         engineering
7           kim         finance
1           james       it billing
2           james       engineering
7           james       finance

the inner join

inner join creates a new result table by combining column values of two tables (table1 and table2) based upon the join-predicate. the query compares each row of table1 with each row of table2 to find all pairs of rows which satisfy the join-predicate. when the join-predicate is satisfied, the column values for each matched pair of rows of a and b are combined into a result row.

an inner join is the most common and default type of join. you can use inner keyword optionally.

following is the syntax of inner join −

select ... from table1 [inner] join table2 on conditional_expression ...

to avoid redundancy and keep the phrasing shorter, inner join conditions can be declared with a using expression. this expression specifies a list of one or more columns.

select ... from table1 join table2 using ( column1 ,... ) ...

a natural join is similar to a join...using, only it automatically tests for equality between the values of every column that exists in both tables −

select ... from table1 natural join table2...

based on the above tables, you can write an inner join as follows −

sqlite> select emp_id, name, dept from company inner join department
   on company.id = department.emp_id;

the above query will produce the following result −

emp_id      name        dept
----------  ----------  ----------
1           paul        it billing
2           allen       engineering
7           james       finance

the outer join

outer join is an extension of inner join. though sql standard defines three types of outer joins: left, right, and full, sqlite only supports the left outer join.

outer joins have a condition that is identical to inner joins, expressed using an on, using, or natural keyword. the initial results table is calculated the same way. once the primary join is calculated, an outer join will take any unjoined rows from one or both tables, pad them out with nulls, and append them to the resulting table.

following is the syntax of left outer join −

select ... from table1 left outer join table2 on conditional_expression ...

to avoid redundancy and keep the phrasing shorter, outer join conditions can be declared with a using expression. this expression specifies a list of one or more columns.

select ... from table1 left outer join table2 using ( column1 ,... ) ...

based on the above tables, you can write an outer join as follows −

sqlite> select emp_id, name, dept from company left outer join department
   on company.id = department.emp_id;

the above query will produce the following result −

emp_id      name        dept
----------  ----------  ----------
1           paul        it billing
2           allen       engineering
            teddy
            mark
            david
            kim
7           james       finance

sqlite union clause/operator is used to combine the results of two or more select statements without returning any duplicate rows.

to use union, each select must have the same number of columns selected, the same number of column expressions, the same data type, and have them in the same order, but they do not have to be of the same length.

syntax

following is the basic syntax of union.

select column1 [, column2 ]
from table1 [, table2 ]
[where condition]

union

select column1 [, column2 ]
from table1 [, table2 ]
[where condition]

here the given condition could be any given expression based on your requirement.

example

consider the following two tables, (a) company table as follows −

sqlite> select * from company;
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

(b) another table is department as follows −

id          dept                  emp_id
----------  --------------------  ----------
1           it billing            1
2           engineering           2
3           finance               7
4           engineering           3
5           finance               4
6           engineering           5
7           finance               6

now let us join these two tables using select statement along with union clause as follows −

sqlite>  select emp_id, name, dept from company inner join department
         on company.id = department.emp_id
         
         union
         
         select emp_id, name, dept from company left outer join department
         on company.id = department.emp_id;

this will produce the following result.

emp_id      name                  dept
----------  --------------------  ----------
1           paul                  it billing
2           allen                 engineering
3           teddy                 engineering
4           mark                  finance
5           david                 engineering
6           kim                   finance
7           james                 finance

the union all clause

the union all operator is used to combine the results of two select statements including duplicate rows.

the same rules that apply to union apply to the union all operator as well.

syntax

following is the basic syntax of union all.

select column1 [, column2 ]
from table1 [, table2 ]
[where condition]

union all

select column1 [, column2 ]
from table1 [, table2 ]
[where condition]

here the given condition could be any given expression based on your requirement.

example

now, let us join the above-mentioned two tables in our select statement as follows −

sqlite>  select emp_id, name, dept from company inner join department
         on company.id = department.emp_id
         
         union all

         select emp_id, name, dept from company left outer join department
         on company.id = department.emp_id;

this will produce the following result.

emp_id      name                  dept
----------  --------------------  ----------
1           paul                  it billing
2           allen                 engineering
3           teddy                 engineering
4           mark                  finance
5           david                 engineering
6           kim                   finance
7           james                 finance
1           paul                  it billing
2           allen                 engineering
3           teddy                 engineering
4           mark                  finance
5           david                 engineering
6           kim                   finance
7           james                 finance

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

you can rename a table or a column temporarily by giving another name, which is known as alias. the use of table aliases means to rename a table in a particular sqlite statement. renaming is a temporary change and the actual table name does not change in the database.

the column aliases are used to rename a table's columns for the purpose of a particular sqlite query.

syntax

following is the basic syntax of table alias.

select column1, column2....
from table_name as alias_name
where [condition];

following is the basic syntax of column alias.

select column_name as alias_name
from table_name
where [condition];

example

consider the following two tables, (a) company table is as follows −

sqlite> select * from company;
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

(b) another table is department as follows −

id          dept                  emp_id
----------  --------------------  ----------
1           it billing            1
2           engineering           2
3           finance               7
4           engineering           3
5           finance               4
6           engineering           5
7           finance               6

now, following is the usage of table alias where we use c and d as aliases for company and department tables respectively −

sqlite> select c.id, c.name, c.age, d.dept
        from company as c, department as d
        where  c.id = d.emp_id;

the above sqlite statement will produce the following result −

id          name        age         dept
----------  ----------  ----------  ----------
1           paul        32          it billing
2           allen       25          engineering
3           teddy       23          engineering
4           mark        25          finance
5           david       27          engineering
6           kim         22          finance
7           james       24          finance

consider an example for the usage of column alias where company_id is an alias of id column and company_name is an alias of name column.

sqlite> select c.id as company_id, c.name as company_name, c.age, d.dept
        from company as c, department as d
        where  c.id = d.emp_id;

the above sqlite statement will produce the following result −

company_id  company_name  age         dept
----------  ------------  ----------  ----------
1           paul          32          it billing
2           allen         25          engineering
3           teddy         23          engineering
4           mark          25          finance
5           david         27          engineering
6           kim           22          finance
7           james         24          finance

sqlite triggers are database callback functions, which are automatically performed/invoked when a specified database event occurs. following are the important points about sqlite triggers −

  • sqlite trigger may be specified to fire whenever a delete, insert or update of a particular database table occurs or whenever an update occurs on one or more specified columns of a table.

  • at this time, sqlite supports only for each row triggers, not for each statement triggers. hence, explicitly specifying for each row is optional.

  • both the when clause and the trigger actions may access elements of the row being inserted, deleted, or updated using references of the form new.column-name and old.column-name, where column-name is the name of a column from the table that the trigger is associated with.

  • if a when clause is supplied, the sql statements specified are only executed for rows for which the when clause is true. if no when clause is supplied, the sql statements are executed for all rows.

  • the before or after keyword determines when the trigger actions will be executed relative to the insertion, modification, or removal of the associated row.

  • triggers are automatically dropped when the table that they are associated with is dropped.

  • the table to be modified must exist in the same database as the table or view to which the trigger is attached and one must use just tablename not database.tablename.

  • a special sql function raise() may be used within a trigger-program to raise an exception.

syntax

following is the basic syntax of creating a trigger.

create trigger trigger_name [before|after] event_name 
on table_name
begin
 -- trigger logic goes here....
end;

here, event_name could be insert, delete, and update database operation on the mentioned table table_name. you can optionally specify for each row after table name.

following is the syntax for creating a trigger on an update operation on one or more specified columns of a table.

create trigger trigger_name [before|after] update of column_name 
on table_name
begin
   -- trigger logic goes here....
end;

example

let us consider a case where we want to keep audit trial for every record being inserted in company table, which we create newly as follows (drop company table if you already have it).

sqlite> create table company(
   id int primary key     not null,
   name           text    not null,
   age            int     not null,
   address        char(50),
   salary         real
);

to keep audit trial, we will create a new table called audit where the log messages will be inserted, whenever there is an entry in company table for a new record.

sqlite> create table audit(
   emp_id int not null,
   entry_date text not null
);

here, id is the audit record id, and emp_id is the id which will come from company table and date will keep timestamp when the record will be created in company table. now let's create a trigger on company table as follows −

sqlite> create trigger audit_log after insert 
on company
begin
   insert into audit(emp_id, entry_date) values (new.id, datetime('now'));
end;

now, we will start actual work, let's start inserting record in company table which should result in creating an audit log record in audit table. create one record in company table as follows −

sqlite> insert into company (id,name,age,address,salary)
values (1, 'paul', 32, 'california', 20000.00 );

this will create one record in company table, which is as follows −

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
1           paul        32          california  20000.0

same time, one record will be created in audit table. this record is the result of a trigger, which we have created on insert operation in company table. similarly, you can create your triggers on update and delete operations based on your requirements.

emp_id      entry_date
----------  -------------------
1           2013-04-05 06:26:00

listing triggers

you can list down all the triggers from sqlite_master table as follows −

sqlite> select name from sqlite_master
where type = 'trigger';

the above sqlite statement will list down only one entry as follows −

name
----------
audit_log

if you want to list down triggers on a particular table, then use and clause with table name as follows −

sqlite> select name from sqlite_master
where type = 'trigger' and tbl_name = 'company';

the above sqlite statement will also list down only one entry as follows −

name
----------
audit_log

dropping triggers

following is the drop command, which can be used to drop an existing trigger.

sqlite> drop trigger trigger_name;

indexes are special lookup tables that the database search engine can use to speed up data retrieval. simply put, an index is a pointer to data in a table. an index in a database is very similar to an index in the back of a book.

for example, if you want to reference all pages in a book that discuss a certain topic, you first refer to the index, which lists all topics alphabetically and are then referred to one or more specific page numbers.

an index helps speed up select queries and where clauses, but it slows down data input, with update and insert statements. indexes can be created or dropped with no effect on the data.

creating an index involves the create index statement, which allows you to name the index, to specify the table and which column or columns to index, and to indicate whether the index is in an ascending or descending order.

indexes can also be unique, similar to the unique constraint, in that the index prevents duplicate entries in the column or combination of columns on which there's an index.

the create index command

following is the basic syntax of create index.

create index index_name on table_name;

single-column indexes

a single-column index is one that is created based on only one table column. the basic syntax is as follows −

create index index_name
on table_name (column_name);

unique indexes

unique indexes are used not only for performance, but also for data integrity. a unique index does not allow any duplicate values to be inserted into the table. the basic syntax is as follows −

create unique index index_name
on table_name (column_name);

composite indexes

a composite index is an index on two or more columns of a table. the basic syntax is as follows −

create index index_name
on table_name (column1, column2);

whether to create a single-column index or a composite index, take into consideration the column(s) that you may use very frequently in a query's where clause as filter conditions.

should there be only one column used, a single-column index should be the choice. should there be two or more columns that are frequently used in the where clause as filters, the composite index would be the best choice.

implicit indexes

implicit indexes are indexes that are automatically created by the database server when an object is created. indexes are automatically created for primary key constraints and unique constraints.

example

following is an example where we will create an index in company table for salary column −

sqlite> create index salary_index on company (salary);

now, let's list down all the indices available in company table using .indices command as follows −

sqlite> .indices company

this will produce the following result, where sqlite_autoindex_company_1 is an implicit index which got created when the table itself was created.

salary_index
sqlite_autoindex_company_1

you can list down all the indexes database wide as follows −

sqlite> select * from sqlite_master where type = 'index';

the drop index command

an index can be dropped using sqlite drop command. care should be taken when dropping an index because performance may be slowed or improved.

following is the basic syntax is as follows −

drop index index_name;

you can use the following statement to delete previously created index.

sqlite> drop index salary_index;

when should indexes be avoided?

although indexes are intended to enhance the performance of a database, there are times when they should be avoided. the following guidelines indicate when the use of an index should be reconsidered.

indexes should not be used in −

  • small tables.
  • tables that have frequent, large batch update or insert operations.
  • columns that contain a high number of null values.
  • columns that are frequently manipulated.

the "indexed by index-name" clause specifies that the named index must be used in order to look up values on the preceding table.

if index-name does not exist or cannot be used for the query, then the preparation of the sqlite statement fails.

the "not indexed" clause specifies that no index shall be used when accessing the preceding table, including implied indices created by unique and primary key constraints.

however, the integer primary key can still be used to look up entries even when "not indexed" is specified.

syntax

following is the syntax for indexed by clause and it can be used with delete, update or select statement.

select|delete|update column1, column2...
indexed by (index_name)
table_name
where (condition);

example

consider table company we will create an index and use it for performing indexed by operation.

sqlite> create index salary_index on company(salary);
sqlite>

now selecting the data from table company you can use indexed by clause as follows −

sqlite> select * from company indexed by salary_index where salary > 5000;

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
7           james       24          houston     10000.0
2           allen       25          texas       15000.0
1           paul        32          california  20000.0
3           teddy       23          norway      20000.0
6           kim         22          south-hall  45000.0
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

sqlite alter table command modifies an existing table without performing a full dump and reload of the data. you can rename a table using alter table statement and additional columns can be added in an existing table using alter table statement.

there is no other operation supported by alter table command in sqlite except renaming a table and adding a column in an existing table.

syntax

following is the basic syntax of alter table to rename an existing table.

alter table database_name.table_name rename to new_table_name;

following is the basic syntax of alter table to add a new column in an existing table.

alter table database_name.table_name add column column_def...;

example

consider the company table 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

now, let's try to rename this table using alter table statement as follows −

sqlite> alter table company rename to old_company;

the above sqlite statement will rename company table to old_company. now, let's try to add a new column in old_company table as follows −

sqlite> alter table old_company add column sex char(1);

company table is now changed and following will be the output from select statement.

id          name        age         address     salary      sex
----------  ----------  ----------  ----------  ----------  ---
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

it should be noted that newly added column is filled with null values.

unfortunately, we do not have truncate table command in sqlite but you can use sqlite delete command to delete complete data from an existing table, though it is recommended to use drop table command to drop the complete table and re-create it once again.

syntax

following is the basic syntax of delete command.

sqlite> delete from table_name;

following is the basic syntax of drop table.

sqlite> drop table table_name;

if you are using delete table command to delete all the records, it is recommended to use vacuum command to clear unused space.

example

consider company table 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

following is the example to truncate the above table −

sqlite> delete from company;
sqlite> vacuum;

now, company table is truncated completely and nothing will be the output from select statement.

a view is nothing more than a sqlite statement that is stored in the database with an associated name. it is actually a composition of a table in the form of a predefined sqlite query.

a view can contain all rows of a table or selected rows from one or more tables. a view can be created from one or many tables which depends on the written sqlite query to create a view.

views which are kind of virtual tables, allow the users to −

  • structure data in a way that users or classes of users find natural or intuitive.

  • restrict access to the data such that a user can only see limited data instead of a complete table.

  • summarize data from various tables, which can be used to generate reports.

sqlite views are read-only and thus you may not be able to execute a delete, insert or update statement on a view. however, you can create a trigger on a view that fires on an attempt to delete, insert, or update a view and do what you need in the body of the trigger.

creating views

sqlite views are created using the create view statement. sqlite views can be created from a single table, multiple tables, or another view.

following is the basic create view syntax.

create [temp | temporary] view view_name as
select column1, column2.....
from table_name
where [condition];

you can include multiple tables in your select statement in a similar way as you use them in a normal sql select query. if the optional temp or temporary keyword is present, the view will be created in the temp database.

example

consider company table 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

following is an example to create a view from company table. this view will be used to have only a few columns from company table.

sqlite> create view company_view as
select id, name, age
from  company;

you can now query company_view in a similar way as you query an actual table. following is an example −

sqlite> select * from company_view;

this will produce the following result.

id          name        age
----------  ----------  ----------
1           paul        32
2           allen       25
3           teddy       23
4           mark        25
5           david       27
6           kim         22
7           james       24

dropping views

to drop a view, simply use the drop view statement with the view_name. the basic drop view syntax is as follows −

sqlite> drop view view_name;

the following command will delete company_view view, which we created in the last section.

sqlite> drop view company_view;

a transaction is a unit of work that is performed against a database. transactions are units or sequences of work accomplished in a logical order, whether in a manual fashion by a user or automatically by some sort of a database program.

a transaction is the propagation of one or more changes to the database. for example, if you are creating, updating, or deleting a record from the table, then you are performing transaction on the table. it is important to control transactions to ensure data integrity and to handle database errors.

practically, you will club many sqlite queries into a group and you will execute all of them together as part of a transaction.

properties of transactions

transactions have the following four standard properties, usually referred to by the acronym acid.

  • atomicity − ensures that all operations within the work unit are completed successfully; otherwise, the transaction is aborted at the point of failure and previous operations are rolled back to their former state.

  • consistency − ensures that the database properly changes states upon a successfully committed transaction.

  • isolation − enables transactions to operate independently of and transparent to each other.

  • durability − ensures that the result or effect of a committed transaction persists in case of a system failure.

transaction control

following are the following commands used to control transactions:

  • begin transaction − to start a transaction.

  • commit − to save the changes, alternatively you can use end transaction command.

  • rollback − to rollback the changes.

transactional control commands are only used with dml commands insert, update, and delete. they cannot be used while creating tables or dropping them because these operations are automatically committed in the database.

begin transaction command

transactions can be started using begin transaction or simply begin command. such transactions usually persist until the next commit or rollback command is encountered. however, a transaction will also rollback if the database is closed or if an error occurs. following is the simple syntax to start a transaction.

begin;
or 
begin transaction;

commit command

commit command is the transactional command used to save changes invoked by a transaction to the database.

commit command saves all transactions to the database since the last commit or rollback command.

following is the syntax for commit command.

commit;
or
end transaction;

rollback command

rollback command is the transactional command used to undo transactions that have not already been saved to the database.

rollback command can only be used to undo transactions since the last commit or rollback command was issued.

following is the syntax for rollback command.

rollback;

example

consider company table 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

now, let's start a transaction and delete records from the table having age = 25. then, use rollback command to undo all the changes.

sqlite> begin;
sqlite> delete from company where age = 25;
sqlite> rollback;

now, if you check company table, it still has 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's start another transaction and delete records from the table having age = 25 and finally we use commit command to commit all the changes.

sqlite> begin;
sqlite> delete from company where age = 25;
sqlite> commit;

if you now check company table is still has the following records −

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
1           paul        32          california  20000.0
3           teddy       23          norway      20000.0
5           david       27          texas       85000.0
6           kim         22          south-hall  45000.0
7           james       24          houston     10000.0

a subquery or inner query or nested query is a query within another sqlite query and embedded within the where clause.

a subquery is used to return data that will be used in the main query as a condition to further restrict the data to be retrieved.

subqueries can be used with the select, insert, update, and delete statements along with the operators such as =, <, >, >=, <=, in, between, etc.

there are a few rules that subqueries must follow −

  • subqueries must be enclosed within parentheses.

  • a subquery can have only one column in the select clause, unless multiple columns are in the main query for the subquery to compare its selected columns.

  • an order by cannot be used in a subquery, although the main query can use an order by. the group by can be used to perform the same function as the order by in a subquery.

  • subqueries that return more than one row can only be used with multiple value operators, such as the in operator.

  • between operator cannot be used with a subquery; however, between can be used within the subquery.

subqueries with select statement

subqueries are most frequently used with the select statement. the basic syntax is as follows −

select column_name [, column_name ]
from table1 [, table2 ]
where column_name operator
   (select column_name [, column_name ]
      from table1 [, table2 ]
      [where])

example

consider company table 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

now, let us check the following sub-query with select statement.

sqlite> select * 
   from company 
   where id in (select id 
      from company 
      where salary > 45000) ;

this will produce the following result.

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
4           mark        25          rich-mond   65000.0
5           david       27          texas       85000.0

subqueries with insert statement

subqueries can also be used with insert statements. the insert statement uses the data returned from the subquery to insert into another table. the selected data in the subquery can be modified with any of the character, date, or number functions.

following is the basic syntax is as follows −

insert into table_name [ (column1 [, column2 ]) ]
   select [ *|column1 [, column2 ]
   from table1 [, table2 ]
   [ where value operator ]

example

consider a table company_bkp with similar structure as company table and can be created using the same create table using company_bkp as the table name. to copy the complete company table into company_bkp, following is the syntax −

sqlite> insert into company_bkp
   select * from company 
   where id in (select id 
      from company) ;

subqueries with update statement

the subquery can be used in conjunction with the update statement. either single or multiple columns in a table can be updated when using a subquery with the update statement.

following is the basic syntax is as follows −

update table
set column_name = new_value
[ where operator [ value ]
   (select column_name
      from table_name)
   [ where) ]

example

assuming, we have company_bkp table available which is a backup of company table.

following example updates salary by 0.50 times in company table for all the customers, whose age is greater than or equal to 27.

sqlite> update company
   set salary = salary * 0.50
   where age in (select age from company_bkp
      where age >= 27 );

this would impact two rows and finally company table would have the following records −

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
1           paul        32          california  10000.0
2           allen       25          texas       15000.0
3           teddy       23          norway      20000.0
4           mark        25          rich-mond   65000.0
5           david       27          texas       42500.0
6           kim         22          south-hall  45000.0
7           james       24          houston     10000.0

subqueries with delete statement

subquery can be used in conjunction with the delete statement like with any other statements mentioned above.

following is the basic syntax is as follows −

delete from table_name
[ where operator [ value ]
   (select column_name
      from table_name)
   [ where) ]

example

assuming, we have company_bkp table available which is a backup of company table.

following example deletes records from company table for all the customers whose age is greater than or equal to 27.

sqlite> delete from company
   where age in (select age from company_bkp
   where age > 27 );

this will impact two rows and finally company table will have the following records −

id          name        age         address     salary
----------  ----------  ----------  ----------  ----------
2           allen       25          texas       15000.0
3           teddy       23          norway      20000.0
4           mark        25          rich-mond   65000.0
5           david       27          texas       42500.0
6           kim         22          south-hall  45000.0
7           james       24          houston     10000.0

sqlite autoincrement is a keyword used for auto incrementing a value of a field in the table. we can auto increment a field value by using autoincrement keyword when creating a table with specific column name to auto increment.

the keyword autoincrement can be used with integer field only.

syntax

the basic usage of autoincrement keyword is as follows −

create table table_name(
   column1 integer autoincrement,
   column2 datatype,
   column3 datatype,
   .....
   columnn datatype,
);

example

consider company table to be created as follows −

sqlite> create table company(
   id integer primary key autoincrement,
   name           text      not null,
   age            int       not null,
   address        char(50),
   salary         real
);

now, insert the following records into table company −

insert into company (name,age,address,salary)
values ( 'paul', 32, 'california', 20000.00 );

insert into company (name,age,address,salary)
values ('allen', 25, 'texas', 15000.00 );

insert into company (name,age,address,salary)
values ('teddy', 23, 'norway', 20000.00 );

insert into company (name,age,address,salary)
values ( 'mark', 25, 'rich-mond ', 65000.00 );

insert into company (name,age,address,salary)
values ( 'david', 27, 'texas', 85000.00 );

insert into company (name,age,address,salary)
values ( 'kim', 22, 'south-hall', 45000.00 );

insert into company (name,age,address,salary)
values ( 'james', 24, 'houston', 10000.00 );

this will insert 7 tuples into the table company and company 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          south-hall  45000.0
7           james       24          houston     10000.0

if you take user input through a webpage and insert it into a sqlite database there's a chance that you have left yourself wide open for a security issue known as sql injection. in this chapter, you will learn how to help prevent this from happening and help you secure your scripts and sqlite statements.

injection usually occurs when you ask a user for input, like their name, and instead of a name they give you a sqlite statement that you will unknowingly run on your database.

never trust user provided data, process this data only after validation; as a rule, this is done by pattern matching. in the following example, the username is restricted to alphanumerical chars plus underscore and to a length between 8 and 20 chars - modify these rules as needed.

if (preg_match("/^\w{8,20}$/", $_get['username'], $matches)){
   $db = new sqlitedatabase('filename');
   $result = @$db->query("select * from users where username = $matches[0]");
} else {
   echo "username not accepted";
}

to demonstrate the problem, consider this excerpt −

$name = "qadir'; delete from users;";
@$db->query("select * from users where username = '{$name}'");

the function call is supposed to retrieve a record from the users table where the name column matches the name specified by the user. under normal circumstances, $name would only contain alphanumeric characters and perhaps spaces, such as the string ilia. however in this case, by appending an entirely new query to $name, the call to the database turns into a disaster: the injected delete query removes all records from users.

there are databases interfaces which do not permit query stacking or executing multiple queries in a single function call. if you try to stack queries, the call fails but sqlite and postgresql, happily perform stacked queries, executing all of the queries provided in one string and creating a serious security problem.

preventing sql injection

you can handle all escape characters smartly in scripting languages like perl and php. programming language php provides the function string sqlite_escape_string() to escape input characters that are special to sqlite.

if (get_magic_quotes_gpc()) {
   $name = sqlite_escape_string($name);
}
$result = @$db->query("select * from users where username = '{$name}'");

although the encoding makes it safe to insert the data, it will render simple text comparisons and like clauses in your queries unusable for the columns that contain the binary data.

noteaddslashes() should not be used to quote your strings for sqlite queries; it will lead to strange results when retrieving your data.

sqlite statement can be preceded by the keyword "explain" or by the phrase "explain query plan" used for describing the details of a table.

either modification causes the sqlite statement to behave as a query and to return information about how the sqlite statement would have operated if the explain keyword or phrase had been omitted.

  • the output from explain and explain query plan is intended for interactive analysis and troubleshooting only.

  • the details of the output format are subject to change from one release of sqlite to the next.

  • applications should not use explain or explain query plan since their exact behavior is variable and only partially documented.

syntax

syntax for explain is as follows −

explain [sqlite query]

syntax for explain query plan is as follows −

explain  query plan [sqlite query]

example

consider company table 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

now, let us check the following sub-query with select statement −

sqlite> explain select * from company where salary &gt= 20000;

this will produce the following result.

addr        opcode      p1          p2          p3
----------  ----------  ----------  ----------  ----------
0           goto        0           19
1           integer     0           0
2           openread    0           8
3           setnumcolu  0           5
4           rewind      0           17
5           column      0           4
6           realaffini  0           0
7           integer     20000       0
8           lt          357         16          collseq(bi
9           rowid       0           0
10          column      0           1
11          column      0           2
12          column      0           3
13          column      0           4
14          realaffini  0           0
15          callback    5           0
16          next        0           5
17          close       0           0
18          halt        0           0
19          transactio  0           0
20          verifycook  0           38
21          goto        0           1
22          noop        0           0

now, let us check the following explain query plan with select statement −

sqlite> explain query plan select * from company where salary &gt= 20000;

order       from        detail
----------  ----------  -------------
0           0           table company

vacuum command cleans the main database by copying its contents to a temporary database file and reloading the original database file from the copy. this eliminates free pages, aligns table data to be contiguous, and otherwise cleans up the database file structure.

vacuum command may change the rowid of entries in tables that do not have an explicit integer primary key. the vacuum command only works on the main database. it is not possible to vacuum an attached database file.

vacuum command will fail if there is an active transaction. vacuum command is a no-op for in-memory databases. as the vacuum command rebuilds the database file from scratch, vacuum can also be used to modify many database-specific configuration parameters.

manual vacuum

following is a simple syntax to issue a vacuum command for the whole database from command prompt −

$sqlite3 database_name "vacuum;"

you can run vacuum from sqlite prompt as well as follows −

sqlite> vacuum;

you can also run vacuum on a particular table as follows −

sqlite> vacuum table_name;

auto-vaccum

sqlite auto-vacuum does not do the same as vacuum rather it only moves free pages to the end of the database thereby reducing the database size. by doing so it can significantly fragment the database while vacuum ensures defragmentation. hence, auto-vacuum just keeps the database small.

you can enable/disable sqlite auto-vacuuming by the following pragmas running at sqlite prompt −

sqlite> pragma auto_vacuum = none; -- 0 means disable auto vacuum
sqlite> pragma auto_vacuum = full; -- 1 means enable full auto vacuum
sqlite> pragma auto_vacuum = incremental; -- 2 means enable incremental vacuum

you can run the following command from the command prompt to check the auto-vacuum setting −

$sqlite3 database_name "pragma auto_vacuum;"

sqlite supports five date and time functions as follows −

sr.no. function example
1 date(timestring, modifiers...) this returns the date in this format: yyyy-mm-dd
2 time(timestring, modifiers...) this returns the time as hh:mm:ss
3 datetime(timestring, modifiers...) this returns yyyy-mm-dd hh:mm:ss
4 julianday(timestring, modifiers...) this returns the number of days since noon in greenwich on november 24, 4714 b.c.
5 strftime(timestring, modifiers...) this returns the date formatted according to the format string specified as the first argument formatted as per formatters explained below.

all the above five date and time functions take a time string as an argument. the time string is followed by zero or more modifiers. the strftime() function also takes a format string as its first argument. following section will give you detail on different types of time strings and modifiers.

time strings

a time string can be in any of the following formats −

sr.no. time string example
1 yyyy-mm-dd 2010-12-30
2 yyyy-mm-dd hh:mm 2010-12-30 12:10
3 yyyy-mm-dd hh:mm:ss.sss 2010-12-30 12:10:04.100
4 mm-dd-yyyy hh:mm 30-12-2010 12:10
5 hh:mm 12:10
6 yyyy-mm-ddthh:mm 2010-12-30 12:10
7 hh:mm:ss 12:10:01
8 yyyymmdd hhmmss 20101230 121001
9 now 2013-05-07

you can use the "t" as a literal character separating the date and the time.

modifiers

the time string can be followed by zero or more modifiers that will alter date and/or time returned by any of the above five functions. modifiers are applied from the left to right.

following modifers are available in sqlite −

  • nnn days
  • nnn hours
  • nnn minutes
  • nnn.nnnn seconds
  • nnn months
  • nnn years
  • start of month
  • start of year
  • start of day
  • weekday n
  • unixepoch
  • localtime
  • utc

formatters

sqlite provides a very handy function strftime() to format any date and time. you can use the following substitutions to format your date and time.

substitution description
%d day of month, 01-31 %f fractional seconds, ss.sss %h hour, 00-23 %j day of year, 001-366 %j julian day number, dddd.dddd %m month, 00-12 %m minute, 00-59 %s seconds since 1970-01-01 %s seconds, 00-59 %w day of week, 0-6 (0 is sunday) %w week of year, 01-53 %y year, yyyy %% % symbol

examples

let's try various examples now using sqlite prompt. following command computes the current date.

sqlite> select date('now');
2013-05-07

following command computes the last day of the current month.

sqlite> select date('now','start of month','+1 month','-1 day');
2013-05-31

following command computes the date and time for a given unix timestamp 1092941466.

sqlite> select datetime(1092941466, 'unixepoch');
2004-08-19 18:51:06

following command computes the date and time for a given unix timestamp 1092941466 and compensate for your local timezone.

sqlite> select datetime(1092941466, 'unixepoch', 'localtime');
2004-08-19 13:51:06

following command computes the current unix timestamp.

sqlite> select strftime('%s','now');
1393348134

following command computes the number of days since the signing of the us declaration of independence.

sqlite> select julianday('now') - julianday('1776-07-04');
86798.7094695023

following command computes the number of seconds since a particular moment in 2004.

sqlite> select strftime('%s','now') - strftime('%s','2004-01-01 02:34:56');
295001572

following command computes the date of the first tuesday in october for the current year.

sqlite> select date('now','start of year','+9 months','weekday 2');
2013-10-01

following command computes the time since the unix epoch in seconds (like strftime('%s','now') except includes fractional part).

sqlite> select (julianday('now') - 2440587.5)*86400.0;
1367926077.12598

to convert between utc and local time values when formatting a date, use the utc or localtime modifiers as follows −

sqlite> select time('12:00', 'localtime');
05:00:00
sqlite> select time('12:00', 'utc');
19:00:00

sqlite has many built-in functions to perform processing on string or numeric data. following is the list of few useful sqlite built-in functions and all are case in-sensitive which means you can use these functions either in lower-case form or in upper-case or in mixed form. for more details, you can check official documentation for sqlite.

sr.no. function & description
1

sqlite count function

sqlite count aggregate function is used to count the number of rows in a database table.

2

sqlite max function

sqlite max aggregate function allows us to select the highest (maximum) value for a certain column.

3

sqlite min function

sqlite min aggregate function allows us to select the lowest (minimum) value for a certain column.

4

sqlite avg function

sqlite avg aggregate function selects the average value for certain table column.

5

sqlite sum function

sqlite sum aggregate function allows selecting the total for a numeric column.

6

sqlite random function

sqlite random function returns a pseudo-random integer between -9223372036854775808 and +9223372036854775807.

7

sqlite abs function

sqlite abs function returns the absolute value of the numeric argument.

8

sqlite upper function

sqlite upper function converts a string into upper-case letters.

9

sqlite lower function

sqlite lower function converts a string into lower-case letters.

10

sqlite length function

sqlite length function returns the length of a string.

11

sqlite sqlite_version function

sqlite sqlite_version function returns the version of the sqlite library.

before we start giving examples on the above-mentioned functions, consider company table 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

sqlite count function

sqlite count aggregate function is used to count the number of rows in a database table. following is an example −

sqlite> select count(*) from company;

the above sqlite sql statement will produce the following.

count(*)
----------
7

sqlite max function

sqlite max aggregate function allows us to select the highest (maximum) value for a certain column. following is an example −

sqlite> select max(salary) from company;

the above sqlite sql statement will produce the following.

max(salary)
-----------
85000.0

sqlite min function

sqlite min aggregate function allows us to select the lowest (minimum) value for a certain column. following is an example −

sqlite> select min(salary) from company;

the above sqlite sql statement will produce the following.

min(salary)
-----------
10000.0

sqlite avg function

sqlite avg aggregate function selects the average value for a certain table column. following is an the example −

sqlite> select avg(salary) from company;

the above sqlite sql statement will produce the following.

avg(salary)
----------------
37142.8571428572

sqlite sum function

sqlite sum aggregate function allows selecting the total for a numeric column. following is an example −

sqlite> select sum(salary) from company;

the above sqlite sql statement will produce the following.

sum(salary)
-----------
260000.0

sqlite random function

sqlite random function returns a pseudo-random integer between -9223372036854775808 and +9223372036854775807. following is an example −

sqlite> select random() as random;

the above sqlite sql statement will produce the following.

random
-------------------
5876796417670984050

sqlite abs function

sqlite abs function returns the absolute value of the numeric argument. following is an example −

sqlite> select abs(5), abs(-15), abs(null), abs(0), abs("abc");

the above sqlite sql statement will produce the following.

abs(5)      abs(-15)    abs(null)   abs(0)      abs("abc")
----------  ----------  ----------  ----------  ----------
5           15                      0           0.0

sqlite upper function

sqlite upper function converts a string into upper-case letters. following is an example −

sqlite> select upper(name) from company;

the above sqlite sql statement will produce the following.

upper(name)
-----------
paul
allen
teddy
mark
david
kim
james

sqlite lower function

sqlite lower function converts a string into lower-case letters. following is an example −

sqlite> select lower(name) from company;

the above sqlite sql statement will produce the following.

lower(name)
-----------
paul
allen
teddy
mark
david
kim
james

sqlite length function

sqlite length function returns the length of a string. following is an example −

sqlite> select name, length(name) from company;

the above sqlite sql statement will produce the following.

name        length(name)
----------  ------------
paul        4
allen       5
teddy       5
mark        4
david       5
kim         3
james       5

sqlite sqlite_version function

sqlite sqlite_version function returns the version of the sqlite library. following is an example −

sqlite> select sqlite_version() as 'sqlite version';

the above sqlite sql statement will produce the following.

sqlite version
--------------
3.6.20

in this chapter, you will learn how to use sqlite in c/c++ programs.

installation

before you start using sqlite in our c/c++ programs, you need to make sure that you have sqlite library set up on the machine. you can check sqlite installation chapter to understand the installation process.

c/c++ interface apis

following are important c/c++ sqlite interface routines, which can suffice your requirement to work with sqlite database from your c/c++ program. if you are looking for a more sophisticated application, then you can look into sqlite official documentation.

sr.no. api & description
1

sqlite3_open(const char *filename, sqlite3 **ppdb)

this routine opens a connection to an sqlite database file and returns a database connection object to be used by other sqlite routines.

if the filename argument is null or ':memory:', sqlite3_open() will create an in-memory database in ram that lasts only for the duration of the session.

if the filename is not null, sqlite3_open() attempts to open the database file by using its value. if no file by that name exists, sqlite3_open() will open a new database file by that name.

2

sqlite3_exec(sqlite3*, const char *sql, sqlite_callback, void *data, char **errmsg)

this routine provides a quick, easy way to execute sql commands provided by sql argument which can consist of more than one sql command.

here, the first argument sqlite3 is an open database object, sqlite_callback is a call back for which data is the 1st argument and errmsg will be returned to capture any error raised by the routine.

sqlite3_exec() routine parses and executes every command given in the sql argument until it reaches the end of the string or encounters an error.

3

sqlite3_close(sqlite3*)

this routine closes a database connection previously opened by a call to sqlite3_open(). all prepared statements associated with the connection should be finalized prior to closing the connection.

if any queries remain that have not been finalized, sqlite3_close() will return sqlite_busy with the error message unable to close due to unfinalized statements.

connect to database

following c code segment shows how to connect to an existing database. if the database does not exist, then it will be created and finally a database object will be returned.

#include <stdio.h>
#include <sqlite3.h> 

int main(int argc, char* argv[]) {
   sqlite3 *db;
   char *zerrmsg = 0;
   int rc;

   rc = sqlite3_open("test.db", &db);

   if( rc ) {
      fprintf(stderr, "can't open database: %s\n", sqlite3_errmsg(db));
      return(0);
   } else {
      fprintf(stderr, "opened database successfully\n");
   }
   sqlite3_close(db);
}

now, let's compile and run the above program to create our database test.db in the current directory. you can change your path as per your requirement.

$gcc test.c -l sqlite3
$./a.out
opened database successfully

if you are going to use c++ source code, then you can compile your code as follows −

$g++ test.c -l sqlite3

here, we are linking our program with sqlite3 library to provide required functions to c program. this will create a database file test.db in your directory and you will have the following result.

-rwxr-xr-x. 1 root root 7383 may 8 02:06 a.out
-rw-r--r--. 1 root root  323 may 8 02:05 test.c
-rw-r--r--. 1 root root    0 may 8 02:06 test.db

create a table

following c code segment will be used to create a table in the previously created database −

#include <stdio.h>
#include <stdlib.h>
#include <sqlite3.h> 

static int callback(void *notused, int argc, char **argv, char **azcolname) {
   int i;
   for(i = 0; i<argc; i++) {
      printf("%s = %s\n", azcolname[i], argv[i] ? argv[i] : "null");
   }
   printf("\n");
   return 0;
}

int main(int argc, char* argv[]) {
   sqlite3 *db;
   char *zerrmsg = 0;
   int rc;
   char *sql;

   /* open database */
   rc = sqlite3_open("test.db", &db);
   
   if( rc ) {
      fprintf(stderr, "can't open database: %s\n", sqlite3_errmsg(db));
      return(0);
   } else {
      fprintf(stdout, "opened database successfully\n");
   }

   /* create sql statement */
   sql = "create table company("  \
      "id int primary key     not null," \
      "name           text    not null," \
      "age            int     not null," \
      "address        char(50)," \
      "salary         real );";

   /* execute sql statement */
   rc = sqlite3_exec(db, sql, callback, 0, &zerrmsg);
   
   if( rc != sqlite_ok ){
      fprintf(stderr, "sql error: %s\n", zerrmsg);
      sqlite3_free(zerrmsg);
   } else {
      fprintf(stdout, "table created successfully\n");
   }
   sqlite3_close(db);
   return 0;
}

when the above program is compiled and executed, it will create company table in your test.db and the final listing of the file will be as follows −

-rwxr-xr-x. 1 root root 9567 may 8 02:31 a.out
-rw-r--r--. 1 root root 1207 may 8 02:31 test.c
-rw-r--r--. 1 root root 3072 may 8 02:31 test.db

insert operation

following c code segment shows how you can create records in company table created in the above example −

#include <stdio.h>
#include <stdlib.h>
#include <sqlite3.h> 

static int callback(void *notused, int argc, char **argv, char **azcolname) {
   int i;
   for(i = 0; i<argc; i++) {
      printf("%s = %s\n", azcolname[i], argv[i] ? argv[i] : "null");
   }
   printf("\n");
   return 0;
}

int main(int argc, char* argv[]) {
   sqlite3 *db;
   char *zerrmsg = 0;
   int rc;
   char *sql;

   /* open database */
   rc = sqlite3_open("test.db", &db);
   
   if( rc ) {
      fprintf(stderr, "can't open database: %s\n", sqlite3_errmsg(db));
      return(0);
   } else {
      fprintf(stderr, "opened database successfully\n");
   }

   /* create sql statement */
   sql = "insert into company (id,name,age,address,salary) "  \
         "values (1, 'paul', 32, 'california', 20000.00 ); " \
         "insert into company (id,name,age,address,salary) "  \
         "values (2, 'allen', 25, 'texas', 15000.00 ); "     \
         "insert into company (id,name,age,address,salary)" \
         "values (3, 'teddy', 23, 'norway', 20000.00 );" \
         "insert into company (id,name,age,address,salary)" \
         "values (4, 'mark', 25, 'rich-mond ', 65000.00 );";

   /* execute sql statement */
   rc = sqlite3_exec(db, sql, callback, 0, &zerrmsg);
   
   if( rc != sqlite_ok ){
      fprintf(stderr, "sql error: %s\n", zerrmsg);
      sqlite3_free(zerrmsg);
   } else {
      fprintf(stdout, "records created successfully\n");
   }
   sqlite3_close(db);
   return 0;
}

when the above program is compiled and executed, it will create the given records in company table and will display the following two lines −

opened database successfully
records created successfully

select operation

before proceeding with actual example to fetch records, let us look at some detail about the callback function, which we are using in our examples. this callback provides a way to obtain results from select statements. it has the following declaration −

typedef int (*sqlite3_callback)(
   void*,    /* data provided in the 4th argument of sqlite3_exec() */
   int,      /* the number of columns in row */
   char**,   /* an array of strings representing fields in the row */
   char**    /* an array of strings representing column names */
);

if the above callback is provided in sqlite_exec() routine as the third argument, sqlite will call this callback function for each record processed in each select statement executed within the sql argument.

following c code segment shows how you can fetch and display records from the company table created in the above example −

#include <stdio.h>
#include <stdlib.h>
#include <sqlite3.h> 

static int callback(void *data, int argc, char **argv, char **azcolname){
   int i;
   fprintf(stderr, "%s: ", (const char*)data);
   
   for(i = 0; i<argc; i++){
      printf("%s = %s\n", azcolname[i], argv[i] ? argv[i] : "null");
   }
   
   printf("\n");
   return 0;
}

int main(int argc, char* argv[]) {
   sqlite3 *db;
   char *zerrmsg = 0;
   int rc;
   char *sql;
   const char* data = "callback function called";

   /* open database */
   rc = sqlite3_open("test.db", &db);
   
   if( rc ) {
      fprintf(stderr, "can't open database: %s\n", sqlite3_errmsg(db));
      return(0);
   } else {
      fprintf(stderr, "opened database successfully\n");
   }

   /* create sql statement */
   sql = "select * from company";

   /* execute sql statement */
   rc = sqlite3_exec(db, sql, callback, (void*)data, &zerrmsg);
   
   if( rc != sqlite_ok ) {
      fprintf(stderr, "sql error: %s\n", zerrmsg);
      sqlite3_free(zerrmsg);
   } else {
      fprintf(stdout, "operation done successfully\n");
   }
   sqlite3_close(db);
   return 0;
}

when the above program is compiled and executed, it will produce the following result.

opened database successfully
callback function called: id = 1
name = paul
age = 32
address = california
salary = 20000.0

callback function called: id = 2
name = allen
age = 25
address = texas
salary = 15000.0

callback function called: id = 3
name = teddy
age = 23
address = norway
salary = 20000.0

callback function called: id = 4
name = mark
age = 25
address = rich-mond
salary = 65000.0

operation done successfully

update operation

following c code segment shows how we can use update statement to update any record and then fetch and display updated records from the company table.

#include <stdio.h>
#include <stdlib.h>
#include <sqlite3.h> 

static int callback(void *data, int argc, char **argv, char **azcolname){
   int i;
   fprintf(stderr, "%s: ", (const char*)data);
   
   for(i = 0; i<argc; i++) {
      printf("%s = %s\n", azcolname[i], argv[i] ? argv[i] : "null");
   }
   printf("\n");
   return 0;
}

int main(int argc, char* argv[]) {
   sqlite3 *db;
   char *zerrmsg = 0;
   int rc;
   char *sql;
   const char* data = "callback function called";

   /* open database */
   rc = sqlite3_open("test.db", &db);
   
   if( rc ) {
      fprintf(stderr, "can't open database: %s\n", sqlite3_errmsg(db));
      return(0);
   } else {
      fprintf(stderr, "opened database successfully\n");
   }

   /* create merged sql statement */
   sql = "update company set salary = 25000.00 where id=1; " \
         "select * from company";

   /* execute sql statement */
   rc = sqlite3_exec(db, sql, callback, (void*)data, &zerrmsg);
   
   if( rc != sqlite_ok ) {
      fprintf(stderr, "sql error: %s\n", zerrmsg);
      sqlite3_free(zerrmsg);
   } else {
      fprintf(stdout, "operation done successfully\n");
   }
   sqlite3_close(db);
   return 0;
}

when the above program is compiled and executed, it will produce the following result.

opened database successfully
callback function called: id = 1
name = paul
age = 32
address = california
salary = 25000.0

callback function called: id = 2
name = allen
age = 25
address = texas
salary = 15000.0

callback function called: id = 3
name = teddy
age = 23
address = norway
salary = 20000.0

callback function called: id = 4
name = mark
age = 25
address = rich-mond
salary = 65000.0

operation done successfully

delete operation

following c code segment shows how you can use delete statement to delete any record and then fetch and display the remaining records from the company table.

#include <stdio.h>
#include <stdlib.h>
#include <sqlite3.h> 

static int callback(void *data, int argc, char **argv, char **azcolname) {
   int i;
   fprintf(stderr, "%s: ", (const char*)data);
   
   for(i = 0; i<argc; i++) {
      printf("%s = %s\n", azcolname[i], argv[i] ? argv[i] : "null");
   }
   printf("\n");
   return 0;
}

int main(int argc, char* argv[]) {
   sqlite3 *db;
   char *zerrmsg = 0;
   int rc;
   char *sql;
   const char* data = "callback function called";

   /* open database */
   rc = sqlite3_open("test.db", &db);
   
   if( rc ) {
      fprintf(stderr, "can't open database: %s\n", sqlite3_errmsg(db));
      return(0);
   } else {
      fprintf(stderr, "opened database successfully\n");
   }

   /* create merged sql statement */
   sql = "delete from company where id=2; " \
         "select * from company";

   /* execute sql statement */
   rc = sqlite3_exec(db, sql, callback, (void*)data, &zerrmsg);
   
   if( rc != sqlite_ok ) {
      fprintf(stderr, "sql error: %s\n", zerrmsg);
      sqlite3_free(zerrmsg);
   } else {
      fprintf(stdout, "operation done successfully\n");
   }
   sqlite3_close(db);
   return 0;
}

when the above program is compiled and executed, it will produce the following result.

opened database successfully
callback function called: id = 1
name = paul
age = 32
address = california
salary = 20000.0

callback function called: id = 3
name = teddy
age = 23
address = norway
salary = 20000.0

callback function called: id = 4
name = mark
age = 25
address = rich-mond
salary = 65000.0

operation done successfully

in this chapter, you will learn how to use sqlite in java programs.

installation

before you start using sqlite in our java programs, you need to make sure that you have sqlite jdbc driver and java set up on the machine. you can check java tutorial for java installation on your machine. now, let us check how to set up sqlite jdbc driver.

  • download latest version of sqlite-jdbc-(version).jar from sqlite-jdbc repository.

  • add downloaded jar file sqlite-jdbc-(version).jar in your class path, or you can use it along with -classpath option as explained in the following examples.

following section assumes you have little knowledge about java jdbc concepts. if you don't, then it is suggested to spent half an hour with jdbc tutorial to become comfortable with the concepts explained below.

connect to database

following java programs shows how to connect to an existing database. if the database does not exist, then it will be created and finally a database object will be returned.

import java.sql.*;

public class sqlitejdbc {
  public static void main( string args[] ) {
      connection c = null;
      
      try {
         class.forname("org.sqlite.jdbc");
         c = drivermanager.getconnection("jdbc:sqlite:test.db");
      } catch ( exception e ) {
         system.err.println( e.getclass().getname() + ": " + e.getmessage() );
         system.exit(0);
      }
      system.out.println("opened database successfully");
   }
}

now, let's compile and run the above program to create our database test.db in the current directory. you can change your path as per your requirement. we are assuming the current version of jdbc driver sqlite-jdbc-3.7.2.jar is available in the current path.

$javac sqlitejdbc.java
$java -classpath ".:sqlite-jdbc-3.7.2.jar" sqlitejdbc
open database successfully

if you are going to use windows machine, then you can compile and run your code as follows −

$javac sqlitejdbc.java
$java -classpath ".;sqlite-jdbc-3.7.2.jar" sqlitejdbc
opened database successfully

create a table

following java program will be used to create a table in the previously created database.

import java.sql.*;

public class sqlitejdbc {

   public static void main( string args[] ) {
      connection c = null;
      statement stmt = null;
      
      try {
         class.forname("org.sqlite.jdbc");
         c = drivermanager.getconnection("jdbc:sqlite:test.db");
         system.out.println("opened database successfully");

         stmt = c.createstatement();
         string sql = "create table company " +
                        "(id int primary key     not null," +
                        " name           text    not null, " + 
                        " age            int     not null, " + 
                        " address        char(50), " + 
                        " salary         real)"; 
         stmt.executeupdate(sql);
         stmt.close();
         c.close();
      } catch ( exception e ) {
         system.err.println( e.getclass().getname() + ": " + e.getmessage() );
         system.exit(0);
      }
      system.out.println("table created successfully");
   }
}

when the above program is compiled and executed, it will create company table in your test.db and final listing of the file will be as follows −

-rw-r--r--. 1 root root 3201128 jan 22 19:04 sqlite-jdbc-3.7.2.jar
-rw-r--r--. 1 root root    1506 may  8 05:43 sqlitejdbc.class
-rw-r--r--. 1 root root     832 may  8 05:42 sqlitejdbc.java
-rw-r--r--. 1 root root    3072 may  8 05:43 test.db

insert operation

following java program shows how to create records in the company table created in above example.

import java.sql.*;

public class sqlitejdbc {

   public static void main( string args[] ) {
      connection c = null;
      statement stmt = null;
      
      try {
         class.forname("org.sqlite.jdbc");
         c = drivermanager.getconnection("jdbc:sqlite:test.db");
         c.setautocommit(false);
         system.out.println("opened database successfully");

         stmt = c.createstatement();
         string sql = "insert into company (id,name,age,address,salary) " +
                        "values (1, 'paul', 32, 'california', 20000.00 );"; 
         stmt.executeupdate(sql);

         sql = "insert into company (id,name,age,address,salary) " +
                  "values (2, 'allen', 25, 'texas', 15000.00 );"; 
         stmt.executeupdate(sql);

         sql = "insert into company (id,name,age,address,salary) " +
                  "values (3, 'teddy', 23, 'norway', 20000.00 );"; 
         stmt.executeupdate(sql);

         sql = "insert into company (id,name,age,address,salary) " +
                  "values (4, 'mark', 25, 'rich-mond ', 65000.00 );"; 
         stmt.executeupdate(sql);

         stmt.close();
         c.commit();
         c.close();
      } catch ( exception e ) {
         system.err.println( e.getclass().getname() + ": " + e.getmessage() );
         system.exit(0);
      }
      system.out.println("records created successfully");
   }
}

when above program is compiled and executed, it will create given records in company table and will display following two line −

opened database successfully
records created successfully

select operation

following java program shows how to fetch and display records from the company table created in the above example.

import java.sql.*;

public class sqlitejdbc {

  public static void main( string args[] ) {

   connection c = null;
   statement stmt = null;
   try {
      class.forname("org.sqlite.jdbc");
      c = drivermanager.getconnection("jdbc:sqlite:test.db");
      c.setautocommit(false);
      system.out.println("opened database successfully");

      stmt = c.createstatement();
      resultset rs = stmt.executequery( "select * from company;" );
      
      while ( rs.next() ) {
         int id = rs.getint("id");
         string  name = rs.getstring("name");
         int age  = rs.getint("age");
         string  address = rs.getstring("address");
         float salary = rs.getfloat("salary");
         
         system.out.println( "id = " + id );
         system.out.println( "name = " + name );
         system.out.println( "age = " + age );
         system.out.println( "address = " + address );
         system.out.println( "salary = " + salary );
         system.out.println();
      }
      rs.close();
      stmt.close();
      c.close();
   } catch ( exception e ) {
      system.err.println( e.getclass().getname() + ": " + e.getmessage() );
      system.exit(0);
   }
   system.out.println("operation done successfully");
  }
}

when the above program is compiled and executed, it will produce the following result.

opened database successfully
id = 1
name = paul
age = 32
address = california
salary = 20000.0

id = 2
name = allen
age = 25
address = texas
salary = 15000.0

id = 3
name = teddy
age = 23
address = norway
salary = 20000.0

id = 4
name = mark
age = 25
address = rich-mond
salary = 65000.0

operation done successfully

update operation

following java code shows how to use update statement to update any record and then fetch and display the updated records from the company table.

import java.sql.*;

public class sqlitejdbc {

  public static void main( string args[] ) {
  
   connection c = null;
   statement stmt = null;
   
   try {
      class.forname("org.sqlite.jdbc");
      c = drivermanager.getconnection("jdbc:sqlite:test.db");
      c.setautocommit(false);
      system.out.println("opened database successfully");

      stmt = c.createstatement();
      string sql = "update company set salary = 25000.00 where id=1;";
      stmt.executeupdate(sql);
      c.commit();

      resultset rs = stmt.executequery( "select * from company;" );
      
      while ( rs.next() ) {
         int id = rs.getint("id");
         string  name = rs.getstring("name");
         int age  = rs.getint("age");
         string  address = rs.getstring("address");
         float salary = rs.getfloat("salary");
         
         system.out.println( "id = " + id );
         system.out.println( "name = " + name );
         system.out.println( "age = " + age );
         system.out.println( "address = " + address );
         system.out.println( "salary = " + salary );
         system.out.println();
      }
      rs.close();
      stmt.close();
      c.close();
   } catch ( exception e ) {
      system.err.println( e.getclass().getname() + ": " + e.getmessage() );
      system.exit(0);
   }
    system.out.println("operation done successfully");
   }
}

when the above program is compiled and executed, it will produce the following result.

opened database successfully
id = 1
name = paul
age = 32
address = california
salary = 25000.0

id = 2
name = allen
age = 25
address = texas
salary = 15000.0

id = 3
name = teddy
age = 23
address = norway
salary = 20000.0

id = 4
name = mark
age = 25
address = rich-mond
salary = 65000.0

operation done successfully

delete operation

following java code shows how to use use delete statement to delete any record and then fetch and display the remaining records from the our company table.

import java.sql.*;

public class sqlitejdbc {

   public static void main( string args[] ) {
      connection c = null;
      statement stmt = null;
      
      try {
         class.forname("org.sqlite.jdbc");
         c = drivermanager.getconnection("jdbc:sqlite:test.db");
         c.setautocommit(false);
         system.out.println("opened database successfully");

         stmt = c.createstatement();
         string sql = "delete from company where id=2;";
         stmt.executeupdate(sql);
         c.commit();

         resultset rs = stmt.executequery( "select * from company;" );
         
         while ( rs.next() ) {
         int id = rs.getint("id");
         string  name = rs.getstring("name");
         int age  = rs.getint("age");
         string  address = rs.getstring("address");
         float salary = rs.getfloat("salary");
         
         system.out.println( "id = " + id );
         system.out.println( "name = " + name );
         system.out.println( "age = " + age );
         system.out.println( "address = " + address );
         system.out.println( "salary = " + salary );
         system.out.println();
      }
      rs.close();
      stmt.close();
      c.close();
      } catch ( exception e ) {
         system.err.println( e.getclass().getname() + ": " + e.getmessage() );
         system.exit(0);
      }
      system.out.println("operation done successfully");
   }
}

when the above program is compiled and executed, it will produce the following result.

opened database successfully
id = 1
name = paul
age = 32
address = california
salary = 25000.0

id = 3
name = teddy
age = 23
address = norway
salary = 20000.0

id = 4
name = mark
age = 25
address = rich-mond
salary = 65000.0

operation done successfully

in this chapter, you will learn how to use sqlite in php programs.

installation

sqlite3 extension is enabled by default as of php 5.3.0. it's possible to disable it by using --without-sqlite3 at compile time.

windows users must enable php_sqlite3.dll in order to use this extension. this dll is included with windows distributions of php as of php 5.3.0.

for detailed installation instructions, kindly check our php tutorial and its official website.

php interface apis

following are important php routines which can suffice your requirement to work with sqlite database from your php program. if you are looking for a more sophisticated application, then you can look into php official documentation.

sr.no. api & description
1

public void sqlite3::open ( filename, flags, encryption_key )

opens sqlite 3 database. if the build includes encryption, then it will attempt to use the key.

if the filename is given as ':memory:', sqlite3::open() will create an in-memory database in ram that lasts only for the duration of the session.

if the filename is actual device file name, sqlite3::open() attempts to open the database file by using its value. if no file by that name exists, then a new database file by that name gets created.

optional flags used to determine how to open the sqlite database. by default, open uses sqlite3_open_readwrite | sqlite3_open_create.

2

public bool sqlite3::exec ( string $query )

this routine provides a quick, easy way to execute sql commands provided by sql argument, which can consist of more than one sql command. this routine is used to execute a result-less query against a given database.

3

public sqlite3result sqlite3::query ( string $query )

this routine executes an sql query, returning an sqlite3result object if the query returns results.

4

public int sqlite3::lasterrorcode ( void )

this routine returns the numeric result code of the most recent failed sqlite request.

5

public string sqlite3::lasterrormsg ( void )

this routine returns english text describing the most recent failed sqlite request.

6

public int sqlite3::changes ( void )

this routine returns the number of database rows that were updated, inserted, or deleted by the most recent sql statement.

7

public bool sqlite3::close ( void )

this routine closes a database connection previously opened by a call to sqlite3::open().

8

public string sqlite3::escapestring ( string $value )

this routine returns a string that has been properly escaped for safe inclusion in an sql statement.

connect to database

following php code shows how to connect to an existing database. if database does not exist, then it will be created and finally a database object will be returned.

<?php
   class mydb extends sqlite3 {
      function __construct() {
         $this->open('test.db');
      }
   }
   $db = new mydb();
   if(!$db) {
      echo $db->lasterrormsg();
   } else {
      echo "opened database successfully\n";
   }
?>

now, let's run the above program to create our database test.db in the current directory. you can change your path as per your requirement. if the database is successfully created, then it will display the following message −

open database successfully

create a table

following php program will be used to create a table in the previously created database.

<?php
   class mydb extends sqlite3 {
      function __construct() {
         $this->open('test.db');
      }
   }
   $db = new mydb();
   if(!$db) {
      echo $db->lasterrormsg();
   } else {
      echo "opened database successfully\n";
   }

   $sql =<<<eof
      create table company
      (id int primary key     not null,
      name           text    not null,
      age            int     not null,
      address        char(50),
      salary         real);
eof;

   $ret = $db->exec($sql);
   if(!$ret){
      echo $db->lasterrormsg();
   } else {
      echo "table created successfully\n";
   }
   $db->close();
?>

when the above program is executed, it will create the company table in your test.db and it will display the following messages −

opened database successfully
table created successfully

insert operation

following php program shows how to create records in the company table created in the above example.

<?php
   class mydb extends sqlite3 {
      function __construct() {
         $this->open('test.db');
      }
   }
   
   $db = new mydb();
   if(!$db){
      echo $db->lasterrormsg();
   } else {
      echo "opened database successfully\n";
   }

   $sql =<<<eof
      insert into company (id,name,age,address,salary)
      values (1, 'paul', 32, 'california', 20000.00 );

      insert into company (id,name,age,address,salary)
      values (2, 'allen', 25, 'texas', 15000.00 );

      insert into company (id,name,age,address,salary)
      values (3, 'teddy', 23, 'norway', 20000.00 );

      insert into company (id,name,age,address,salary)
      values (4, 'mark', 25, 'rich-mond ', 65000.00 );
eof;

   $ret = $db->exec($sql);
   if(!$ret) {
      echo $db->lasterrormsg();
   } else {
      echo "records created successfully\n";
   }
   $db->close();
?>

when the above program is executed, it will create the given records in the company table and will display the following two lines.

opened database successfully
records created successfully

select operation

following php program shows how to fetch and display records from the company table created in the above example −

<?php
   class mydb extends sqlite3 {
      function __construct() {
         $this->open('test.db');
      }
   }
   
   $db = new mydb();
   if(!$db) {
      echo $db->lasterrormsg();
   } else {
      echo "opened database successfully\n";
   }

   $sql =<<<eof
      select * from company;
eof;

   $ret = $db->query($sql);
   while($row = $ret->fetcharray(sqlite3_assoc) ) {
      echo "id = ". $row['id'] . "\n";
      echo "name = ". $row['name'] ."\n";
      echo "address = ". $row['address'] ."\n";
      echo "salary = ".$row['salary'] ."\n\n";
   }
   echo "operation done successfully\n";
   $db->close();
?>

when the above program is executed, it will produce the following result.

opened database successfully
id = 1
name = paul
address = california
salary = 20000

id = 2
name = allen
address = texas
salary = 15000

id = 3
name = teddy
address = norway
salary = 20000

id = 4
name = mark
address = rich-mond
salary = 65000

operation done successfully

update operation

following php code shows how to use update statement to update any record and then fetch and display the updated records from the company table.

<?php
   class mydb extends sqlite3 {
      function __construct() {
         $this->open('test.db');
      }
   }
   
   $db = new mydb();
   if(!$db) {
      echo $db->lasterrormsg();
   } else {
      echo "opened database successfully\n";
   }
   $sql =<<<eof
      update company set salary = 25000.00 where id=1;
eof;
   $ret = $db->exec($sql);
   if(!$ret) {
      echo $db->lasterrormsg();
   } else {
      echo $db->changes(), " record updated successfully\n";
   }

   $sql =<<<eof
      select * from company;
eof;
   
   $ret = $db->query($sql);
   while($row = $ret->fetcharray(sqlite3_assoc) ) {
      echo "id = ". $row['id'] . "\n";
      echo "name = ". $row['name'] ."\n";
      echo "address = ". $row['address'] ."\n";
      echo "salary = ".$row['salary'] ."\n\n";
   }
   echo "operation done successfully\n";
   $db->close();
?>

when the above program is executed, it will produce the following result.

opened database successfully
1 record updated successfully
id = 1
name = paul
address = california
salary = 25000

id = 2
name = allen
address = texas
salary = 15000

id = 3
name = teddy
address = norway
salary = 20000

id = 4
name = mark
address = rich-mond
salary = 65000

operation done successfully

delete operation

following php code shows how to use delete statement to delete any record and then fetch and display the remaining records from the company table.

<?php
   class mydb extends sqlite3 {
      function __construct() {
         $this->open('test.db');
      }
   }
   
   $db = new mydb();
   if(!$db) {
      echo $db->lasterrormsg();
   } else {
      echo "opened database successfully\n";
   }
   $sql =<<<eof
      delete from company where id = 2;
eof;
   
   $ret = $db->exec($sql);
   if(!$ret){
     echo $db->lasterrormsg();
   } else {
      echo $db->changes(), " record deleted successfully\n";
   }

   $sql =<<<eof
      select * from company;
eof;
   $ret = $db->query($sql);
   while($row = $ret->fetcharray(sqlite3_assoc) ) {
      echo "id = ". $row['id'] . "\n";
      echo "name = ". $row['name'] ."\n";
      echo "address = ". $row['address'] ."\n";
      echo "salary = ".$row['salary'] ."\n\n";
   }
   echo "operation done successfully\n";
   $db->close();
?>

when the above program is executed, it will produce the following result.

opened database successfully
1 record deleted successfully
id = 1
name = paul
address = california
salary = 25000

id = 3
name = teddy
address = norway
salary = 20000

id = 4
name = mark
address = rich-mond
salary = 65000

operation done successfully

in this chapter, you will learn how to use sqlite in perl programs.

installation

sqlite3 can be integrated with perl using perl dbi module, which is a database access module for the perl programming language. it defines a set of methods, variables, and conventions that provide a standard database interface.

following are simple steps to install dbi module on your linux/unix machine −

$ wget http://search.cpan.org/cpan/authors/id/t/ti/timb/dbi-1.625.tar.gz
$ tar xvfz dbi-1.625.tar.gz
$ cd dbi-1.625
$ perl makefile.pl
$ make
$ make install

if you need to install sqlite driver for dbi, then it can be installed as follows −

$ wget http://search.cpan.org/cpan/authors/id/m/ms/msergeant/dbd-sqlite-1.11.tar.gz
$ tar xvfz dbd-sqlite-1.11.tar.gz
$ cd dbd-sqlite-1.11
$ perl makefile.pl
$ make
$ make install

dbi interface apis

following are important dbi routines, which can suffice your requirement to work with sqlite database from your perl program. if you are looking for a more sophisticated application, then you can look into perl dbi official documentation.

sr.no. api & description
1

dbi->connect($data_source, "", "", \%attr)

establishes a database connection, or session, to the requested $data_source. returns a database handle object if the connection succeeds.

datasource has the form like − dbi:sqlite:dbname = 'test.db' where sqlite is sqlite driver name and test.db is the name of sqlite database file. if the filename is given as ':memory:', it will create an in-memory database in ram that lasts only for the duration of the session.

if the filename is actual device file name, then it attempts to open the database file by using its value. if no file by that name exists, then a new database file by that name gets created.

you keep second and third parameter as blank strings and the last parameter is to pass various attributes as shown in the following example.

2

$dbh->do($sql)

this routine prepares and executes a single sql statement. returns the number of rows affected or undef on error. a return value of -1 means the number of rows is not known, not applicable, or not available. here, $dbh is a handle returned by dbi->connect() call.

3

$dbh->prepare($sql)

this routine prepares a statement for later execution by the database engine and returns a reference to a statement handle object.

4

$sth->execute()

this routine performs whatever processing is necessary to execute the prepared statement. an undef is returned if an error occurs. a successful execute always returns true regardless of the number of rows affected. here, $sth is a statement handle returned by $dbh->prepare($sql) call.

5

$sth->fetchrow_array()

this routine fetches the next row of data and returns it as a list containing the field values. null fields are returned as undef values in the list.

6

$dbi::err

this is equivalent to $h->err, where $h is any of the handle types like $dbh, $sth, or $drh. this returns native database engine error code from the last driver method called.

7

$dbi::errstr

this is equivalent to $h->errstr, where $h is any of the handle types like $dbh, $sth, or $drh. this returns the native database engine error message from the last dbi method called.

8

$dbh->disconnect()

this routine closes a database connection previously opened by a call to dbi->connect().

connect to database

following perl code shows how to connect to an existing database. if the database does not exist, then it will be created and finally a database object will be returned.

#!/usr/bin/perl

use dbi;
use strict;

my $driver   = "sqlite"; 
my $database = "test.db";
my $dsn = "dbi:$driver:dbname=$database";
my $userid = "";
my $password = "";
my $dbh = dbi->connect($dsn, $userid, $password, { raiseerror => 1 }) 
   or die $dbi::errstr;

print "opened database successfully\n";

now, let's run the above program to create our database test.db in the current directory. you can change your path as per your requirement. keep the above code in sqlite.pl file and execute it as shown below. if the database is successfully created, then it will display the following message −

$ chmod +x sqlite.pl
$ ./sqlite.pl
open database successfully

create a table

following perl program is used to create a table in the previously created database.

#!/usr/bin/perl

use dbi;
use strict;

my $driver   = "sqlite";
my $database = "test.db";
my $dsn = "dbi:$driver:dbname=$database";
my $userid = "";
my $password = "";
my $dbh = dbi->connect($dsn, $userid, $password, { raiseerror => 1 })
   or die $dbi::errstr;
print "opened database successfully\n";

my $stmt = qq(create table company
   (id int primary key     not null,
      name           text    not null,
      age            int     not null,
      address        char(50),
      salary         real););

my $rv = $dbh->do($stmt);
if($rv < 0) {
   print $dbi::errstr;
} else {
   print "table created successfully\n";
}
$dbh->disconnect();

when the above program is executed, it will create company table in your test.db and it will display the following messages −

opened database successfully
table created successfully

note − in case you see the following error in any of the operation −

dbd::sqlite::st execute failed: not an error(21) at dbdimp.c line 398

in such case, open dbdimp.c file available in dbd-sqlite installation and find out sqlite3_prepare() function and change its third argument to -1 instead of 0. finally, install dbd::sqlite using make and do make install to resolve the problem.

insert operation

following perl program shows how to create records in the company table created in the above example.

#!/usr/bin/perl

use dbi;
use strict;

my $driver   = "sqlite";
my $database = "test.db";
my $dsn = "dbi:$driver:dbname=$database";
my $userid = "";
my $password = "";
my $dbh = dbi->connect($dsn, $userid, $password, { raiseerror => 1 })
   or die $dbi::errstr;
print "opened database successfully\n";

my $stmt = qq(insert into company (id,name,age,address,salary)
               values (1, 'paul', 32, 'california', 20000.00 ));
my $rv = $dbh->do($stmt) or die $dbi::errstr;

$stmt = qq(insert into company (id,name,age,address,salary)
               values (2, 'allen', 25, 'texas', 15000.00 ));
$rv = $dbh->do($stmt) or die $dbi::errstr;

$stmt = qq(insert into company (id,name,age,address,salary)
               values (3, 'teddy', 23, 'norway', 20000.00 ));

$rv = $dbh->do($stmt) or die $dbi::errstr;

$stmt = qq(insert into company (id,name,age,address,salary)
               values (4, 'mark', 25, 'rich-mond ', 65000.00 ););

$rv = $dbh->do($stmt) or die $dbi::errstr;

print "records created successfully\n";
$dbh->disconnect();

when the above program is executed, it will create the given records in the company table and it will display the following two lines −

opened database successfully
records created successfully

select operation

following perl program shows how to fetch and display records from the company table created in the above example.

#!/usr/bin/perl

use dbi;
use strict;

my $driver = "sqlite";
my $database = "test.db";
my $dsn = "dbi:$driver:dbname=$database";
my $userid = "";
my $password = "";
my $dbh = dbi->connect($dsn, $userid, $password, { raiseerror => 1 })
   or die $dbi::errstr;
print "opened database successfully\n";

my $stmt = qq(select id, name, address, salary from company;);
my $sth = $dbh->prepare( $stmt );
my $rv = $sth->execute() or die $dbi::errstr;

if($rv < 0) {
   print $dbi::errstr;
}

while(my @row = $sth->fetchrow_array()) {
      print "id = ". $row[0] . "\n";
      print "name = ". $row[1] ."\n";
      print "address = ". $row[2] ."\n";
      print "salary =  ". $row[3] ."\n\n";
}
print "operation done successfully\n";
$dbh->disconnect();

when the above program is executed, it will produce the following result.

opened database successfully
id = 1
name = paul
address = california
salary =  20000

id = 2
name = allen
address = texas
salary =  15000

id = 3
name = teddy
address = norway
salary =  20000

id = 4
name = mark
address = rich-mond
salary =  65000

operation done successfully

update operation

following perl code shows how to update statement to update any record and then fetch and display the updated records from the company table.

#!/usr/bin/perl

use dbi;
use strict;

my $driver   = "sqlite";
my $database = "test.db";
my $dsn = "dbi:$driver:dbname=$database";
my $userid = "";
my $password = "";
my $dbh = dbi->connect($dsn, $userid, $password, { raiseerror => 1 })
   or die $dbi::errstr;
print "opened database successfully\n";

my $stmt = qq(update company set salary = 25000.00 where id=1;);
my $rv = $dbh->do($stmt) or die $dbi::errstr;

if( $rv < 0 ) {
   print $dbi::errstr;
} else {
   print "total number of rows updated : $rv\n";
}
$stmt = qq(select id, name, address, salary from company;);
my $sth = $dbh->prepare( $stmt );
$rv = $sth->execute() or die $dbi::errstr;

if($rv < 0) {
   print $dbi::errstr;
}

while(my @row = $sth->fetchrow_array()) {
      print "id = ". $row[0] . "\n";
      print "name = ". $row[1] ."\n";
      print "address = ". $row[2] ."\n";
      print "salary =  ". $row[3] ."\n\n";
}
print "operation done successfully\n";
$dbh->disconnect();

when the above program is executed, it will produce the following result.

opened database successfully
total number of rows updated : 1
id = 1
name = paul
address = california
salary =  25000

id = 2
name = allen
address = texas
salary =  15000

id = 3
name = teddy
address = norway
salary =  20000

id = 4
name = mark
address = rich-mond
salary =  65000

operation done successfully

delete operation

following perl code shows how to use delete statement to delete any record and then fetch and display the remaining records from the company table −

#!/usr/bin/perl

use dbi;
use strict;

my $driver   = "sqlite";
my $database = "test.db";
my $dsn = "dbi:$driver:dbname=$database";
my $userid = "";
my $password = "";
my $dbh = dbi->connect($dsn, $userid, $password, { raiseerror => 1 })
   or die $dbi::errstr;
print "opened database successfully\n";

my $stmt = qq(delete from company where id = 2;);
my $rv = $dbh->do($stmt) or die $dbi::errstr;

if( $rv < 0 ) {
   print $dbi::errstr;
} else {
   print "total number of rows deleted : $rv\n";
}

$stmt = qq(select id, name, address, salary from company;);
my $sth = $dbh->prepare( $stmt );
$rv = $sth->execute() or die $dbi::errstr;

if($rv < 0) {
   print $dbi::errstr;
}

while(my @row = $sth->fetchrow_array()) {
      print "id = ". $row[0] . "\n";
      print "name = ". $row[1] ."\n";
      print "address = ". $row[2] ."\n";
      print "salary =  ". $row[3] ."\n\n";
}
print "operation done successfully\n";
$dbh->disconnect();

when the above program is executed, it will produce the following result.

opened database successfully
total number of rows deleted : 1
id = 1
name = paul
address = california
salary = 25000

id = 3
name = teddy
address = norway
salary = 20000

id = 4
name = mark
address = rich-mond
salary = 65000

operation done successfully

in this chapter, you will learn how to use sqlite in python programs.

installation

sqlite3 can be integrated with python using sqlite3 module, which was written by gerhard haring. it provides an sql interface compliant with the db-api 2.0 specification described by pep 249. you do not need to install this module separately because it is shipped by default along with python version 2.5.x onwards.

to use sqlite3 module, you must first create a connection object that represents the database and then optionally you can create a cursor object, which will help you in executing all the sql statements.

python sqlite3 module apis

following are important sqlite3 module routines, which can suffice your requirement to work with sqlite database from your python program. if you are looking for a more sophisticated application, then you can look into python sqlite3 module's official documentation.

sr.no. api & description
1

sqlite3.connect(database [,timeout ,other optional arguments])

this api opens a connection to the sqlite database file. you can use ":memory:" to open a database connection to a database that resides in ram instead of on disk. if database is opened successfully, it returns a connection object.

when a database is accessed by multiple connections, and one of the processes modifies the database, the sqlite database is locked until that transaction is committed. the timeout parameter specifies how long the connection should wait for the lock to go away until raising an exception. the default for the timeout parameter is 5.0 (five seconds).

if the given database name does not exist then this call will create the database. you can specify filename with the required path as well if you want to create a database anywhere else except in the current directory.

2

connection.cursor([cursorclass])

this routine creates a cursor which will be used throughout of your database programming with python. this method accepts a single optional parameter cursorclass. if supplied, this must be a custom cursor class that extends sqlite3.cursor.

3

cursor.execute(sql [, optional parameters])

this routine executes an sql statement. the sql statement may be parameterized (i. e. placeholders instead of sql literals). the sqlite3 module supports two kinds of placeholders: question marks and named placeholders (named style).

for example − cursor.execute("insert into people values (?, ?)", (who, age))

4

connection.execute(sql [, optional parameters])

this routine is a shortcut of the above execute method provided by the cursor object and it creates an intermediate cursor object by calling the cursor method, then calls the cursor's execute method with the parameters given.

5

cursor.executemany(sql, seq_of_parameters)

this routine executes an sql command against all parameter sequences or mappings found in the sequence sql.

6

connection.executemany(sql[, parameters])

this routine is a shortcut that creates an intermediate cursor object by calling the cursor method, then calls the cursor.s executemany method with the parameters given.

7

cursor.executescript(sql_script)

this routine executes multiple sql statements at once provided in the form of script. it issues a commit statement first, then executes the sql script it gets as a parameter. all the sql statements should be separated by a semi colon (;).

8

connection.executescript(sql_script)

this routine is a shortcut that creates an intermediate cursor object by calling the cursor method, then calls the cursor's executescript method with the parameters given.

9

connection.total_changes()

this routine returns the total number of database rows that have been modified, inserted, or deleted since the database connection was opened.

10

connection.commit()

this method commits the current transaction. if you don't call this method, anything you did since the last call to commit() is not visible from other database connections.

11

connection.rollback()

this method rolls back any changes to the database since the last call to commit().

12

connection.close()

this method closes the database connection. note that this does not automatically call commit(). if you just close your database connection without calling commit() first, your changes will be lost!

13

cursor.fetchone()

this method fetches the next row of a query result set, returning a single sequence, or none when no more data is available.

14

cursor.fetchmany([size = cursor.arraysize])

this routine fetches the next set of rows of a query result, returning a list. an empty list is returned when no more rows are available. the method tries to fetch as many rows as indicated by the size parameter.

15

cursor.fetchall()

this routine fetches all (remaining) rows of a query result, returning a list. an empty list is returned when no rows are available.

connect to database

following python code shows how to connect to an existing database. if the database does not exist, then it will be created and finally a database object will be returned.

#!/usr/bin/python

import sqlite3

conn = sqlite3.connect('test.db')

print "opened database successfully";

here, you can also supply database name as the special name :memory: to create a database in ram. now, let's run the above program to create our database test.db in the current directory. you can change your path as per your requirement. keep the above code in sqlite.py file and execute it as shown below. if the database is successfully created, then it will display the following message.

$chmod +x sqlite.py
$./sqlite.py
open database successfully

create a table

following python program will be used to create a table in the previously created database.

#!/usr/bin/python

import sqlite3

conn = sqlite3.connect('test.db')
print "opened database successfully";

conn.execute('''create table company
         (id int primary key     not null,
         name           text    not null,
         age            int     not null,
         address        char(50),
         salary         real);''')
print "table created successfully";

conn.close()

when the above program is executed, it will create the company table in your test.db and it will display the following messages −

opened database successfully
table created successfully

insert operation

following python program shows how to create records in the company table created in the above example.

#!/usr/bin/python

import sqlite3

conn = sqlite3.connect('test.db')
print "opened database successfully";

conn.execute("insert into company (id,name,age,address,salary) \
      values (1, 'paul', 32, 'california', 20000.00 )");

conn.execute("insert into company (id,name,age,address,salary) \
      values (2, 'allen', 25, 'texas', 15000.00 )");

conn.execute("insert into company (id,name,age,address,salary) \
      values (3, 'teddy', 23, 'norway', 20000.00 )");

conn.execute("insert into company (id,name,age,address,salary) \
      values (4, 'mark', 25, 'rich-mond ', 65000.00 )");

conn.commit()
print "records created successfully";
conn.close()

when the above program is executed, it will create the given records in the company table and it will display the following two lines −

opened database successfully
records created successfully

select operation

following python program shows how to fetch and display records from the company table created in the above example.

#!/usr/bin/python

import sqlite3

conn = sqlite3.connect('test.db')
print "opened database successfully";

cursor = conn.execute("select id, name, address, salary from company")
for row in cursor:
   print "id = ", row[0]
   print "name = ", row[1]
   print "address = ", row[2]
   print "salary = ", row[3], "\n"

print "operation done successfully";
conn.close()

when the above program is executed, it will produce the following result.

opened database successfully
id = 1
name = paul
address = california
salary = 20000.0

id = 2
name = allen
address = texas
salary = 15000.0

id = 3
name = teddy
address = norway
salary = 20000.0

id = 4
name = mark
address = rich-mond
salary = 65000.0

operation done successfully

update operation

following python code shows how to use update statement to update any record and then fetch and display the updated records from the company table.

#!/usr/bin/python

import sqlite3

conn = sqlite3.connect('test.db')
print "opened database successfully";

conn.execute("update company set salary = 25000.00 where id = 1")
conn.commit()
print "total number of rows updated :", conn.total_changes

cursor = conn.execute("select id, name, address, salary from company")
for row in cursor:
   print "id = ", row[0]
   print "name = ", row[1]
   print "address = ", row[2]
   print "salary = ", row[3], "\n"

print "operation done successfully";
conn.close()

when the above program is executed, it will produce the following result.

opened database successfully
total number of rows updated : 1
id = 1
name = paul
address = california
salary = 25000.0

id = 2
name = allen
address = texas
salary = 15000.0

id = 3
name = teddy
address = norway
salary = 20000.0

id = 4
name = mark
address = rich-mond
salary = 65000.0

operation done successfully

delete operation

following python code shows how to use delete statement to delete any record and then fetch and display the remaining records from the company table.

#!/usr/bin/python

import sqlite3

conn = sqlite3.connect('test.db')
print "opened database successfully";

conn.execute("delete from company where id = 2;")
conn.commit()
print "total number of rows deleted :", conn.total_changes

cursor = conn.execute("select id, name, address, salary from company")
for row in cursor:
   print "id = ", row[0]
   print "name = ", row[1]
   print "address = ", row[2]
   print "salary = ", row[3], "\n"

print "operation done successfully";
conn.close()

when the above program is executed, it will produce the following result.

opened database successfully
total number of rows deleted : 1
id = 1
name = paul
address = california
salary = 20000.0

id = 3
name = teddy
address = norway
salary = 20000.0

id = 4
name = mark
address = rich-mond
salary = 65000.0

operation done successfully