SQLite C Tutorial - SQLite Programming in C
SQLite C Tutorial - SQLite Programming in C
ZetCode
All Spring Boot Python C# Java JavaScript Subscribe
SQLite C tutorial
last modified July 6, 2020
This is a C programming tutorial for the SQLite database. It covers the basics of SQLite
programming with the C language. You might also want to check the, SQLite tutorial,
MySQL C tutorial, or PostgreSQL C tutorial on ZetCode.
SQLite database
SQLite is an embedded relational database engine. Its developers call it a self-
contained, serverless, zero-configuration, and transactional SQL database engine. It is
currently very popular and there are hundreds of millions copies worldwide in use
today. SQLite is used in the Solaris 10, Mac OS, Android, or in the iPhone. The Qt4
library has built-in support for SQLite as well as the Python and PHP. Many popular
applications use SQLite internally such as Firefox, Google Chrome, or Amarok.
Now we are going to use the sqlite3 tool to create a new database.
$ sqlite3 test.db
SQLite version 3.8.2 2013-12-06 14:53:30
Enter ".help" for instructions
Enter SQL statements terminated with a ";"
sqlite> .tables
sqlite> .exit
$ ls
test.db
zetcode.com/db/sqlitec/ 1/28
23/08/2020 SQLite C tutorial - SQLite programming in C
The .tables command gives a list of tables in the test.db database. There are
currently no tables. The .exit command terminates the interactive session of the
sqlite3 command line tool. The ls Unix command shows the contents of the current
working directory. We can see the test.db file. All data will be stored in this single
file.
C99
This tutorial uses C99. For GNU C compiler, we need to use the -std=c99 option. For
Windows users, the Pelles C IDE is highly recommended. (MSVC does not support
C99.)
In C99, we can mix declarations with code. In older C programs, we would need to
separate this line into two lines.
SQLite C version
In the first code example, we will get the version of the SQLite database.
version.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
printf("%s\n", sqlite3_libversion());
return 0;
}
#include <sqlite3.h>
This header file defines the interface that the SQLite library presents to the client
programs. It contains definitions, function prototypes, and comments. It is an
authoritative source for SQLite API.
zetcode.com/db/sqlitec/ 2/28
23/08/2020 SQLite C tutorial - SQLite programming in C
$ ./version
3.8.2
In the second example, we again get the version of the SQLite database. This time we
will use an SQL query.
version2.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
sqlite3 *db;
sqlite3_stmt *res;
if (rc != SQLITE_OK) {
return 1;
}
if (rc != SQLITE_OK) {
return 1;
}
rc = sqlite3_step(res);
if (rc == SQLITE_ROW) {
printf("%s\n", sqlite3_column_text(res, 0));
}
sqlite3_finalize(res);
sqlite3_close(db);
return 0;
}
The SQLITE_VERSION() query is used to get the version of the SQLite library.
sqlite3 *db;
zetcode.com/db/sqlitec/ 3/28
23/08/2020 SQLite C tutorial - SQLite programming in C
The sqlite3 structure defines a database handle. Each open SQLite database is
represented by a database handle.
sqlite3_stmt *res;
The sqlite3_open() function opens a new database connection. Its parameters are
the database name and the database handle. The :memory: is a special database name
using which results in opening an in-memory database. The function's return code
indicates whether the database was successfully opened. The SQLITE_OK is returned
when the connection was successfully established.
if (rc != SQLITE_OK) {
return 1;
}
If the return code indicates an error, we print the message to the console, close the
database handle, and terminate the program. The sqlite3_errmsg() function returns
a description of the error. Whether or not an error occurs when it is opened, resources
associated with the database connection handle should be released by passing it to
sqlite3_close() function.
Before an SQL statement is executed, it must be first compiled into a byte-code with
one of the sqlite3_prepare* functions. (The sqlite3_prepare() function is
deprecated.)
The sqlite3_prepare_v2() function takes five parameters. The first parameter is the
database handle obtained from the sqlite3_open() function. The second parameter
is the SQL statement to be compiled. The third parameter is the maximum length of
the SQL statement measured in bytes. Passing -1 causes the SQL string to be read up to
the first zero terminator which is the end of the string here. According to the
documentation, it is possible to gain some small performance advantage by passing the
exact number of bytes of the supplied SQL string. The fourth parameter is the
zetcode.com/db/sqlitec/ 4/28
23/08/2020 SQLite C tutorial - SQLite programming in C
if (rc != SQLITE_OK) {
return 1;
}
rc = sqlite3_step(res);
The sqlite3_step() runs the SQL statement. SQLITE_ROW return code indicates that
there is another row ready. Our SQL statement returns only one row of data, therefore,
we call this function only once.
sqlite3_finalize(res);
sqlite3_close(db);
insert_data.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
sqlite3 *db;
char *err_msg = 0;
zetcode.com/db/sqlitec/ 5/28
23/08/2020 SQLite C tutorial - SQLite programming in C
if (rc != SQLITE_OK) {
return 1;
}
if (rc != SQLITE_OK ) {
sqlite3_free(err_msg);
sqlite3_close(db);
return 1;
}
sqlite3_close(db);
return 0;
}
We connect to the test.db database, create a Cars table, and insert 8 rows into the
created table.
char *err_msg = 0;
If an error occurs, this pointer will point a the created error message.
zetcode.com/db/sqlitec/ 6/28
23/08/2020 SQLite C tutorial - SQLite programming in C
These SQL statements create a Cars table and fill it with data. The statements must be
separated by semicolons.
The function's third parameter is a callback function invoked for each result row
coming out of the evaluated SQL statement. The fourth parameter is the first
parameter to the callback function. If we do not need them, we can pass 0 to these
parameters.
If an error occurs then the last parameter points to the allocated error message.
sqlite3_free(err_msg);
The allocated message string must be freed with the sqlite3_free() function call.
We verify the written data with the sqlite3 tool. First we modify the way the data is
displayed in the console. We use the column mode and turn on the headers.
zetcode.com/db/sqlitec/ 7/28
23/08/2020 SQLite C tutorial - SQLite programming in C
last_row_id.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
sqlite3 *db;
char *err_msg = 0;
if (rc != SQLITE_OK) {
return 1;
}
char *sql = "CREATE TABLE Friends(Id INTEGER PRIMARY KEY, Name TEXT);"
"INSERT INTO Friends(Name) VALUES ('Tom');"
"INSERT INTO Friends(Name) VALUES ('Rebecca');"
"INSERT INTO Friends(Name) VALUES ('Jim');"
"INSERT INTO Friends(Name) VALUES ('Roger');"
"INSERT INTO Friends(Name) VALUES ('Robert');";
if (rc != SQLITE_OK ) {
} else {
sqlite3_close(db);
return 0;
}
zetcode.com/db/sqlitec/ 8/28
23/08/2020 SQLite C tutorial - SQLite programming in C
char *sql = "CREATE TABLE Friends(Id INTEGER PRIMARY KEY, Name TEXT);"
"INSERT INTO Friends(Name) VALUES ('Tom');"
"INSERT INTO Friends(Name) VALUES ('Rebecca');"
"INSERT INTO Friends(Name) VALUES ('Jim');"
"INSERT INTO Friends(Name) VALUES ('Roger');"
"INSERT INTO Friends(Name) VALUES ('Robert');";
When using auto-incremented columns, we need to explicitly state the column names
except for the auto-incremented column, which is omitted.
$ ./last_row_id
Table Friends created successfully
The last Id of the inserted row is 5
select_all.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
sqlite3 *db;
char *err_msg = 0;
zetcode.com/db/sqlitec/ 9/28
23/08/2020 SQLite C tutorial - SQLite programming in C
if (rc != SQLITE_OK) {
return 1;
}
if (rc != SQLITE_OK ) {
sqlite3_free(err_msg);
sqlite3_close(db);
return 1;
}
sqlite3_close(db);
return 0;
}
NotUsed = 0;
printf("\n");
return 0;
}
We use the SELECT * FROM Cars SQL statement to retrieve all rows from the Cars
table.
This is a function prototype for the callback function that is used in conjunction with
the sqlite3_exec() function.
zetcode.com/db/sqlitec/ 10/28
23/08/2020 SQLite C tutorial - SQLite programming in C
Here we define the SQL statement to select all data from the Cars table.
The sqlite3_exec() function evalues the SQL statement. Its callback function is
invoked for each result row coming out of the evaluated SQL statement.
NotUsed = 0;
printf("\n");
return 0;
}
The first parameter of the callback function is data provided in the 4th argument of
sqlite3_exec(); it is often not used. The second parameter is the number of columns
in the result. The third parameter is an array of strings representing fields in the row.
The last parameter is array of strings representing column names.
In the function body, we go through all columns and print their names and content.
$ ./select_all
Id = 1
Name = Audi
Price = 52642
Id = 2
Name = Mercedes
Price = 57127
Id = 3
Name = Skoda
Price = 9000
...
parameterized.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
sqlite3 *db;
char *err_msg = 0;
sqlite3_stmt *res;
if (rc != SQLITE_OK) {
return 1;
}
if (rc == SQLITE_OK) {
sqlite3_bind_int(res, 1, 3);
} else {
if (step == SQLITE_ROW) {
sqlite3_finalize(res);
sqlite3_close(db);
return 0;
}
In the example, a question mark (?) is used as a placeholder which is later replaced
with an actual value.
zetcode.com/db/sqlitec/ 12/28
23/08/2020 SQLite C tutorial - SQLite programming in C
sqlite3_bind_int(res, 1, 3);
if (step == SQLITE_ROW) {
If there is some row of data available, we get the values of two columns with the
sqlite3_column_text() function.
$ ./parameterized
3: Skoda
named_placeholders.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
sqlite3 *db;
char *err_msg = 0;
sqlite3_stmt *res;
zetcode.com/db/sqlitec/ 13/28
23/08/2020 SQLite C tutorial - SQLite programming in C
if (rc != SQLITE_OK) {
return 1;
}
if (rc == SQLITE_OK) {
} else {
if (step == SQLITE_ROW) {
sqlite3_finalize(res);
sqlite3_close(db);
return 0;
}
We select the name and the price of a car using named placeholders.
Named placeholders are prefixed with the colon (:) character or the at-sign (@)
character.
In this section, we are going to insert an image to the SQLite database. Note that some
people argue against putting images into databases. Here we only show how to do it.
We do not dwell on the technical issues of whether to save images in databases or not.
For this example, we create a new table called Images. For the images, we use the BLOB
data type, which stands for Binary Large Objects.
insert_image.c
#include <sqlite3.h>
#include <stdio.h>
if (fp == NULL) {
return 1;
}
fseek(fp, 0, SEEK_END);
if (ferror(fp)) {
if (r == EOF) {
fprintf(stderr, "Cannot close file handler\n");
}
return 1;
}
if (flen == -1) {
perror("error occurred");
int r = fclose(fp);
if (r == EOF) {
fprintf(stderr, "Cannot close file handler\n");
}
return 1;
}
zetcode.com/db/sqlitec/ 15/28
23/08/2020 SQLite C tutorial - SQLite programming in C
fseek(fp, 0, SEEK_SET);
if (ferror(fp)) {
if (r == EOF) {
fprintf(stderr, "Cannot close file handler\n");
}
return 1;
}
char data[flen+1];
if (ferror(fp)) {
if (r == EOF) {
fprintf(stderr, "Cannot close file handler\n");
}
return 1;
}
int r = fclose(fp);
if (r == EOF) {
fprintf(stderr, "Cannot close file handler\n");
}
sqlite3 *db;
char *err_msg = 0;
if (rc != SQLITE_OK) {
return 1;
}
sqlite3_stmt *pStmt;
if (rc != SQLITE_OK) {
zetcode.com/db/sqlitec/ 16/28
23/08/2020 SQLite C tutorial - SQLite programming in C
return 1;
}
rc = sqlite3_step(pStmt);
if (rc != SQLITE_DONE) {
sqlite3_finalize(pStmt);
sqlite3_close(db);
return 0;
}
In this program, we read an image from the current working directory and write it into
the Images table of the SQLite test.db database.
if (fp == NULL) {
return 1;
}
We read binary data from the filesystem. We have a JPG image called woman.jpg. The
fopen() function opens the specified file for for reading. It returns a pointer to a FILE
object or NULL if the operation fails.
fseek(fp, 0, SEEK_END);
if (ferror(fp)) {
if (r == EOF) {
fprintf(stderr, "Cannot close file handler\n");
}
return 1;
}
zetcode.com/db/sqlitec/ 17/28
23/08/2020 SQLite C tutorial - SQLite programming in C
We move the file pointer to the end of the file using the fseek() function. We need to
determine the size of the image. If an error occurs, the error indicator is set. We check
the indicator using the fseek() function. In case of an error, the opened file handler is
closed.
if (flen == -1) {
perror("error occurred");
int r = fclose(fp);
if (r == EOF) {
fprintf(stderr, "Cannot close file handler\n");
}
return 1;
}
For binary streams, the ftell() function returns the number of bytes from the
beginning of the file, e.g. the size of the image file. In case of an error, the function
returns -1 and the errno is set. The perror() function interprets the value of errno as
an error message, and prints it to the standard error output stream.
char data[flen+1];
The fread() function reads the data from the file pointer and stores it in the data
array. The function returns the number of elements successfully read.
int r = fclose(fp);
if (r == EOF) {
fprintf(stderr, "Cannot close file handler\n");
}
This SQL statement is used to insert the image into the database.
zetcode.com/db/sqlitec/ 18/28
23/08/2020 SQLite C tutorial - SQLite programming in C
The sqlite3_bind_blob() function binds the binary data to the compiled statement.
The SQLITE_STATIC parameter means that the pointer to the content information is
static and does not need to be freed.
rc = sqlite3_step(pStmt);
read_image.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
if (fp == NULL) {
return 1;
}
sqlite3 *db;
char *err_msg = 0;
if (rc != SQLITE_OK) {
return 1;
}
sqlite3_stmt *pStmt;
rc = sqlite3_prepare_v2(db, sql, -1, &pStmt, 0);
zetcode.com/db/sqlitec/ 19/28
23/08/2020 SQLite C tutorial - SQLite programming in C
if (rc != SQLITE_OK ) {
sqlite3_close(db);
return 1;
}
rc = sqlite3_step(pStmt);
int bytes = 0;
if (rc == SQLITE_ROW) {
if (ferror(fp)) {
return 1;
}
int r = fclose(fp);
if (r == EOF) {
fprintf(stderr, "Cannot close file handler\n");
}
rc = sqlite3_finalize(pStmt);
sqlite3_close(db);
return 0;
}
We read image data from the Images table and write it to another file, which we call
woman2.jpg.
if (fp == NULL) {
return 1;
}
zetcode.com/db/sqlitec/ 20/28
23/08/2020 SQLite C tutorial - SQLite programming in C
We open a binary file in a writing mode. The data from the database is written to the
file.
This SQL statement selects data from the Images table. We obtain the binary data from
the first row.
if (rc == SQLITE_ROW) {
The binary data is written to the file with the fwrite() function. The pointer to the
selected binary data is returned by the sqlite3_column_blob() function.
if (ferror(fp)) {
return 1;
}
The ferror() function checks if the error indicator associated with the stream is set.
SQLite C metadata
Metadata is information about the data in the database. Metadata in a SQLite contains
information about the tables and columns, in which we store data. Number of rows
affected by an SQL statement is a metadata. Number of rows and columns returned in
a result set belong to metadata as well.
Metadata in SQLite can be obtained using the PRAGMA command. SQLite objects may
have attributes, which are metadata. Finally, we can also obtain specific metatada from
querying the SQLite system sqlite_master table.
column_names.c
#include <sqlite3.h>
#include <stdio.h>
zetcode.com/db/sqlitec/ 21/28
23/08/2020 SQLite C tutorial - SQLite programming in C
int main(void) {
sqlite3 *db;
char *err_msg = 0;
if (rc != SQLITE_OK) {
return 1;
}
if (rc != SQLITE_OK ) {
sqlite3_free(err_msg);
sqlite3_close(db);
return 1;
}
sqlite3_close(db);
return 0;
}
NotUsed = 0;
printf("\n");
return 0;
}
zetcode.com/db/sqlitec/ 22/28
23/08/2020 SQLite C tutorial - SQLite programming in C
The PRAGMA table_info(tableName) command returns one row for each column in
the Cars table. Columns in the result set include the column order number, column
name, data type, whether or not the column can be NULL, and the default value for the
column.
$ ./column_names
cid = 0
name = Id
type = INT
notnull = 0
dflt_value = NULL
pk = 0
...
In the next example related to the metadata, we will list all tables in the test.db
database.
list_tables.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
sqlite3 *db;
char *err_msg = 0;
if (rc != SQLITE_OK) {
return 1;
}
if (rc != SQLITE_OK ) {
zetcode.com/db/sqlitec/ 23/28
23/08/2020 SQLite C tutorial - SQLite programming in C
sqlite3_free(err_msg);
sqlite3_close(db);
return 1;
}
sqlite3_close(db);
return 0;
}
NotUsed = 0;
return 0;
}
The code example prints all available tables in the current database to the terminal.
The table names are stored inside the system sqlite_master table.
$ ./list_tables
Cars
Images
SQLite C transactions
A transaction is an atomic unit of database operations against the data in one or more
databases. The effects of all the SQL statements in a transaction can be either all
committed to the database or all rolled back.
In SQLite, any command other than the SELECT will start an implicit transaction. Also,
within a transaction a command like CREATE TABLE ..., VACUUM, PRAGMA, will commit
previous changes before executing.
Manual transactions are started with the BEGIN TRANSACTION statement and finished
with the COMMIT or ROLLBACK statements.
zetcode.com/db/sqlitec/ 24/28
23/08/2020 SQLite C tutorial - SQLite programming in C
Autocommit
get_ac_mode.c
#include <sqlite3.h>
#include <stdio.h>
int main() {
sqlite3 *db;
if (rc != SQLITE_OK) {
return 1;
}
sqlite3_close(db);
return 0;
}
$ ./get_ac_mode
Autocommit: 1
zetcode.com/db/sqlitec/ 25/28
23/08/2020 SQLite C tutorial - SQLite programming in C
The next example further clarifies the autocommit mode. In the autocommit mode,
each non-SELECT statement is a small transaction that is immediately committed.
autocommit.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
sqlite3 *db;
char *err_msg = 0;
if (rc != SQLITE_OK) {
return 1;
}
if (rc != SQLITE_OK ) {
sqlite3_free(err_msg);
sqlite3_close(db);
return 1;
}
sqlite3_close(db);
return 0;
}
zetcode.com/db/sqlitec/ 26/28
23/08/2020 SQLite C tutorial - SQLite programming in C
$ ./autocommit
SQL error: no such table: Friend
$ sqlite3 test.db
sqlite> .tables
Cars Friends Images
sqlite> SELECT * FROM Friends;
1|Tom
2|Rebecca
3|Jim
Transaction
transaction.c
#include <sqlite3.h>
#include <stdio.h>
int main(void) {
sqlite3 *db;
char *err_msg = 0;
if (rc != SQLITE_OK) {
return 1;
}
if (rc != SQLITE_OK ) {
zetcode.com/db/sqlitec/ 27/28
23/08/2020 SQLite C tutorial - SQLite programming in C
sqlite3_free(err_msg);
sqlite3_close(db);
return 1;
}
sqlite3_close(db);
return 0;
}
The first statement drops the Friends table if it exists. The other statements are
placed within a transaction. Transactions work in an all-or-nothing mode. Either
everything or nothing is committed.
sqlite> .tables
Cars Images
Since the last statement had an error, the transaction was rolled back and the Friends
table was not created.
This was SQLite C tutorial. ZetCode has a complete e-book for SQLite Python:
SQLite Python e-book.
zetcode.com/db/sqlitec/ 28/28