本文主要是介绍Android篇SQLite之SQL语句笔记,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
因为之前用的时候都是封装好的,直接调用就好,碰到忘记的时候就百度一下,导致一直记不住,所以今天我觉得有必要抽点时间来总结一下这块。
1、创建表:可以通过工具直接创建(注意其主键的设置),也可用sql语句创建
create table if not exists student(_id integer primary key autoincrement, name varchar, sex varchar, age integer, phone char(11));
2、插入数据
insert into 表名 values (值1,值2,.....)
insert into 表名 (列1,列2,...) values (值1,值2,...)insert into student values(null, "张三", "男", 20, "18370992788");
insert into student(_id, name, sex, age, phone) values (null, "李四", "女", 21, "18370992783");
注意:使用直接插入值的方法,需要把主键 _id填写为 null,这样就会自增长。
3、更新数据
//更新某一行中的某一列
update 表名 set 列名 = 新值 where 列名 = 某值
//更新某一行中的若干列
update 表名 set 列名 = 新值, 列名 = 新值 where 列名 = 某值update student set name = "张三" where age = 18;
update student set name = "李四", sex = "男", age = 20 where name = "张三";
4、查询数据
//按条件查询 可以使用 and,or
//操作符 | 描述
// = | 等于
// <> | 不等于
// > | 大于
// < | 小于
// >= | 大于等于
// <= | 小于等于
// BETWEEN | 在某个范围类
// LIKE | 搜索某种模式select 列名 from 表名
select * from 表名 (*表示查询所有的列)
select * from 表名 where 列名 运算符 值
select * from 表名 where 列名 运算符 值 and 列名 运算符 值
select * from 表名 where 列名 运算符 值 or 列名 运算符 值--从student表中获取name和phone
select name, phone from student;--从student表中选取所有的列,* 表示快捷
-select * from student;--取年龄为20的所有学生
select * from student where age = 20;--取出age >= 19的学生
select * from student where age >= 19;select * from student where name = '王二' and sex = '男';
select * from student where name = '张三' or age = 18;--order by(默认为升序)
select name , sex, age from student order by age;
5、删除数据
//删除某一行
delete from 表名 where 列名 = 值
//删除所有行,其表的结构、属性、和索引都是完整的
delete * from 表名delete from student where name = '李四';
delete from student;
这篇关于Android篇SQLite之SQL语句笔记的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!