当我们的app有数据需要保存到本地缓存时,可以使用file,sharedpreferences,还有sqlite。
sharedpreferences其实使用xml的方式,以键值对形式存储基本数据类型的数据。对于有复杂筛选查询的操作,file和sharedpreferences都不能满足了。sqlite可以满足有大量复杂查询要求的缓存数据操作。但是sqlite的使用略复杂,代码量很大,还好网上有很多优秀的orm框架可使用,比喻ORMlite,greenDao等。
ORMlite,greenDao这些框架都是在SQLite的基础上封装的ORM对象关系映射框架,简化了代码操作。
而今天的主角:Realm是一个可以替代SQLite以及ORM Libraries的轻量级数据库。
Realm官网上说了好多优点,我觉得选用Realm的最吸引人的优点有三点:
相比SQLite,Realm更快并且具有很多现代数据库的特性,比如支持JSON,流式api,数据变更通知,以及加密支持,这些都为安卓开发者带来了方便。不多介绍,更详细的介绍参见官网:Realm Home | Realm.io
我们重点来说说Reaml的使用,看看到底爽在哪里。
环境配置:
1、在Project的build.gradle文件中添加依赖:
buildscript {
repositories {
mavenCentral()
}
dependencies {
classpath "io.realm:realm-gradle-plugin:10.11.1"
}
}
2、在app module的build.gradle文件的top添加下面代码:
apply plugin: 'com.android.application'
apply plugin: 'kotlin-android'
apply plugin: 'kotlin-kapt'
apply plugin: 'realm-android'
配置完毕。
使用:
在整个使用的过程中,Realm是主角,我们先来看看Realm类中的一段翻译:
/**
? ? ?* Realm类可以对你的持久化对象进行存储和事务管理,可以用来创建RealmObjects实例。领域内的对象可以在任何时间查询和读取。
? ? ?* 创建,修改和删除等操作必须被包含在一个完整的事务里面,后面的代码会讲到。
? ? ?* 该事务确保多个实例(在多个线程)可以在一个一致的状态和保证事务在ACID前提下,访问相同的对象。
? ? ?*
? ? ?* 当一个Realm实例操作完成后,切记不要忘记调用close()方法。否则会导致本地资源无法释放,引起OOM。
? ? ?*
? ? ?* Realm实例不能在不同的线程间访问操作。确切的说,你必须在每个要使用的线程上打开一个实例
? ? ?* 每个线程都会使用引用计数来自动缓存Realm实例,所以只要引用计数不达到零,
? ? ?* ?调用getInstance(RealmConfiguration)方法将会返回缓存的Realm实例,应该算是一个轻量级的操作。
? ? ?*
? ? ?* 对于UI线程来说,打开和关闭Realm实例,应当放在onCreate/onDestroy或者onStart/onStop方法中
? ? ?*
? ? ?* ?在不同的线程间,Realm实例使用Handler机制来调整他的状态。也就是说,Realm实例在线程中,如果没有Looper,是不能收到更新通知的,
? ? ?* ?除非手动调用waitForChange()方法
? ? ?*
? ? ?* 在安卓Activity领域工作的一个标准模式可以在下面看到
? ? ?* 在Android Activity中,Realm的标准工作模式如下:
? ? ?*
? ? ?*
? ? ?* public class RealmApplication extends Application {
? ? ?*
? ? ?* ? ? \@Override
? ? ?* ? ? public void onCreate() {
? ? ?* ? ? ? ? super.onCreate();
? ? ?*
? ? ?* ? ? ? ? // The Realm file will be located in package's "files" directory.
? ? ?* ? ? ? ? RealmConfiguration realmConfig = new RealmConfiguration.Builder(this).build();
? ? ?* ? ? ? ? Realm.setDefaultConfiguration(realmConfig);
? ? ?* ? ? }
? ? ?* }
? ? ?*
? ? ?* public class RealmActivity extends Activity {
? ? ?*
? ? ?* ? private Realm realm;
? ? ?*
? ? ?* ? \@Override
? ? ?* ? protected void onCreate(Bundle savedInstanceState) {
? ? ?* ? ? super.onCreate(savedInstanceState);
? ? ?* ? ? setContentView(R.layout.layout_main);
? ? ?* ? ? realm = Realm.getDefaultInstance();
? ? ?* ? }
? ? ?*
? ? ?* ? \@Override
? ? ?* ? protected void onDestroy() {
? ? ?* ? ? super.onDestroy();
? ? ?* ? ? realm.close();
? ? ?* ? }
? ? ?* }
? ? ?*
? ? ?*
? ? ?* Realm支持String和byte字段长度高达16MB
? ? ?* 参考连接:
? ? ?* <a href="http://en.wikipedia.org/wiki/ACID">ACID</a>
? ? ?* <a href="https://github.com/realm/realm-java/tree/master/examples">Examples using Realm</a>
? ? ?*
? ? ?*/
部分源码分析:
public final class Realm extends BaseRealm {
//默认的文件名,是啥?
public static final String DEFAULT_REALM_NAME = RealmConfiguration.DEFAULT_REALM_NAME;
?
?
//怎么这么熟悉呢?是RxJava?
@Override
? ? @OptionalAPI(dependencies = {"rx.Observable"})
? ? public Observable<Realm> asObservable() {
? ? ? ? return configuration.getRxFactory().from(this);
? ? }
?
//下面这些方法,应该都能顾名思义吧
?
public <E extends RealmModel> void createAllFromJson(Class<E> clazz, JSONArray json) {
}
?
?
? ? public <E extends RealmModel> void createOrUpdateAllFromJson(Class<E> clazz, JSONArray json) {
}
?
?
? ? public <E extends RealmModel> E createOrUpdateObjectFromJson(Class<E> clazz, JSONObject json) {
}
?
?
? ? public <E extends RealmModel> E createObject(Class<E> clazz) {
}
?
?
? ? public <E extends RealmModel> E copyToRealmOrUpdate(E object) {
}
?
?
? ? public void executeTransaction(Transaction transaction) {
}
?
?
? ? public void delete(Class<? extends RealmModel> clazz) {
}
}
?RealmConfiguration类的说明翻译:
/**
?* 一个RealmConfiguration对象,可用来设置特定的Realm实例
?* RealmConfiguration实例只能通过io.realm.RealmConfiguration.Builder类的build()方法来创建
?* 想使用默认的RealmConfiguration实例,请使用io.realm.Realm#getDefaultInstance()方法。
?* 如果想使用自己配置RealmConfiguration实例的Realm实例,需要调用Realm#setDefaultConfiguration(RealmConfiguration)
?*?
?* <p>
?* 可以用下面代码创建一个最简单配置的实例:
?* RealmConfiguration config = new RealmConfiguration.Builder(getContext()).build())
?* 这样创建的实例,具有一下属性:
?*?
?* <ul>
?* <li>Realm的默认文件名是"default.realm"</li>
?* <li>"default.realm"文件保存在"Context.getFilesDir()"目录中</li>
?* <li>它的schema版本号设置为0</li>
?* </ul>
?*/
部分源码分析:
public final class RealmConfiguration {
//默认文件名
public static final String DEFAULT_REALM_NAME = "default.realm";
?
//Rx工厂
private final RxObservableFactory rxObservableFactory;
?
//弱引用
private final WeakReference<Context> contextWeakRef;
?
/**
? ? ?*?
? ? ?* 从Asset目录中返回Realm文件名,还可以保存在Asset中?
? ? ?* @return input stream to the asset file.
? ? ?* @throws IOException if copying the file fails.
? ? ?*/
? ? InputStream getAssetFile() throws IOException {
? ? ? ? Context context = contextWeakRef.get();
? ? ? ? if (context != null) {
? ? ? ? ? ? return context.getAssets().open(assetFilePath);
? ? ? ? } else {
? ? ? ? }
? ? }
?
/**
? ? ? ? ?* 使用app自己内置硬盘目录来存储Realm file。不需要任何扩展访问权限。
? ? ? ? ?* 默认目录为:/data/data/<packagename>/files,这个路径能否修改取决于供应商的具体实现
? ? ? ? ?*?
? ? ? ? ?* @param 参数context请使用application的context.
? ? ? ? ?*/
? ? ? ? public Builder(Context context) {
? ? ? ? ? ? if (context == null) {
? ? ? ? ? ? ? ? throw new IllegalArgumentException("A non-null Context must be provided");
? ? ? ? ? ? }
? ? ? ? ? ? RealmCore.loadLibrary(context);
? ? ? ? ? ? initializeBuilder(context.getFilesDir());
? ? ? ? }
}
通过上面的翻译说明和源码分析,应该几乎明白了Realm的原理和基本使用了吧。总结下面几点:
经过上面的分析和总结,其实已经很明了了。还有些需要注意的地方,在代码中讲解。
application代码:
public class MyApplication extends Application {
private String realmName = "dk.realm";
@Override
public void onCreate() {
super.onCreate();
RealmConfiguration realmConfig = new RealmConfiguration.Builder(this)
.name(realmName)
//.assetFile(this,"realm file path in assets,will copy this file to Context.getFilesDir() replace an empty realm file")
.build();
Realm.setDefaultConfiguration(realmConfig);
}
}
java Bean:
public class TestUser extends RealmObject {
?
?
? ? @PrimaryKey
? ? private int userId;//id,主键
? ? @Required
? ? private String userName;//用户姓名,必填字段
? ? private String userPwd;//密码
? ? private int userAge;//年龄
? ? private String userAddress;//住址
? ? private String userWork;//工作
? ? private String userSex;//性别
?
?
? ? //private RealmList<E> list; ?集合
//...
}
BaseDao,简单封装,把基本的增删改功能提取:
public class BaseDao {
private Realm realm;
public BaseDao(Realm realm) {
this.realm = realm;
}
/**
* 添加(性能优于下面的saveOrUpdate()方法)
*
* @param object
* @return 保存或者修改是否成功
*/
public boolean insert(RealmObject object) {
try {
realm.beginTransaction();
realm.insert(object);
realm.commitTransaction();
return true;
} catch (Exception e) {
e.printStackTrace();
realm.cancelTransaction();
return false;
}
}
/**
* 添加(性能优于下面的saveOrUpdateBatch()方法)
*
* @param list
* @return 批量保存是否成功
*/
public boolean insert(List<? extends RealmObject> list) {
try {
realm.beginTransaction();
realm.insert(list);
realm.commitTransaction();
return true;
} catch (Exception e) {
e.printStackTrace();
realm.cancelTransaction();
return false;
}
}
//...
}
UserDao extends BaseDao:
/**
* 单条保存demo
*/
public boolean addOneTest() {
boolean bl = false;
try{
realm.beginTransaction();
//在数据库中创建一个对象,主键默认值为0
TestUser user = realm.createObject(TestUser.class);//(类,主键)
//更新数据库各自段的值
user.setUserName("admin");
//主键字段的值由0更新为55。而不是直接创建了一个id为55的对象
user.setUserId(55);
//...
realm.commitTransaction();
bl = true;
}catch (Exception e){
e.printStackTrace();
realm.cancelTransaction();
}
/*try{
realm.beginTransaction();
TestUser user2 = new TestUser("hibrid", "120250", 26, "赣州", "贼", "男");
//不给id,会被默认为0
//user2.setUserId(102);
TestUser userWithId = realm.copyToRealm(user2);
realm.commitTransaction();
bl = true;
}catch (Exception e){
e.printStackTrace();
realm.cancelTransaction();
}*/
return bl;
}
//init data
public boolean init() {
/**
* 此处要注意,方法最后调用的是添加或者修改的方法。
* 如果list的数据都不给id,则第一条记录添加成功后的id为0,后面的都在此基础上修改。
* 最后的效果是,数据库只有一条记录,id为0,其他字段被更新为了最后一个对象的数据
*/
List<TestUser> list = new ArrayList<>();
list.add(new TestUser(0,"android", "123123", 20, "河南常德", "传菜员", "女"));
list.add(new TestUser(1,"angel", "13588889988", 21, "云南西双版纳", "飞行员", "男"));
list.add(new TestUser(2,"adidass", "110119", 28, "云南德克萨斯州", "海员", "男"));
list.add(new TestUser(3,"hijack", "250250", 39, "加州电厂", "厨师", "女"));
list.add(new TestUser(4,"hibrid", "120250", 26, "赣州", "贼", "男"));
list.add(new TestUser(5,"admin", "123456", 20, "湖北汉城", "程序员", "女"));
return saveOrUpdateBatch(list);
}
/**
* 条件查询
*
* @return 返回结果集合
*/
public RealmResults<TestUser> findByAnyParams(HashMap<Object, Object> params) {
//realm.where(TestUser.class)
//可跟查询条件
//.or() 或者
//.beginsWith() 以xxx开头
//.endsWith() 以xxx结尾
//.greaterThan() 大于
//.greaterThanOrEqualTo() 大于或等于
//.lessThan() 小于
//.lessThanOrEqualTo() 小于或等于
//.equalTo() 等于
//.notEqualTo() 不等于
//.findAll() 查询所有
//.average() 平均值
//.beginGroup() 开始分组
//.endGroup() 结束分组
//.between() 在a和b之间
//.contains() 包含xxx
//.count() 统计数量
//.distinct() 去除重复
//.findFirst() 返回结果集的第一行记录
//.isNotEmpty() 非空串
//.isEmpty() 为空串
//.isNotNull() 非空对象
//.isNull() 为空对象
//.max() 最大值
//.maximumDate() 最大日期
//.min() 最小值
//.minimumDate() 最小日期
//.sum() 求和
return realm.where(TestUser.class).findAll();
}
MainActivity代码:
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
mRealm = Realm.getDefaultInstance();
userDao = new UserDao(mRealm);
//...
/**
* 数据库数据更新监听
*/
mRealm.addChangeListener(this);
}
//...
@Override
public void onChange(Realm element) {
findAll();
}
@Override
protected void onDestroy() {
userDao = null;
mRealm.close();
super.onDestroy();
}
增删改的代码注意事务,其他的都简单。
?
Realm不支持直接通过deleteFromRealm删除Bean类,即使该Bean extends RealmObject,否则会报此异常
正确姿势:
根据指定字段,从数据库中查询到该Bean,然后再删除
/**
* 从数据库中删除CollectBean
* @param conType
* @param relateId
*/
public void deleteCollectBeanByTypeAndId(String conType,int relateId){
Realm realm = RealmUtils.getInstance().mRealm;
CollectBean bean = realm.where(CollectBean.class)
.equalTo(CollectBean.CON_TYPE, conType)
.equalTo(CollectBean.RELATE_ID,relateId)
.findFirst();
realm.beginTransaction();
bean.deleteFromRealm();
realm.commitTransaction();
}
RealmObject自带线程保护功能,只能在创建它的线程中访问,在子线程中不能访问。
也就是说,如果你在主线程中new了一个RealmObject对象 user,那么在子线程中是访问不了user对象的。
要想在子线程中访问,必须先将user存入Ream中,然后在子线程中query出来。
详细异常信息: java.lang.IllegalArgumentException: UserBean is not part of the schema for this Realm
需要调整plugin中的顺序,如下:
apply plugin: 'com.android.application'
apply plugin: 'com.bugtags.library.plugin'
apply plugin: 'android-apt'
apply plugin: 'realm-android'
apply plugin: 'com.neenbedankt.android-apt'
详细异常信息: io.realm.exceptions.RealmException: ‘UserBean’ has a primary key, use ‘createObject(Class, Object)’ instead.
如果实体中已经通过@PrimaryKey标明了主键,那么想要通过createObject(Class<E>, Object)创建实体对象,则必须传入primaryKeyValue(主键值)
官方表示Realm运行速度很快,足以在主线程运行,而后又表示其实还是会阻塞线程导致偶发的ANR,因此建议在子线程操作Realm.
解决方案:
子线程查询,置换为自己的Bean类,然后在主线程使用.
Realm.getDefaultInstance().executeTransactionAsync(new Realm.Transaction() {
? ? @Override
? ? public void execute(Realm realm) {
? ? ? ? Person ziPerson = realm.where(Person.class).findFirst();
? ? ? ? personInfo = new PersonInfo();
? ? ? ? personInfo.setName(ziPerson.getName());
? ? ? ? personInfo.setAge(ziPerson.getAge());
? ? ? ? //Log 输出#Execute ] false..Person{name='小明', age=18}
? ? ? ? KLog.i((Looper.getMainLooper()==Looper.myLooper())+".."+ personInfo.toString());
? ? }
}, new Realm.Transaction.OnSuccess() {
? ? @Override
? ? public void onSuccess() {
? ? ? ? //Log 输出#OnSuccess ] true..personInfo:Person{name='小明', age=18}
? ? ? ? KLog.i((Looper.getMainLooper()==Looper.myLooper())+".."+ personInfo.toString());
? ? }
}, new Realm.Transaction.OnError() {
? ? @Override
? ? public void onError(Throwable error) {
? ? ? ? KLog.i(error.toString());
? ? }
});
详细异常信息:java.util.concurrent.RejectedExecutionException: Task java.util.concurrent.FutureTask@4dffbdd rejected from io.realm.internal.async.RealmThreadPoolExecutor@c09c352[Running, pool size = 17, active threads = 2, queued tasks = 100, completed tasks = 110]
解决方案:
不要在for循环中使用Realm,将数据存入集合中,然后开启事务,直接使用copyToRealmOrUpdate(realmObjectList)存储即可.
详细异常信息:The Realm is already in a write transaction in /Users/blakemeike/Working/release/realm/realm-library/src/main/cpp/io_realm_internal_SharedRealm.cpp line 116
原因 : 在一个事务中开启了另外一个事务.应避免这种情况.
?
Realm从设计之初便是为适应移动端的使用场景。使用简洁,操作速度快。是一款很不错的移动端嵌入式数据库。
?
public class RealmDBConfig {
private final static char[] hexArray = "0123456789ABCDEF".toCharArray();
static RealmConfiguration realmConfig = null;
private static int version = 1; // 数据库版本号
/**
* 初始化数据库
*/
public static void setInitRealm(int version) {
RealmDBConfig.version= version;
if (Realm.getDefaultConfiguration() == null) {
Realm.init(MyApplication.getAppContext());
}
configRealm(version);
}
private static void configRealm(int version) {
ECKey ecKey = ECKey.fromPrivate(OcMath.toBigInt("0abc4301"));
byte[] sha256 = Sha256Hash.hash(ecKey.getPubKey());
realmConfig = new RealmConfiguration.Builder()
//设置数据库升级
.migration(migrationDb)
//设置数据库密码
.encryptionKey(OcMath.toHexStringNoPrefix(sha256).getBytes())
.name("test.realm")
//是否允许在UI线程中操作写入数据库
.allowWritesOnUiThread(true)
//设置数据库版本
.schemaVersion(version)
.build();
Realm.setDefaultConfiguration(realmConfig);
}
public static Realm getRealm() {
return Realm.getInstance(getRealmConfiguration());
}
public static RealmConfiguration getRealmConfiguration() {
if (realmConfig == null) {
setWalletOCRealm();
}
return realmConfig;
}
/**
* 数据库版本管理
*/
protected static RealmMigration migrationDb = new RealmMigration() {//升级数据库
@Override
public void migrate(DynamicRealm realm, long oldVersion, long newVersion) {
RealmSchema schema = realm.getSchema();
//给已有表新增字段
if (oldVersion == 1) {
schema.get("Rm_User").addField("nickname",String.class);
}
//新增表
if (oldVersion == 2) {
schema.create("Rm_Order")
.addField("orderId", String.class)
.addField("name", String.class)
.addField("number", int.class);
}
//删除字段
if (oldVersion == 3) {
schema.get("Rm_Wallet")
.removeField("hash", String.class);
}
//删除表
if (oldVersion == 4) {
schema.remove("Rm_Contract");
}
oldVersion++;
}
};
}
该篇文章主要讲解在android上使用Realm,关于升级的文章!
1.新增一个表(或者说新增一个类让其成为数据表)
2.更换已经存在的表中的字段类型(例如Int 类型更换为String类型)
3.更换已经存在的表中的主键
升级数据库很简单,在调用Realm实例的时候配置config时传入我们自己写好的MyMigration类即可,当然数据库的version也需要增加
object RealmHelper {
? ? private fun getRealmConfig(): RealmConfiguration {
? ? ? ? return RealmConfiguration.Builder()
? ? ? ? ? ? ? ? .name(RealmConstant.DB_NAME)
? ? ? ? ? ? ? ? .schemaVersion(RealmConstant.DB_VERSION)
? ? ? ? ? ? ? ? .migration(MyMigration())
? ? ? ? ? ? ? ? .build()
? ? }
?
? ? @JvmStatic
? ? fun getRealmInstance():Realm{
? ? ? ? return Realm.getInstance(getRealmConfig())
? ? }
}
接下来你要实现上述说的1,2,3只要在MyMigration类中实现即可
Realm数据库和传统SQL数据库增加表不一样,Realm只要增加一个表就要升级!新增表的类
例如我第一版本的DB_VERSION=0,现在我要新增一个表
a.DB_VERSION=1
b.实现新增的表类
c.在MyMigration处理升级
open class RedBookChapter(@PrimaryKey var chapterId: Int = -1, @Index var bookId: String = "") : RealmObject()
class MyMigration : RealmMigration {
override fun migrate(realm: DynamicRealm, oldVersion: Long, newVersion: Long) {
var oldV = oldVersion
val schema = realm.schema
if (oldV == 0L) {
val bookChapterSchema = schema.create("RedBookChapter")
bookChapterSchema?.let {
it.addField("chapterId", Int::class.java, FieldAttribute.PRIMARY_KEY)
.addField("bookId", String::class.java, FieldAttribute.INDEXED)
.setRequired("bookId", true)
}
oldV++
}
}
/**
* java.lang.IllegalArgumentException: Configurations cannot be different if used to open the same file.
* The most likely cause is that equals() and hashCode() are not overridden in the migration class:
* com.apusapps.reader.provider.realm.MyMigration
*/
override fun hashCode(): Int {
return MyMigration::class.java.hashCode()
}
override fun equals(other: Any?): Boolean {
if (other == null) {
return false
}
return other is MyMigration
}
}
这样在每次操作数据库时,自然检查版本号就处理升级了!
新增表中的字段很简单,addField即可,但是这里要说的是更换表中已经存在的字段的类型,并且字段名不变(即只更换字段的类型)
例如我第上一版本的DB_VERSION=1,现在我要更换字段的类型
a.DB_VERSION=2
b.处理更换字段的类
c.在MyMigration处理升级
原来的类
open class BookColl(@PrimaryKey var bookId: String = "",
? ? ? ? ? ? ? ? ? ? var briefIntro: String? = "",
? ? ? ? ? ? ? ? ? ? var majorCateId: Int? = -1,
? ? ? ? ? ? ? ? ? ? var majorCateName: String? = "",
? ? ? ? ? ? ? ? ? ? var minorCateId: Int? = -1,
? ? ? ? ? ? ? ? ? ? var minorCateName: String? = ""
) : RealmObject()
修改后的类
open class BookColl(@PrimaryKey var bookId: String = "",
var briefIntro: String? = "",
var majorCateId: String? = "",
var majorCateName: String? = "",
var minorCateId: String? = "",
var minorCateName: String? = ""
) : RealmObject()
class MyMigration : RealmMigration {
? ? override fun migrate(realm: DynamicRealm, oldVersion: Long, newVersion: Long) {
? ? ? ? var oldV = oldVersion
? ? ? ? val schema = realm.schema
? ? ? ? if (oldV == 0L) {
? ? ? ? ? ? val bookChapterSchema = schema.create("RedBookChapter")
? ? ? ? ? ? bookChapterSchema?.let {
? ? ? ? ? ? ? ? it.addField("chapterId", Int::class.java, FieldAttribute.PRIMARY_KEY)
? ? ? ? ? ? ? ? ? ? ? ? .addField("bookId", String::class.java, FieldAttribute.INDEXED)
? ? ? ? ? ? ? ? ? ? ? ? .setRequired("bookId", true)
? ? ? ? ? ? ? ??
? ? ? ? ? ? }
? ? ? ? ? ? oldV++
? ? ? ? }
?
? ? ? ? if (oldV == 1L) {
? ? ? ? ? ? val bookCollSchema = schema.get("BookColl")
? ? ? ? ? ? bookCollSchema?.let {
? ? ? ? ? ? ? ? it.addField("majorCateId_temp", String::class.java)
? ? ? ? ? ? ? ? ? ? ? ? .addField("minorCateId_temp", String::class.java)
? ? ? ? ? ? ? ? ? ? ? ? .transform { obj ->
? ? ? ? ? ? ? ? ? ? ? ? ? ? obj.setString("majorCateId_temp", obj.getInt("majorCateId").toString())
? ? ? ? ? ? ? ? ? ? ? ? ? ? obj.setString("minorCateId_temp", obj.getInt("minorCateId").toString())
? ? ? ? ? ? ? ? ? ? ? ? }
? ? ? ? ? ? ? ? ? ? ? ? .removeField("majorCateId")
? ? ? ? ? ? ? ? ? ? ? ? .removeField("minorCateId")
? ? ? ? ? ? ? ? ? ? ? ? .renameField("majorCateId_temp", "majorCateId")
? ? ? ? ? ? ? ? ? ? ? ? .renameField("minorCateId_temp", "minorCateId")
? ? ? ? ? ? ? ??
? ? ? ? ? ? }
? ? ? ? ? ? oldV++
? ? ? ? }
? ? }
?
?
? ? /**
? ? ?* ?这里的hashCode,和equals同上面一样,这里省略
? ? ?*/
? ?
}
说明下:
1.命名临时的字段majorCateId_temp,minorCateId_temp
2.将DB_VERSION=1中老用户的majorCateId和minorCateId这些字段迁移到DB_VERSION=2中的临时字段是上
3.移除老的字段
4.重新命名,将majorCateId_temp等字段改为之前的字段
因为DB_VERSION=1时,新增了RedBookChapter,但是我的主键用错了,需要重新更换主键。
因为中间已经有了DB_VERSION=2了,所以这里DB_VERSION=3
a.DB_VERSION=3
b.处理更换主键的类
c.在MyMigration处理升级
更换主键之前的类
open class RedBookChapter(@PrimaryKey var chapterId: Int = -1, @Index var bookId: String = "") : RealmObject()
更换主键后的类
open class RedBookChapter(@PrimaryKey var hashCode:String = "",
var chapterId: Int = -1, @Index var bookId: String = "") : RealmObject()
注意这里的hasCode不是真正的hashCode,是我用bookId和chapterId拼装的:bookId.plus(chapterId.toInt()),要知道一个类的hashCode会随时变的。
class MyMigration : RealmMigration {
override fun migrate(realm: DynamicRealm, oldVersion: Long, newVersion: Long) {
var oldV = oldVersion
val schema = realm.schema
if (oldV == 0L) {
val bookChapterSchema = schema.create("RedBookChapter")
bookChapterSchema?.let {
it.addField("chapterId", Int::class.java, FieldAttribute.PRIMARY_KEY)
.addField("bookId", String::class.java, FieldAttribute.INDEXED)
.setRequired("bookId", true)
}
oldV++
}
if (oldV == 1L) {
val bookCollSchema = schema.get("BookColl")
bookCollSchema?.let {
it.addField("majorCateId_temp", String::class.java)
.addField("minorCateId_temp", String::class.java)
.transform { obj ->
obj.setString("majorCateId_temp", obj.getInt("majorCateId").toString())
obj.setString("minorCateId_temp", obj.getInt("minorCateId").toString())
}
.removeField("majorCateId")
.removeField("minorCateId")
.renameField("majorCateId_temp", "majorCateId")
.renameField("minorCateId_temp", "minorCateId")
}
oldV++
}
if (oldV == 2L) {
val bookRedChapter = schema.get("RedBookChapter")
bookRedChapter ?.let {
it.addField("hashCode", String::class.java)
.addField("chapterId_temp",Int::class.java)
.transform { obj ->
obj.setString("hashCode", obj.getString("bookId").plus(obj.getInt("chapterId")))
obj.setInt("chapterId_temp", obj.getInt("chapterId"))
}
.removeField("chapterId")
.renameField("chapterId_temp","chapterId")
.addPrimaryKey("hashCode")
.setRequired("hashCode",true)
}
oldV++
}
}
/**
* 这里的hashCode,和equals同上面一样,这里省略
*/
}
到这里文章开头说的1,2,3要完成的事已经处理完毕了。
其实只要处理好自己原来的类,处理好MyMigration即可。
?