ObjectBox移动数据库框架
ObjectBox Github链接:
点击此处链接到Github
-
介绍
ObjectBox是移动端数据库框架,灵感来自于NoSql,速度非常快,号称是市面上最快的移动端数据库框架。 -
为什么要使用
-
快
-
简单,面向对象的API
-
添加依赖
项目级别的Gradle中添加:
buildscript {
ext.objectboxVersion = '1.4.4'
dependencies {
classpath "io.objectbox:objectbox-gradle-plugin:$objectboxVersion"
}
}
module级别的Gradle的头部添加:
apply plugin: 'io.objectbox' // after applying Android plugin
之后Make Project一下项目
- 新建一个数据库对象,用注解@Entity标注
- @Id是主键的标识,自增
@Entity
public class UserProfile{
@Id
private long id;
private String name;
private int age;
public UserProfile(String name, int age){
this.name = name;
this.age = age;
}
}
之后重新编译一下程序,生成MyObjectBox的对象
之后在全局的Application中获取这个对象
public class MyApplication extends Application {
private BoxStore boxStore;
@Override
public void onCreate() {
super.onCreate();
boxStore = MyObjectBox.builder().androidContext(this).build();
if (BuildConfig.DEBUG) {
new AndroidObjectBrowser(boxStore).start(this);
}
}
public BoxStore getBoxStore() {
return boxStore;
}
}
之后在相应的Activity或者其他地方调用,每个数据库对象都有自己相应的box
Box<UserProfile> userProfileBox = ((MyApplication)getApplication()).getBoxStore().boxFor(UserProfile.class);
获取到userProfileBox之后,就可以进行相应的增删改查了。
-
增
UserProfile user1 = new UserProfile("wangming", 18);
userProfileBox.put(user1); -
删
// 删除id是2的数据
userProfileBox.remove(2);
// 删除所有
userProfileBox.removeAll();
- 改
// 调用put方法完成更新
UserProfile user1 = userProfileBox.query().equal(UserProfile_name,"min").build().findFirst();
user1.setName("wangming");
userProfileBox.put(user1);
- 查
// 单条件查询:从所有用户中查出name="min"的数据
List<UserProfile> users = userProfileBox.query().equal(UserProfile_.name,"min").build().find();
// 多条件查询:从所有用户中name = "min",age>18,并且secondName是以W开头的
userProfileBox.query().equal(UserProfile_.name,"min")
.greater(UserProfile_.age,18)
.startWith(UserProfile_.secondName,"W");
.build()
.find();
//要返回匹配查询的所有实体,只需调用 find()。
//要仅返回第一个结果,请使用 findFirst()。
List item =roleBox.query().startsWith(Role_.role_name,"采")
.or().equal(Role_.role_name,"运营")
.orderDesc(Role_.created_at).build().find();
QueryBuilder 还提供了greater、less、contain等API
网友评论