原文地址: https://medium.com/google-developers/no-more-findviewbyid-457457644885#.ma2n041ab
Android应用开发有一个鲜为人知的特性:data binding. 我准备写一系列的文章来描述讲述data binding的许多令人兴奋的特性. 最基本的一个特性就是消除了"findViewById"的使用.
经常写这种代码是不是脖子会酸痛?
TextView hello = (TextView) findViewById(R.id.hello);
现在有许多工具来减少这种重复代码的编写. 从Android Studio1.5版本之后, 有了一个官方的方法.
-
首先, 编辑build.gradle, 加入如下代码:
android { … dataBinding.enabled = true }
-
然后, 修改layout文件, 最外层的tag改为 <layout>.
<layout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas.android.com/tools"> <RelativeLayout android:layout_width="match_parent" android:layout_height="match_parent" android:paddingLeft="@dimen/activity_horizontal_margin" android:paddingRight="@dimen/activity_horizontal_margin" android:paddingTop="@dimen/activity_vertical_margin" android:paddingBottom="@dimen/activity_vertical_margin" tools:context=".MainActivity"> <TextView android:id="@+id/hello" android:layout_width="wrap_content" android:layout_height="wrap_content"/> </RelativeLayout> </layout>
layout 标签会告知Android Studio,这个layout文件在编译阶段需要额外处理, 寻找有趣的View并在下一阶段使用. 没有该标签的 layout文件则不会做额外处理. 所以你可以在你的应用程序里对这样的修改.
-
下一步是告知程序在运行时用另一种方法加载layout文件. 如下修改你的加载 代码. 例如, 对于Activity, 将下面的代码:
setContentView(R.layout.hello_world); TextView hello = (TextView) findViewById(R.id.hello); hello.setText("Hello World"); // for example, but you'd use // resources, right?
改为:
HelloWorldBinding binding = DataBindingUtil.setContentView(this, R.layout.hello_world); binding.hello.setText("Hello World"); // you should use resources!
类 HelloWorldBinding 是基于hello_world.xml文件生成的, 并且 id 为"@+id/hello"的View被赋值给了一个final的成员变量hello以供使用. 没有类型转换, 没有findViewById.
使用这种机制来访问view不仅更简单, 而且更快! binding过程只遍历一次layout 文件里的所有View, 然后赋值给成员变量. 当使用findViewById时, 每次调用该函数 view树就会被遍历一次.
正如代码所示, 该过程会"驼峰化"你的变量名称(例如hello_world.xml变成了类 HelloWorldBinding), 所以, 如果你的id为"@+id/hello_text", 变量名则为 helloText.
当你为RecyclerView, ViewPager或其不设置Activity内容的组件渲染layout时, 你可能也想使用data binding生成的类. 这里有几个类似LayoutInflater的方法 供大家使用. 例如
HelloWorldBinding binding = HelloWorldBinding.inflate(
getLayoutInflater(), container, attachToContainer);
如果你不想将渲染的view附属到包含它的ViewGroup上, 那么当你需要访问渲染后的view时, 可以使用getRoot()方法.
linearLayout.addView(binding.getRoot());
你可能会想, 如果我有一个layout文件包含不同的配置, 每个配置的view可能会不同怎么办?layout预处理和运行时渲染流程会小心处理这个过程, 把所有的带id的view添加到生成的类中, 如果某些view并没有在被渲染时的layout里, 其在生成类中对应的变量会被置位null.
很神奇吗? 这个功能的一大好处就是没有反射或其他运行时"高成本"技术.将它应用到你的应用上是很简单的事情, 这会让你的生活变得轻松, 而且, 你的layout会加载更快一点.