1.对表操作的语句
a.创建表
create table 表名(
字段名 数据类型 约束,
字段名2 数据类型 约束,
...
字段名N 数据类型 约束
);
例如:
create table student(
id integer primary key autoincrement,
name varchar(50) not null,
age int,
brithday date
);
primary key : 表示该字段为主键,主键要求非空,唯一,常用来做每一行数据的唯一标示,一般每张表都会设定一个字段为主键;
autoincrement : 表示自动增长
not null : 表示非空,即该字段不能为空数据
b.修改表结构
建好表后,还可以修改表的结构,但是,SQLite中只能增加列,其他的都不能操作
alter table 表名 add 列名 列类型
例如:
alter table student add sex integer;
c.删除表
drop table 表名;
drop table student;
2.对数据的操作
1.插入数据
insert into 表名(字段名1,字段名2…) values(数据1, 数据2…);
insert into student(name, age, brithday, sex) values("韩梅梅", 17, "1998-09-08", "女");
例如:
其中id是自增主键,所以插入数据时,该字段可以不用指定;
也可以自己指定id,但是不能和现有的记录的主键值冲突,
例如:
insert into student(id, name, age, brithday, sex) values(6, "韩梅梅", 17, "1998-09-08", "女");
如果所有的字段都需要插入数据,则字段可以省略不写。
例如:
insert into student values(6, "韩梅梅", 17, "1998-09-08", "女");
2.删除数据
delete from 表名 where 条件;
例如:
delete from student where id = 7;
即删除表中id为7的数据
如果没有写明条件,则删除表中所有记录
3.修改数据
update 表名 set 字段1=值1, 字段2=值2 where 条件;
例如:
update student set sex = "男" where id = 7;
如果没有指定条件,则修改所有记录
4.查询数据(这个比较复杂)
select 字段1,字段2… from 表名 where 查询条件;
例如:
select name,age from student where sex = "男";
如果希望查询所有字段,则可以用*表示
例如:
select * from student;