ViewBinding的作用就是为了避免编写findViewById,和kotlin-android-extensions插件类似,项目工程模块的build.gradle中加入以下配置:
android {
...
buildFeatures {
viewBinding true
}
}
当ViewBinding启动后,studio会自动为每一个布局文件生成一个Binding类。
Binding类的命名规则是将布局文件按驼峰方式重命名后,再加上Binding作为结尾。如:activity_main.xml布局,那么与它对应的Binding类就是ActivityMainBinding。
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout
xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
tools:context=".MainActivity">
<TextView
android:id="@+id/hello_tv"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
app:layout_constraintBottom_toBottomOf="parent"
app:layout_constraintLeft_toLeftOf="parent"
app:layout_constraintRight_toRightOf="parent"
app:layout_constraintTop_toTopOf="parent" />
</androidx.constraintlayout.widget.ConstraintLayout>
如果不需要布局文件生成对应的Binding类,可以在根元素加入:
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout
...
tools:viewBindingIgnore="true">
...
</androidx.constraintlayout.widget.ConstraintLayout>
Activity中使用ViewBinding
在MainActivity中将TextView的文本设置为"你好",代码如下:
class MainActivity : AppCompatActivity() {
private lateinit var mBinding : ActivityMainBinding
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
mBinding = ActivityMainBinding.inflate(layoutInflater)
setContentView(mBinding.root)
mBinding.helloTv.text = "你好"
}
}
将根元素的实例root传入setContentView()函数中,这样activity_main.xml就可以在视图中显示出来,然后mBinding.helloTv获取extView控件的实例,并调用其setText()函数设置文本
Fragment中使用ViewBinding
class MainFragment : Fragment() {
private var mBinding: FragmentMainBinding? = null
override fun onCreateView(
inflater: LayoutInflater, container: ViewGroup?,
savedInstanceState: Bundle?
): View? {
mBinding = FragmentMainBinding.inflate(layoutInflater, container, false)
return mBinding?.root
}
override fun onDestroyView() {
super.onDestroyView()
mBinding = null
}
}
ViewBinding在Fragment中使用和Activity中大同小异,唯一不同的是需要在onDestroyView()函数中对mBinding变量置空,保证mBinding变量的有效生命周期是在onCreateView()函数和onDestroyView()函数之间。
|