[Practical] Android Data Binding from resistance to love

[Practical] Android Data Binding from resistance to love

1 Introduction

How to implement the following interface efficiently?

Login/Not logged in

I have several years of experience in findViewById, so I don't think it's difficult.

1. First define a User Model class, the data comes from JSON parsing;

2. Create an xml, then lay out all the views in the xml, and give an id to the avatar, title, points, and login button;

3. In the Activity, use findViewById to get the avatar ImageView, title TextView, points TextView, and login Button, then set a listener for the Button, and then display the corresponding data according to the login status;

The implementation is as follows:

  • User.java

  • activity_detail.xml

  • DetailActivity

2 Remove the annoying findViewById (View injection)

As you can see, the definition, finding, and empty judgment of View in Activity occupy a lot of space, and we need a more elegant implementation.

2.1 ButterKnife

You may have heard of Jake Wharton's ButterKnife. This library only needs to pass in the corresponding id through annotation when defining the View variable, and then call ButterKnife.bind(this) in onCreate to complete the view injection. The example is as follows:

2.2 Android Data Binding

If Android Data Binding is used, then the definition, find, and empty judgment of View do not need to be written. How to do it?

2.2.1 Preparation

First, you need to meet a condition: your Android Plugin for Gradle version must be equal to or higher than version 1.5.0-alpha1, which is located in the root directory build.gradle. The example is as follows:

  1. buildscript {
  2. repositories {
  3. jcenter()
  4. }
  5. dependencies {
  6. classpath 'com.android.tools.build:gradle:2.1.0-rc1'  
  7. }
  8. }

Next, you must tell the compiler to enable Data Binding, which is usually located in the android tag of app:build.gradle, as shown below:

  1. android {
  2. compileSdkVersion 23
  3. buildToolsVersion "23.0.2"  
  4.  
  5. dataBinding {
  6. enabled true  
  7. }
  8. ...
  9. }

2.2.2 Modify layout.xml

Taking activity_detail.xml as an example, the original root node is LinearLayout, as shown below:

2.2.3 Let the fun begin!

After the above operations are completed, the compiler will automatically generate

com.asha.demo.databinding.ActivityDetail2Binding.java class. The command format of this class is: package name + databinding + activity_detail2 camel case naming format + Binding.java. Then, the code of DetailActivity2.java using this activity_detail2 can be simplified to:

  1. public class DetailActivity2 extends AppCompatActivity {
  2.  
  3. ActivityDetail2Binding binding; @Override
  4. protected void onCreate(@Nullable Bundle savedInstanceState) { super.onCreate(savedInstanceState);
  5. binding = DataBindingUtil.setContentView(this,R.layout.activity_detail2);
  6.  
  7. login();
  8. } private void login(){ fill( User .newInstance()); } private void logout(){ fill( null ); } private void fill(final User   user ){ final int visibility = user != null ? View .VISIBLE : View .GONE; if ( user != null ){
  9. binding.detailAvatar.setImageDrawable(ContextCompat.getDrawable(this, user .getAvatar()));
  10. binding.detailName.setText( user .getName());
  11. binding.detailDesc.setText(String.format( "Points: %d Level: %d" , user .getScore(), user .getLevel()));
  12. }
  13.  
  14. binding.detailAvatar.setVisibility(visibility);
  15. binding.detailName.setVisibility(visibility);
  16. binding.detailDesc.setVisibility(visibility);
  17. binding.detailActionButton.setOnClickListener(new View .OnClickListener() { @Override
  18. public void onClick( View v) { if ( user == null ) login(); else logout();
  19. }
  20. });
  21. binding.detailActionButton.setText( user == null ? "Login" : "Logout" );
  22. }
  23. }

Yes, all the View definitions, finds, and empty judgments are gone. All these operations are completed in ActivityDetail2Binding.java generated by the compiler for us. You only need to call the following code to setContentView during onCreate to implement it.

binding = DataBindingUtil.setContentView(this,R.layout.activity_detail2);

Oh my god

2.2.4 Analysis of code related to View injection in ActivityDetail2Binding

You can easily view the class automatically generated by the compiler in as. This class is located in /app/build/intermediates/classes/debug/com/asha/demo/databinding/ActivityDetail2Binding.class. The code after reducing the Binding logic is as follows:

The global static SparseIntArray array contains four numbers, which are the IDs of the corresponding Views generated in R.java.

  1. public final class R {
  2. ... public   static final class id {
  3. ... public   static final int detail_action_button = 2131492951; public   static final int detail_avatar = 2131492948; public   static final int detail_desc = 2131492950; public   static final int detail_name = 2131492949;
  4. ...
  5. }
  6. ...
  7. }

When the ActvityDetail2Binding instance is constructed, mapBindings is called to solve the search of all Views at once. The mapBindings function is implemented in the ViewDataBinding parent class of ActvityDetail2Binding.

3 Use expressions to fill model data in layout.xml

There are still a lot of View control and data filling codes in ActivityDetail2.java. How to hand these codes over to layout.xml?

3.1 ModelAdapter Class

In Section 2, the User.java class has been defined as the Model class, but we often encounter inconsistencies between the Model class and the actual View display. In this example, a ModelAdapter class is defined to complete the adaptation of the Model data to the display data. The sample code is an inner class of ActivityDetail3.java, and the functions in ActivityDetail3.java can be called. The code definition is as follows:

3.2 Using model in activity_detail3.xml

Similarly, copy activity_detail2.xml to activity_detail3.xml, add a <data> node to the <layout> node, and define the model class you need to use (such as ModelAdapter adapter), of course, it can also be a basic type variable (such as int visibility);

Then, you can use the expression in the following view. The entire layout file is as follows:

  1. <?xml version= "1.0" encoding= "utf-8" ?><layout xmlns:android= "http://schemas.android.com/apk/res/android" >
  2. <data>
  3. <variable name = "adapter" type= "com.asha.demo.DetailActivity3.ModelAdapter" />
  4. <variable name = "visibility" type= "int" />
  5. </data>
  6. <LinearLayout
  7. android:orientation= "vertical" android:layout_width= "match_parent"  
  8. android:layout_height= "match_parent" >
  9. < View  
  10. android:background= "@color/detail_background"  
  11. android:layout_width= "match_parent"  
  12. android:layout_height= "66dp" >
  13. </ View >
  14. <ImageView
  15. android:src= "@{adapter.avatar}"  
  16. android:visibility= "@{visibility}"  
  17. android:id= "@+id/detail_avatar"  
  18. android:layout_gravity= "center"  
  19. android:layout_marginTop= "-33dp"  
  20. android:layout_width= "66dp"  
  21. android:layout_height= "66dp" />
  22. <TextView
  23. android:visibility= "@{visibility}"  
  24. android:text= "@{adapter.name}"  
  25. android:id= "@+id/detail_name"  
  26. android:textSize= "17sp"  
  27. android:textColor= "@color/textColorPrimary"  
  28. android:layout_marginTop= "15dp"  
  29. android:layout_gravity= "center"  
  30. android:layout_width= "wrap_content"  
  31. android:layout_height= "wrap_content" />
  32. <TextView
  33. android:visibility= "@{visibility}"  
  34. android:text= "@{adapter.desc}"  
  35. android:id= "@+id/detail_desc"  
  36. android:layout_marginTop= "15dp"  
  37. android:textSize= "13sp"  
  38. android:layout_gravity= "center"  
  39. android:layout_width= "wrap_content"  
  40. android:layout_height= "wrap_content" />
  41. <Button
  42. android:text= "@{adapter.actionText}"  
  43. android:onClick= "@{adapter.clickHandler}"  
  44. android:id= "@+id/detail_action_button"  
  45. android:layout_marginTop= "15dp"  
  46. android:layout_gravity= "center"  
  47. android:textColor= "@color/white"  
  48. android:background= "@drawable/selector_g_button"  
  49. android:layout_width= "220dp"  
  50. android:layout_height= "wrap_content" />
  51. </LinearLayout></layout>

3.3 Calling Fill in DetailActivity3.java

As shown in the following code, you only need to set the required adatper and visibility values ​​for viewDataBinding when the login status changes to complete the data filling.

3.4 Analysis of filling-related code in ActivityDetail3Binding

Similarly, in ActivityDetail3Binding, the compiler automatically generates codes such as setAdapter and setVisibility based on the <data> tag in activity_detail3.xml. The relevant codes of setAdapter are as follows:

Very simple, getter and setter are automatically generated. After the set operation is completed, call notifyPropertyChanged and super.requestRebind()

  • notifyPropertyChanged

ViewDataBinding itself is a BaseObservable. When registering to ViewDataBinding to observe the change of a certain property, if the change of mAdapter is registered, the corresponding observer will receive a callback. The relevant logic is related to the reverse Binding. Google has not yet provided relevant usage documents, so we will not analyze it in depth.

  • super.requestRebind()

1. This function is a function in ViewDataBinding. Its specific implementation is to determine whether there is a Rebind request now. If yes, return; if not, it is handed over to the handler or choreographer according to the runtime SDK version and inserted into the next frame to execute mRebindRunnable.

2. In mRebindRunnable, depending on the current SDK version, if it is greater than or equal to KITKAT, you need to execute executePendingBindings after onAttachToWindow; otherwise, executePendingBindings is executed directly.

3. After some judgment in the parent class ViewDataBinding, call executeBindings in ActivityDetail3Binding, and perform different View attribute assignments according to dirtyFlags in executeBindings. All the following ActivityDetail3Binding related codes are automatically generated by the compiler

  1. public class ActivityDetail3Binding extends ViewDataBinding{
  2. ... protected void executeBindings() { long dirtyFlags = 0L; synchronized(this) {
  3. dirtyFlags = this.mDirtyFlags; this.mDirtyFlags = 0L;
  4. }
  5.  
  6. Drawable avatarAdapter = null ;
  7. ModelAdapter adapter = this.mAdapter;
  8. String descAdapter = null ;
  9. String nameAdapter = null ;
  10. ActivityDetail3Binding.OnClickListenerImpl androidViewViewOnCli = null ;
  11. String actionTextAdapter = null ; int visibility = this.mVisibility; if((dirtyFlags & 5L) != 0L && adapter != null ) {
  12. avatarAdapter = adapter.getAvatar();
  13. descAdapter = adapter.getDesc();
  14. nameAdapter = adapter.getName();
  15. androidViewViewOnCli = (this.mAndroidViewViewOnCl == null ?(this.mAndroidViewViewOnCl = new ActivityDetail3Binding.OnClickListenerImpl()):this.mAndroidViewViewOnCl).setValue(adapter);
  16. actionTextAdapter = adapter.actionText();
  17. } if((dirtyFlags & 6L) != 0L) {
  18. ;
  19. } if((dirtyFlags & 5L) != 0L) {
  20. TextViewBindingAdapter.setText(this.detailActionButton, actionTextAdapter); this.detailActionButton.setOnClickListener(androidViewViewOnCli);
  21. ImageViewBindingAdapter.setImageDrawable(this.detailAvatar, avatarAdapter);
  22. TextViewBindingAdapter.setText(this.detailDesc, descAdapter);
  23. TextViewBindingAdapter.setText(this.detailName, nameAdapter);
  24. } if((dirtyFlags & 6L) != 0L) { this.detailAvatar.setVisibility(visibility); this.detailDesc.setVisibility(visibility); this.detailName.setVisibility(visibility);
  25. }
  26.  
  27. }
  28. ...
  29. }

At this point, the filling analysis of View data is completed.

4 Binding

The automatically generated ViewDataBinding class (such as ActivityDetail3Binding) contains Model + View, which is the concept of MV in MVVM.

The View injection in Chapter 2 and the View assignment in Chapter 3 are all preparations, and they all serve the Binding operation in the end. Currently, Google already supports two-way Binding, but as mentioned above, there is little information available. This article only focuses on one-way Binding, that is, changes in the Model are automatically synchronized to the View.

4.1 Using ObservableField

The currently provided ObservableFields are:

Observable Type Corresponding to the original type
ObservableArrayList ArrayList
ObservableArrayMap ArrayMap
ObservableBoolean boolean
ObservableByte byte
ObservableChar char
ObservableFloat float
ObservableDouble double
ObservableLong long
ObservableInt int
ObservableParcelable<T extends Parcelable> <T extends Parcelable>
ObservableField<T> <T>

This article uses a simple ObservableInt as an example to solve the single-item binding problem of visibility.

  • Modify activity_detail4.xml: define a variable of type ObservableInt with name visibility, and then assign it to android:visibility of ImageView. The example is as follows:
  1. <layout xmlns:android= "http://schemas.android.com/apk/res/android" >
  2. <data>
  3. <variable name = "visibility" type= "android.databinding.ObservableInt" />
  4. </data>
  5. <LinearLayout
  6. android:orientation= "vertical" android:layout_width= "match_parent"  
  7. android:layout_height= "match_parent" >
  8. ... <ImageView
  9. android:visibility= "@{visibility.get()}"  
  10. android:id= "@+id/detail_avatar"  
  11. android:layout_gravity= "center"  
  12. android:layout_marginTop= "-33dp"  
  13. android:layout_width= "66dp"  
  14. android:layout_height= "66dp" />
  15. ... </LinearLayout></layout>
  • To modify DetailActivity4.java, you only need to assign visibility to binding (ActivityDetail4Binding) during onCreate. Subsequent operations on visibility will be updated to the view. The sample code is as follows:
  1. public class DetailActivity4 extends AppCompatActivity {
  2. ActivityDetail4Binding binding;
  3. ObservableInt visibility = new ObservableInt(); @Override
  4. protected void onCreate(@Nullable Bundle savedInstanceState) { super.onCreate(savedInstanceState);
  5. binding = DataBindingUtil.setContentView(this,R.layout.activity_detail4,new MyComponent());
  6. binding.setVisibility(visibility);
  7. login();
  8. } private void login(){ fill( User .newInstance()); } private void logout(){ fill( null ); } private void fill(final User   user ){
  9. visibility.set ( user != null ? View .VISIBLE : View .GONE);
  10. ....
  11. }
  12. ....
  13. }

4.2 Code analysis related to one-way binding in ActivityDetail4Binding

Different from setting pure Model directly to ActivityDetail4Binding, all ObservableFields implement the Observable interface. As long as the Observable interface is implemented, it is a one-way Binding type. Therefore, an extra line of code is added to setVisibility in ActivityDetail4Binding: this.updateRegistration(1, visibility), where 1 is propertyId. Currently, 2 are automatically generated, 0 for adatper and 1 for visibility. The code is as follows:

  1. public class ActivityDetail4Binding extends ViewDataBinding {
  2. ... public void setVisibility(ObservableInt visibility) { this.updateRegistration(1, visibility); this.mVisibility = visibility; synchronized(this) { this.mDirtyFlags |= 2L;
  3. } this.notifyPropertyChanged(3); super.requestRebind();
  4. }
  5. ...
  6. }

The updateRegistration function is a function in ViewDataBinding. It will create corresponding Listeners according to the three types of Observable, ObservableList, and ObservableMap. ObservableInt is Observable, so CREATE_PROPERTY_LISTENER will be used to create a WeakPropertyListener in the registerTo function.

The code is as follows:

  1. public abstract class ViewDataBinding extends BaseObservable {
  2. ... private boolean updateRegistration( int localFieldId, Object observable,
  3. CreateWeakListener listenerCreator) { if (observable == null ) { return unregisterFrom(localFieldId);
  4. }
  5. WeakListener listener = mLocalFieldObservers[localFieldId]; if (listener == null ) {
  6. registerTo(localFieldId, observable, listenerCreator); return   true ;
  7. } if (listener.getTarget() == observable) { return   false ;//nothing to do, same object
  8. }
  9. unregisterFrom(localFieldId);
  10. registerTo(localFieldId, observable, listenerCreator); return   true ;
  11. }
  12. ...
  13. }

There is a setTarget function in mListener of WeakPropertyListener, which registers a listener with mObservable (i.e., the visibility passed in from outside). If the visibility value changes, the listener will be notified and called back to onPropertyChanged of WeakPropertyListener, and then notified to handleFieldChange of binding (ActivityDetail4Binding). The onFieldChange function of ActivityDetail4Binding is called in handleFieldChange. If the return value is true, requestRebind() is called in handleFieldChange to notify View to assign values ​​and update the interface. The relevant code of onFieldChange is as follows:

  1. public abstract class ViewDataBinding extends BaseObservable {
  2. ... private void handleFieldChange( int mLocalFieldId, Object object, int fieldId) { boolean result = onFieldChange(mLocalFieldId, object, fieldId); if (result) {
  3. requestRebind();
  4. }
  5. }
  6. ...
  7. }
  1. public class ActivityDetail4Binding extends ViewDataBinding {
  2. ... protected boolean onFieldChange( int localFieldId, Object object, int fieldId) { switch(localFieldId) { case 0: return this.onChangeAdapter((ModelAdapter)object, fieldId); case 1: return this.onChangeVisibility((ObservableInt)object, fieldId); default : return   false ;
  3. }
  4. }
  5. ...
  6. }

4.3 Observable Objects

Similar to 4.1 ObservableField, you can modify ModelAdapter: add @Bindable annotation to getter method, and add notifyPropertyChanged(com.asha.demo.BR.name) notification to setter method. BR is a class automatically generated based on @Bindalbe. After adding @Bindable annotation to getter method, BR file will automatically generate an integer name. The modified code is as follows:

  1. public class DetailActivity4 extends AppCompatActivity {
  2.  
  3. ActivityDetail4Binding binding;
  4. ObservableInt visibility = new ObservableInt(); public class ModelAdapter extends BaseObservable{ private User   user ; public ModelAdapter( User   user ) { this. user = user ;
  5. }
  6. ... @Bindable
  7. public String getName(){ return   user != null ? user .getName() : null ;
  8. } public void setName(String name ){ if ( user != null ) user .setName( name );
  9. notifyPropertyChanged(com.asha.demo.BR. name );
  10. }
  11. ...
  12. }
  13. ...
  14. }

Then, call the test code in DetailActivity4.java. After execution, the name value on the adapter will be changed after 1 second and synchronized to the View. The test code is as follows:

  1. binding.detailActionButton.postDelayed(new Runnable() { @Override
  2. public void run() {
  3. adapter.setName( "haha" );
  4. }
  5. },1000);

The specific principle is similar to that in 4.1 and will not be described in detail.

5 Setters for View attributes in layout.xml

In the following example, if the detail_name TextView wants to assign adapter.name to its own text attribute, it needs to call the textView.setText(String) method, which is the setter method of the View attribute.

  1. <TextView
  2. android:text= "@{adapter.name}"  
  3. android:id= "@+id/detail_name"  
  4. android:layout_width= "wrap_content"  
  5. android:layout_height= "wrap_content" />

5.1 @BindingAdapter

For the above setter methods, the Data Binding library helps us implement most of the default methods. For specific methods, see the classes under the android.databinding.adapters package. The following figure shows the specific implementation of ViewBindingAdatper.

ViewBindingAdapter

The setter methods are all static methods, the first parameter is the instance of itself, followed by the parameters passed in xml. As long as the @BindingAdapter annotation is added, the compiler will search globally and save it in a temp file, and find the required setter method in the process of generating ActivityDetail4Binding. If you need to customize it, you only need to define @BindingAdapter in any app code, for example:

  1. public class DetailActivity4 extends AppCompatActivity { @BindingAdapter( "android:alpha" ) public   static void globalSetAlpha( View   view , float alpha) {
  2. view .setAlpha(alpha);
  3. }
  4. }

5.2 DataBindingComponent

In many cases, only a certain Binding file (such as ActivityDetail4Binding) needs a custom setter method. In this case, you need to use DataBindingComponent.

  • First, define a MyComponent.
  1. public class MyComponent implements android.databinding.DataBindingComponent { @BindingAdapter( "android:alpha" ) public void setAlpha( View   view , float alpha) {
  2. view .setAlpha(0.5f);
  3. } @Override
  4. public MyComponent getMyComponent() { return new MyComponent();
  5. }
  6. }
  • Next, pass in this DataBindingComponent instance when generating the Binding object. The code is as follows:
  1. @Overrideprotected void onCreate(@Nullable Bundle savedInstanceState) { super.onCreate(savedInstanceState);
  2. binding = DataBindingUtil.setContentView(this,R.layout.activity_detail4,new MyComponent());
  3. ...
  4. }

After completion, all setter functions that assign alpha using android:alpha="@{foo}" within the scope of this ActivityDetail4Binding will use MyComponent#setAlpha.

5.3 @BindingConversion

Sometimes you may encounter type mismatch problems. For example, R.color.white is int, but after assigning it to the android:background attribute through Data Binding, you need to convert the int to ColorDrawable. The implementation is as follows:

  • 1. Define a static function and put it in any class of the project.
  1. @BindingConversionpublic static Drawable convertColorToDrawable( int drawable) { return new ColorDrawable(drawable);
  2. }
  • 2. Use Data Binding in layout.xml, such as:
  1. <Viewandroid:background= "@{adapter.avatar != null ? @color/detail_background : @color/colorAccent }" android:layout_width= "match_parent" android:layout_height= "66dp" >

The corresponding code generated in ActivityDetail4Binding.java is as follows, where AvatarAdapterObjectn1 is of int type:

  1. ViewBindingAdapter.setBackground(this.mboundView1, DetailActivity4.convertColorToDrawable(AvatarAdapterObjectn1));

5.4 @BindingMethod

For example, the android:onClick attribute in layout.xml corresponds to the setOnClickListener method when the setter is actually used in Binding.

  1. @BindingMethod(type = View .class, attribute = "android:onClick" , method = "setOnClickListener" ),

6 Data Binding uses what the compiler does behind the scenes

The jar package related to Data Binding consists of four parts:

  • 1.baseLibrary-2.1.0-rc1.jar

It is packaged into APK as a runtime library;

  • 2.DataBinderPlugin(gradle plugin)

Used during compilation, gradle-api (formerly called transform-api, 1.5, renamed 2.0) is used to process the XML file and generate DataBindingInfo.java;

  • 3.compiler-2.1.0-rc1.jar

When used in the compiler, the entry class inherits from AbstractProcessor, which is used to process annotations and generate Binding classes, DataBindingCompoent.java, and DataBinderMapper.java classes;

  • 4.compilerCommon-2.1.0-rc1.jar

Depends on DataBinderPlugin and compiler-2.1.0-rc1.jar

In order to improve runtime efficiency, Data Binding does a lot of work behind the scenes. The following figure is the compilation process I organized, as shown in the figure:

Data Binding compilation process

6.1 Introduction to related objects

  • The white part is the input, including

1.res/layout;

2. Annotations in source code;

  • The yellow part is the compiler processing class, including

1.aapt is processed during compilation, and the entry class name is MakeCopy.java;

2.gradle-api processing, the entry class name is DataBinderPlugin.java;

3.AbstractProcessor processing, the entry class name is ProcessDataBinding.java;

  • The blue part is the intermediate product, including

1. The data-binding-info folder contains the basic information of the layout, imported variables, expressions in the View tag, the location index of the tag, etc., as shown below: data-binding-info/activity_detail3-layout.xml:

2.setter_store.bin, contains all setter related information;

3. layoutinfo.bin, contains all layout related information;

4.br.bin, contains all BR related information;

The above bin files are serialized to disk in Serializable mode and deserialized when needed;

  • The green part is the final product, including

1. data-binding-layout-out (finally output to res/layout), that is, remove the root node <layout> and the node <data>, which is consistent with the layout when Data Binding is not used, for example, data-binding-layout-out/activity_detail2.xml:

  1. <?xml version= "1.0" encoding= "utf-8" ?>
  2. <LinearLayout
  3. android:orientation= "vertical" android:layout_width= "match_parent"  
  4. android:layout_height= "match_parent" android:tag= "layout/activity_detail2_0" xmlns:android= "http://schemas.android.com/apk/res/android" >
  5. < View  
  6. android:background= "@color/detail_background"  
  7. android:layout_width= "match_parent"  
  8. android:layout_height= "66dp" >
  9. </ View >
  10. ...
  11. </LinearLayout>

2. DataBindingInfo.class, a seemingly empty class, but contains a @BindingBuildInfo annotation in the SOURCE phase, which contains the basic information of basic DataBinding. The code is as follows:

  1. // DataBindingInfo.classpublic class DataBindingInfo { public DataBindingInfo() {
  2. }
  3. }// @BindingBuildInfo@Target({ElementType.TYPE})@Retention(RetentionPolicy.SOURCE) public @interface BindingBuildInfo { String buildId(); String modulePackage(); String sdkRoot(); int minSdk(); String layoutInfoDir(); String exportClassListTo(); boolean isLibrary(); boolean enableDebugLogs() default   false ; boolean printEncodedError() default   false ;
  4. }

3.DataBindingComponent.class will automatically generate the corresponding instantiation method according to the custom DataBindingComponent, for example:

  1. public interface DataBindingComponent { MyComponent getMyComponent();
  2.  
  3. }

4. Subclasses of ViewDataBinding.class (ActivityDetail2Binding.class, etc.)

5.BR.class, Bindable attribute index table, for example:

  1. public class BR { public   static final int _all = 0; public   static final int adapter = 1; public   static final int   name = 2; public   static final int visibility = 3; public BR() {
  2. }
  3. }

6.DataBindingMapper.class, Mapper, is used to find the ViewDataBinding class corresponding to a layout.xml, for example:

  1. class DataBinderMapper { static final int TARGET_MIN_SDK = 16; public DataBinderMapper() {
  2. } public ViewDataBinding getDataBinder(DataBindingComponent bindingComponent, View   view , int layoutId) { switch(layoutId) { case 2130968602: return ActivityDetail2Binding.bind( view , bindingComponent); case 2130968603: return ActivityDetail3Binding.bind( view , bindingComponent);
  3. .... default : return   null ;
  4. }
  5. } ViewDataBinding getDataBinder(DataBindingComponent bindingComponent, View [] views, int layoutId) { return   null ;
  6. } int getLayoutId(String tag) { if(tag == null ) { return 0;
  7. } else { int code = tag.hashCode(); switch(code) { case -600937657: if(tag.equals( "layout/activity_detail2_0" )) { return 2130968602;
  8. } break; case -600936696: if(tag.equals( "layout/activity_detail3_0" )) { return 2130968603;
  9. } break;
  10. .... return 0;
  11. }
  12. } String convertBrIdToString( int id) { return id >= 0 && id < DataBinderMapper.InnerBrLookup.sKeys.length?DataBinderMapper.InnerBrLookup.sKeys[id]: null ;
  13. } private static class InnerBrLookup { static String[] sKeys = new String[]{ "_all" , "adapter" , "name" , "visibility" }; private InnerBrLookup() {
  14. }
  15. }
  16. }

6.2 Related compilation process

  • STEP1 Resource processing

When aapt or gradle is executed, resource processing will be triggered. During the resource processing, DataBinding will scan the existing resources and generate data-binding-layout-out that does not contain <layout> and data-binding-info required by DataBinding;

  • STEP2 DataBindingInfo.class generation

After completing resource processing, aapt or gradle-api will perform the DataBindingInfo.class generation operation and write the relevant information into the @BindingBuildInfo annotation of DataBindingInfo.class;

  • STEP3 Monitor annotation changes

When the @BindingBuildInfo annotation is generated or a new annotation is written in the code, the AbstractProcessor annotation processor starts to perform annotation processing. There is a ProcessDataBinding.java class in DataBinding that is specifically used to process DataBinding related annotations;

  • STEP4 ProcessDataBinding handles annotations and generates bin

Processing annotations in ProcessDataBinding will always be executed in three steps: ProcessMethodAdapter, ProcessExpressions, and ProcessBindable. Each execution will deserialize the corresponding bin file from disk, then write a new one into the bin, and then serialize it to disk after completion;

  • STEP5 Generate the final product

Execute ProcessMethodAdapter to generate DataBindingComponents.class; execute ProcessExpressions to generate ViewDataBinding.class subclass (ActivityDetail2Binding.class), and trigger DataBindingMapper.class update; execute ProcessBindable to generate BR.class, and trigger DataBindingMapper.class update;

7 Details Supplement - Use of View Tag

Chapter 2 talked about how View is injected. In fact, there are two situations:

  • 1. If there is only id in the View tag attribute and no other "@{expression}" form, search directly by id as mentioned in Chapter 2;
  • 2. If the View tag attribute contains a value in the form of "@{expression}", the compiler will automatically add an android:tag="binding_{N}" to the View, where {N} increases in sequence from 0, such as android:tag="binding_0". When ViewDataBinding#mapBindings is executed to inject the View, it will find a View with a tag starting with binding_ and then perform the View injection;

In addition, if the View tag originally has an android:tag value, the compiler will first save the original value information and write android:tag="binding_{N}". After the view injection is completed, the original value is assigned to android:tag. Note that if the original android:tag value is "binding_0", confusion will occur during View injection.

After completing the View injection, ActivityDetail3Binding will execute this.setRootTag(root). The code is as follows:

This is similar to the implementation of ViewHoloder in ListView, so if DataBinding is applied to ViewHolder of ListView, there is no need to generate an extra ViewHolder. You can directly use this ViewDataBinding class, such as ListAdapter implementation:

8 Conclusion

  • The DataBinding library is very small

Currently, Android Data Binding has only 632 methods in the runtime class library. Including the ViewDataBinding subclasses automatically generated by each layout.xml (each class in the demo has no more than 20 methods), the total number of methods is also very limited.

Number of Data Binding Methods

  • DataBinding runs without any extra performance loss

All View injection, View assignment, and Binding of DataBinding are codes automatically generated by the compiler. These repetitive manual labors need to be done, but they are handed over to the compiler to complete, so there is no extra performance loss during runtime.

  • DataBinding can reduce the error rate

Since View injection, View assignment, and Binding are all automatically completed by the compiler, as long as they are used correctly, there is a 100% guarantee of no low-level errors, which can improve code quality and make developers happy.

  • The impact of DataBinding on compile time

It has not yet been actually applied to the production environment, so there will definitely be some extension, but the specific magnitude is still unknown.

<<:  How can back-end developers feel? Salaries of front-end programmers exposed

>>:  The use of OkHttp and simple encapsulation

Recommend

Cao Yu Fitness Training System Baidu Cloud Download

Cao Yu Fitness Training System Resource Introduct...

Southeast Asian cross-border e-commerce platform Shopee Entrepreneurship Course

Southeast Asian cross-border e-commerce platform ...

Kuaishou live broadcast operation experience and the most complete process!

In order to write this article well, I have been ...

5 ways to improve new user retention rate in APP

According to the definition of Baidu Encyclopedia...

Product and user operation method system (I)

As an operator, we constantly optimize the intera...

How can the education and training industry acquire customers at low cost?

What should I do if I want to increase the number...

A thorough explanation of the product logic behind the lucky draw

I just recently completed a lottery project, and ...

Ten hidden tricks of WeChat that most people don’t know

1. Send original image/video It is well known tha...

Kuaishou account operation and promotion manual, worth reading!

1. Official information release channels that mus...

3 issues in ToB product operation!

When I was doing ToB operations before, I treated...

Keep brand marketing promotion model!

In recent years, I have found that vertical Inter...

WeChat has a major update, and the information flow war continues to escalate!

From pictures and texts to live broadcasts , the ...