Linux下数据库sqlite3的安装与使用

安装sqlite3

终端输入 sudo apt-get install sqlite3

运行数据库

终端命令行直接输入 :sqlite3
sqlite3 xx.db:是要打开的数据库文件。若该文件不存在,则自动创建。若该文件存在,则打开。

命令

.database:显示当前打开的数据库文件
在数据库中创建一个表 , 数据库可以理解为excls
create table (f1 type1, f2 type2,…);
例如:create table student (number int ,name text,sex text,age int,score float);
查看一个表
.tables : 查看数据库中创建的表
.schema : 详细查看表的结构

删除一个表
drop table
drop table teacher

向表中插入记录,一个记录就是一行
insert into values (value1, value2,…);
insert into student values(1,‘zhao’,‘male’,23,89);

在数据库中查询记录
select * from ; 查询表中所有的信息
select * from student;

select  *  from   where  ;;  精确查找 
select  *  from  student where number>1 and number<3;
select  *  from  student where score<60;
and not or 
select  *  from  student where not score<60;
select * from student where score<60 or number<3 ;

删除一个记录
delete from where delete from student where score<60 ;

修改一个记录
update set , … where ;
update student set score=80.0 where number=2;
update student set score=80.0,age=24 where number=2;
在表中添加字段(列)
alter table add column ;
alter table student add column tel text;

第二种接口,使用库函数进行操作数据库

打开一个数据库:
int sqlite3_open(
const char filename, / Database filename (UTF-8) */
sqlite3 *ppDb / OUT: SQLite db handle */
);
功能: 打开一个数据库, 如果不存在则创建, 存在则打开
filename : 要打开的数据库的名称
ppDb : 结构体二级指针, 传递 一级结构体指针的地址

返回值 :
成功: then SQLITE_OK is returned
Otherwise an error code is returned

(0) SQLITE_OK
(1) SQLITE_ERROR
(2) SQLITE_INTERNAL

  1. 打开数据库失败后,输出错误提示
    const char sqlite3_errmsg(sqlite3db);
    参数:
    db : 要输出错误提示的结构体
    返回值:
    成功: 返回错误提示字符串
    失败: NULL

  2. 关闭一个已经打开的数据库
    int sqlite3_close(sqlite3*db);
    参数:
    db : 要关闭的数据库
    SQLITE_OK if the sqlite3 object is successfully

  3. 执行一个sql语句

int sqlite3_exec(
sqlite3* db, /* An open database /
const char sql, / SQL to be evaluated /
int (callback)(void,int,char
,char**), /* Callback function /
void arg, / 1st argument to callback /
char errmsg / Error msg written here /
);
功能:执行一个sql语句
参数:
db :要操作的数据库(已经打开的数据库)
sql : 一个sql的语句, 一个字符串形式的
int (callback)(void,int,char
,char
)
callback : 是一个函数类型的指针
arg : 给回调函数传递的参数
errmsg : 错误提示信息

返回值:
返回值:成功返回SQLITE_OK,
失败返回错误码

int (*sqlite3_callback)(void *para, int f_num, char **f_value, char **f_name);
功能:每找到一条记录自动执行一次回调函数
para:传递给回调函数的参数
f_num:记录中包含的字段数目
f_value:包含每个字段值的指针数组
f_name:包含每个字段名称的指针数组
返回值:成功返回0,失败返回-1

你可能感兴趣的:(知识分享)