前言
最近更新AndroidStudio 至Canary 8 版本了,看样子AS3.0和android O的发布很快就会到来了. 要说这段时间Android开发的最大变化就是Kotlin加入到Android开发语言的第一梯队中来了,其次就是Android architecture components
这一App新架构模式的引进,号称解决了Android原生开发中的三大痛点(数据与视图的双向绑定,控制逻辑与组件生命周期的适配,数据库操作).接下来我要介绍的就是这三大痛点中最小的一个:数据库 --> Room,以及其和Rxjava组合起来在Kotlin中的应用
痛点
在实际的开发过程中,基于开发效率的考量,我们一般会选择一些第三方库,而不是使用官方推荐的写法,原因有二:一是写起来比较繁琐,SQLiteOpenHelper
,SQLiteDatabase
这些类中封装的,增删改查等方法往往不如直接的rawQuery
来的方便 二是查询得到的结果不很直观,类比于网络请求,它不能直接拿到数据类,而是Cursor,虽然有CursorAdapter
,CursorLoader
这些直接连接cursor和视图的类,但大部分的开发者都习惯把数据类和视图关联起来
Room 是什么
Room是Google官方最新的Android architecture components
框架中的一部分,是新的Android数据库管理库,它解决了之前的两个痛点:1. 采用sql语句直接操作数据库,避免了之前方法的编译时检查和拼接 2.将数据库表字段与数据库直接关联,在生成的Dao管理类中直接返回数据类实例而不是Cursor 3.大部分代码都是预生成的,减少了很多重复代码.
同时也支持与Rxjava的链接
Room的结构
使用Room的时候,值得我们注意的有3个部分
Database
数据库的映射,主要管理数据库的名字,版本,包括哪些表
Entity
数据类,表的映射,包含了表中的所有字段,类型
Dao
表的操作管理类, 对表的增删改查. 只需要用注解标注方法,就能生成相应的数据操作方法.
以下是这三个部分与App其他部分的关系
引入依赖
版本
AndroidStudio: preview canary 8
kotlin:1.1.3-2
gradle: gradle-4.1-milestone-1
build.gradle
google() 需要配置代理
buildscript {
ext{
kotlin_version = '1.1.3-2'
supportLibVersion = "26.0.0"
component_version = "1.0.0-alpha7"
}
repositories {
google()
jcenter()
}
dependencies {
classpath 'com.android.tools.build:gradle:3.0.0-alpha8'
classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version"
}
}
allprojects {
repositories {
google()
jcenter()
}
}
task clean(type: Delete) {
delete rootProject.buildDir
}
build.gradle:app
- 不要引入kapt plugin
- annotationProcessor 和 kapt 需要同时存在
- 需要同时使用rxjava时 必须添加
android.arch.persistence.room:rxjava2
apply plugin: 'com.android.application'
apply plugin: 'kotlin-android'
apply plugin: 'kotlin-android-extensions'
--------
dependencies {
implementation fileTree(dir: 'libs', include: ['*.jar'])
implementation"org.jetbrains.kotlin:kotlin-stdlib-jre7:$kotlin_version"
implementation "com.android.support:appcompat-v7:$supportLibVersion"
implementation 'com.android.support.constraint:constraint-layout:1.0.2'
implementation "android.arch.persistence.room:runtime:$component_version"
implementation "android.arch.persistence.room:rxjava2:$component_version"
annotationProcessor "android.arch.persistence.room:compiler:$component_version"
kapt "android.arch.persistence.room:compiler:$component_version"
testImplementation 'junit:junit:4.12'
androidTestImplementation 'com.android.support.test:runner:1.0.0'
androidTestImplementation 'com.android.support.test.espresso:espresso-core:3.0.0'
implementation 'io.reactivex.rxjava2:rxjava:2.1.0'
implementation 'io.reactivex.rxjava2:rxandroid:2.0.1'
}