Introduction
Android Binding is a new Open Source Framework for Android-Java providing XML layout view binding mechanism. It helps development of Android Application by decoupling the View widgets and backend Activities. It works best with MVP
or MVVM patterns.
Please also download fromMarket(Search "Markup Demo") the demo on most features
of Android Binding.
A more fundamental, getting started toAndroid
MVVM with android-binding tutorial seriesis up in my own blog.
UPDATE: v0.2 is released. Please visit the project homepage for details as it may not be compatible with previous versions.
Critical Changes (as of 30/1/2010)
If this is the first time you read this article, you may skip this section.
Version 0.11 of Android binding is released with this sample application. As the project evolves, a number of critical (yet would results breaking original codes) changes were made. Upon the release of 0.11, I suppose those changes
should be final.
Thefirst time I wrote this article, Android Binding doesn't support binding to object collections, but now, it can bind to Cursor or Array, each 'row' of the records are treated as a View Model, which meansCommand
andDependentObservables
are
all functional, which would be covered later in this article.
The sample application is rewritten, as the Contacts list no longer binds to the raw Adapter but via a more declarative way. Action related binding renamed to have a 'on-' prefix, for example, click -> onClick to make it more distinctive.
Observable<T>
now requires passing the class ofT
as
parameter: e.g.
Observable<Boolean>(Boolean.class, true);
Since this makes writing such code too verbose, some shorthand primitive observables are provided.
Sample Application
The following will briefly introduce how it is used. Where the sample application codes used here are obtainable at:
and the compiled application is available at Android Market (Search "Android Binding" in Market).
This sample isa modification based on Google's originalContact Manager Sample, the purpose of
it is to show the differences in view binding and the benefits of using Android Binding.
Basic Configuration
To use Android Binding, all you need to do is to reference the library (in Eclipse, right click project -> Properties -> Android, reference the Android Binding Project as library). And then, inApplication
class:
public class ContactManagerApplication extends Application {
@Override
public void onCreate() {
super.onCreate();
Binder.init(this);
}
}
TheBinder.init(Application)
is required to run once and only once, across the application life cycle. During theinit()
process,
it is time for Android Binding to register and initialize the markup and binding providers, which can support custom view classes.
Activity
Activity is no longer required to be View-awared, even the view model doesn't. Android Binding is best supported for View Model First development in MVVM. So, no more presentation / user interaction logic inActivity
and
results in a cleanActivity
class:
public final class ContactManager extends Activity
{
@Override
public void onCreate(Bundle savedInstanceState)
{
super.onCreate(savedInstanceState);
ContactManagerModel model = new ContactManagerModel(this);
Binder.setAndBindContentView(this, R.layout.contact_manager, model);
}
}
You provide theModel
(orViewModel
to
be precise) to binder, and it automatically wires up theview
with theViewModel
.
This is how we markup thecontact_manager.xml:
Layout
="1.0" ="utf-8"
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:binding="http://www.gueei.com/android-binding/"
android:orientation="vertical"
android:layout_width="fill_parent"
android:layout_height="fill_parent">
<ListView android:layout_width="fill_parent"
android:layout_height="wrap_content"
binding:itemSource="ContactList"
binding:itemTemplate="@layout/contact_entry"
android:layout_weight="1"/>
<CheckBox android:layout_width="wrap_content"
android:layout_height="wrap_content"
binding:checked="ShowInvisible"
binding:onCheckedChange="PopulateList"
android:text="@string/showInvisible"/>
<Button android:layout_width="fill_parent"
android:layout_height="wrap_content"
binding:onClick="AddContact"
android:text="@string/addContactButtonLabel"/>
</LinearLayout>
Layout looks pretty much the same as standard Android Layout, except that an extrabinding
namespace is imported.There's
an issue with AAPT, that the binding namespace needed to reference to the "demo" project instead of the library. (Hope it can be solved in the coming future).The binding namespace should point tohttp://www.gueei.com/android-binding/.
As shown in the above layout file, the markup is done through the custom namespace (prefixed binding), and the attribute is pretty much reflecting to most originalView
attributes.
There are currently two kinds of bindable objects in a view. First is theProperty
(likechecked
inCheckBox
)
and the second isCommand
(checkedChange
inCheckbox
),
where both of them will be explained in thelater part of this article.
Also note that for theListView
, it is binding toitemSource
which
will be either someCursor
orArray
of View
Models (and we will cover that later) and theitemTemplate
is a standard Android Resource reference format, that tells what the layout ofeachitem
should look like.
Following is thecontact_entry.xml:
="1.0" ="utf-8"
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:binding="http://www.gueei.com/android-binding/"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
binding:onClick="ShowContact"
>
<TextView android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:textSize="20dip"
binding:text="Name"
/>
</LinearLayout>
It is still fairly standard layout XML file with customized binding namespace. Notice that the layout root (i.e. theLinearLayout
)
defined an actiononClick
.
ViewModel
TheViewModel
is something that bridges theView
andModel
(it
will be the contact provider in this example). TheViewModel
in Android Binding is a class defining all the 'bindable' data/command Fields for theView
to
access. Following shows a portion of theViewModel
:
public class ContactManagerModel {
private Activity mContext;
public CursorSource<ContactRowModel> ContactList =
new CursorSource<ContactRowModel>
(ContactRowModel.class, new Factory());
public BooleanObservable ShowInvisible = new BooleanObservable(false);
public Command PopulateList = new Command(){
public void Invoke(View view, Object... args) {
populateContactList();
}
};
public Command AddContact = new Command(){
public void Invoke(View view, Object... args) {
launchContactAdder();
}
};
private void populateContactList() {
Cursor cursor = getContacts();
ContactList.setCursor(cursor);
}
BooleanObservable
is representing an object that is 'observable' by other objects, so, whatever changes are made on this object
will keep its observers notified. There are quite someObservables
defined in Android Binding, likeStringObservable
,IntegerObservable
,
... all of them are subclasses ofIObservable<T>
which implement thefollowing methods:
set()
get()
notifyChanged()
Theget()
andset()
are
a replacement for getter and setter methods in Java, which will, by default, notify the subscribers about the change on the object automatically (where this is a borrowed concept from .NET).
Command
is the interface that defines something that is "Executable". Normally they will be wired withEvent
fired
from User Interface.
Finally, since our contact source is a cursor, we need to supply theCursorSource<?>
to indicate how ourCursor
is
used.
Binding to Cursor
In Android Binding, each row of record in theCursor
, is supposed to be a View Model. That means, you are applying the same layout
each with a separate set of data. One of the most powerful features in Android Binding, is that it allows you to define Commands and more complicated logic even in the sub-view models. As mentioned before, you cannot just supply aCursor
asitemSource
forAdapterViews
(includingListView
,Spinners
...),
but it must be either anArraySource
orCursorSource
.
CursorSource
takes two constructor parameters:
public CursorSource<ContactRowModel> ContactList =
new CursorSource<ContactRowModel>
(ContactRowModel.class, new Factory());
First one is the class of the sub-viewmodel that representing each 'row' of cursor data (so it is namedrowModel
), the other
one is a factory that actually knows how to 'construct' the row. Let's look at them one by one.
public class ContactRowModel extends CursorRowModel {
public IdField Id = new IdField(0);
public StringField Name = new StringField(1);
public Command ShowContact = new Command(){
TheRowModel
is pretty much standard View Model, except it requires to extend fromCursorRowModel
.
TheIdField
,StringField
are simplyObservables
but
their value will be filled up automatically using theCursor
; the number within the bracket tells which column you are mapping that field to.
Model Validation
Model validation (to be precise, validating the View Model) is also supported, this is also demonstrated in this sample application but you may read my otherarticlefor
details.
Furthermore
Observable
is quite restricted at the moment, as it requires the View Attribute and the Property of Model to be the same in type.
That means, if you bind thechecked
(which is boolean) attribute with anObservable<Integer>
,
it won't work, since implicit type casting is not allowed. Therefore, another two subclasses ofObservable
are provided:
DependentObservable<?>
This denotes that anobservables
' value is dependent on otherObservables
.
For example, we can rewrite the aboveViewModel
to add anSelectedContact:
DependentObservable<Contact> SelectedContact = new
DependentObservable<Contact>(Contact.class, SelectedId){
@Override
public Contact calculateValue(Object... args){
getContactFromDb((Integer)args[0]);
}
};
DependentObservable
requires only one override method, thecalculateValue
.
SinceDependentObservable
can depends on multiple dependents, the parameters length incalculateValue
is
open, and explicit typecast is required. The above example is similar to a one-way converter, that converts theId
to a real contact.
There's actually aConverter
class in Android Binding, and the only difference withDependentObservable
is
thatConverter
can allow two-way binding:
Converter<?>
public abstract void ConvertBack(T value, Object[] outResult);
Indeed,Converter
is a subclass ofDependentObservable
.
It depends on a list of otherobservables
, it can convert a booleantrue
to
number1
, and when the convert back when other changes the convert's value.
Progress and Plans
An Alpha version of the project is released. You can go to the project homepage to download it.
Future plan is to add support to more POJO (Plain Old Java Object) way of View Model declaration.
You are free to download the code from the Google Code project repository, reports and issues. Please drop in the discussion group:http://groups.google.com/group/androidbinding.
Conclusion
This article briefly introduces the functionality of the Android Binding. If you compare it to the original Contact Manager Sample, you will find that using Android Binding w/MVVM results in much cleaner code and thus, more friendly
to Unit testing and better code quality. Active development is in progress and this is my first OSS. I really look forward to comments and suggestions on this framework.
Author Blog and Project Details
相关推荐
41. An Overview of Android Jetpack Data binding 43. Working with Android Lifecycle-Aware Components 44. An Android JetpackLifecycle Awareness Tutorial 45. An Overview of the Navigation Architecture ...
Use Android’s new Data Binding API to write less code and improve performance Table of Contents Chapter 1 Relational Databases Chapter 2 An Introduction to SQL Chapter 3 An Introduction to SQLite ...
2. 第2章“Introduction to Mono for Android”开始讲解Mono for Android工具包的基础知识,为读者揭示如何使用这个工具包来开发Android应用。 3. 第3章“Understanding Android/Mono for Android Applications”对...
Chapters are also included covering the Android Architecture Components including view models, lifecycle management, Room databases, app navigation, live data and data binding. More advanced topics ...
`Introduction-master`这个文件名可能是项目源码的主分支或版本,表明这是`Introduction`引导页库的源码仓库,开发者可以通过查看和学习这个源码,理解上述知识点的具体实现,为自己的项目添加类似功能。在实际项目...