DataBinding
databinding是Google官方发布的一个框架,用于降低布局和逻辑的耦合性,使代码逻辑更加清晰,可以直接绑定数据到xml中,并实现自动刷新。databinding能够省去findViewById(),减少大量的模板代码,数据能够单向或双向绑定到layout文件中,有助于防止内存泄漏,而且能自动进行空检测以避免空指针异常。
简单使用
1. 启动dataBinding
在Module的build.gradle中加上如下配置
apply plugin: 'kotlin-kapt'
android{
dataBinding{
enabled true
}
bindingFeature{
dataBinding = true
}
}
2. 修改布局 activity_main.xml
<?xml version="1.0" encoding="utf-8"?>
<layout>
<data>
<variable
name="test"
type="String" />
</data>
<androidx.constraintlayout.widget.ConstraintLayout
xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="match_parent"
xmlns:app="http://schemas.android.com/apk/res-auto">
<androidx.appcompat.widget.AppCompatTextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="@{test}"
app:layout_constraintBottom_toBottomOf="parent"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintTop_toTopOf="parent"/>
</androidx.constraintlayout.widget.ConstraintLayout>
</layout>
- 根节点变成了layout
- layout里面包含了一个data节点和传统的视图
- data标签内存放用于xml的数据变量 ,使用variable来定义
- variable里面的name属性表示变量属性,type表示变量的类型,这里定义的是一个String类,由于java.lang.*包会被自动导入,所以基本的数据类型可以直接使用,这里的数据类型也可以是自己定义的实体类(数据类型需要写上实体类完整的位置,也可以使用import引入)
- 最后使用 @{test} 将test与AppCompatTextView的text进行绑定,这里是单向绑定,意思是dataBinding的test发生改变时text会接收它的改变,但是text发生改变时test不会改变,如需要双向绑定可使用 @={test},这样text发生改变时test也会接收改变(一般用于)
3. 在Activiy或Fragment中绑定
Activity中
val mBinding =DataBindingUtil.setContentView<ActivityMainBinding> (this,
R.layout.activity_main)
mBinding.test="abc"
Fragment中
xxxxxxxBinding.bind(view)
xxxxxxxBinding.inflate()
使用技巧
1.支持表达式
- 数学表达式
- 字符串拼接:+ - (使用``反引号)
- 逻辑表达式、位操作符、比较操作符
- 三目运算符 ?:
- 等等…
下面举例使用拼接符
<androidx.appcompat.widget.AppCompatTextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="test+test"
app:layout_constraintBottom_toBottomOf="parent"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintTop_toTopOf="parent"/>
</androidx.constraintlayout.widget.ConstraintLayout>
2. 处理点击事件
<layout>
<data>
<variable
name="OnClickListener"
type="android.view.View.OnClickListener" />
</data>
<androidx.constraintlayout.widget.ConstraintLayout
xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="match_parent"
xmlns:app="http://schemas.android.com/apk/res-auto">
<Button
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:onClick="@{OnClickListener}"
app:layout_constraintBottom_toBottomOf="parent"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintTop_toTopOf="parent"
/>
</androidx.constraintlayout.widget.ConstraintLayout>
</layout>
动态更新
至此,如果我们在databinding中定义了基本的数据类型类或者实体类的话,当它们的内容发生变化时,UI界面的数据是不会动态更新的,DataBinding也为我们提供了3种动态更新的机制,分别为Observable、ObservableField和Observable容器。
|