Android Discovery App

knowledge-base-white-paper
Published
September 26, 2014
Category

Guides

Preview Your Content on Android, Before Writing Any Code

Today, we are rolling out a new app to the Google Play store, the Discovery app for Android.

The app makes use of our recently announced Java SDK in order to get content delivered from Contentful to your device.

The Discovery app aims to provide an easy way to navigate through any type of content stored at Contentful, while offering several ways to visualize it on a real Android device.

This blog post will go into detail about some of the tools we are using with the Discovery app, and also present solutions to a few issues we have dealt with during the development phase.

The app is available on Google Play and is released as open source under the MIT license. Code is on GitHub.

Dealing with callbacks

In the Discovery app, we made use of the CallbackSet class. It is a simple thread-safe container for CDACallback instances.

By calling the add(T callback) method, a callback reference is attached to the set, and the return type is inferred for convenience by using Java generics. All callbacks in a set can be cancelled with a single call to the cancelAndClear() method.

If you would like to cancel specific callbacks, consider using the add(String tag, T callback) method which makes it possible to tag callbacks, and later cancel them using the cancel(String tag) method.

This is particularly useful when invoking requests from within the context of an Activity or a Fragment, where callbacks should be cancelled according to specific lifecycle events.

Loaders

The Discovery app makes heavy use of Loaders, mainly to fetch remote data via network calls, but also to perform other asynchronous operations. A Loader can be used to load data asynchronously from the context of either an Activity or a Fragment.

In many cases Loaders can serve the same purpose of an AsyncTask, but far more efficiently. The biggest advantage with Loaders is the fact they can cache results between configuration changes, and return these cached results when asked for.

Consider the following scenario:

  • Activity onCreate() is called

  • Loader is initialized by calling initLoader()

  • Loader does some work in loadInBackground() method

  • Loader delivers the result via onLoadFinished() callback

  • User rotates the screen

  • Activity onDestroy() is called, followed by onCreate()

  • Loader is initialized again by calling initLoader()

In this case, the Loader will not go through the trouble of loadInBackground() again, and should deliver the previously cached result. Unless of course the contents of it's data source have changed, and depending on your implementation of the Loader class.

So what happens when you call initLoader() ? to quote the official documentation for this method:

"Call to initialize a particular ID with a Loader. If this ID already has a Loader associated with it, it is left unchanged and any previous callbacks replaced with the newly provided ones. If there is not currently a Loader for the ID, a new one is created and started.

This function should generally be used when a component is initializing, to ensure that a Loader it relies on is created. This allows it to re-use an existing Loader's data if there already is one, so that for example when an Activity is re-created after a configuration change it does not need to re-create its loaders."

What this means is that when you call initLoader() you provide an ID, which should be unique between controllers (Activity or Fragment components). In the same call you also provide a set of callbacks. Then, there are two possible scenarios:

In this case a new Loader instance will be created and then started. The results will be delivered to the onLoadFinished() callback once the Loader has completed it's work.

In this case the same Loader instance will be used, and only the callback set will be replaced. This also tells LoaderManager to deliver the most recent data to onLoadFinished() immediately in case such data exists.

Butter Knife

Butter Knife is a view injection library which uses annotation processing to inject code at compile-time. It eliminates the use of findViewById() calls, along with the need to cast the result to whatever view type you are referring. It also allows you to attach listeners to your views by annotating methods and without the use of anonymous inner-classes.

Creating fields that represent your views in your layout hierarchy is a trivial task now, all you have to do is annotate these fields with an @InjectView() annotation, specifying the resource ID you are after. You can also annotate methods to turn them into view listeners, i.e. @OnClick(), @OnItemSelected() and other listeners which the library supports.

The cool thing about Butter Knife is the way it works under the hood. It registers an annotation processor that will be invoked at compile-time, this processor can investigate the code and examine spots where specific custom annotations are used. Once such annotations are located, it injects code dynamically which will be available at runtime, essentially hardcoding the findViewById(), setOnClickListener(), and other calls into an encapsulated Java file that will be bundled up with your classes. Once you call ButterKnife.inject() at runtime, it simply executes that code.

Consider the following example:

This actually results with the following Java code being generated to a file named ButterKnifeActivity$$ViewInjector.java:

So without going into too much detail, when we call ButterKnife.inject(this) from our Activity, it actually tracks down the proper ViewInjector class and invokes it's static inject() method. Eventually resulting in the desired view references being injected directly to our class. It also sets any view listeners you might have registered.

You can also inject multiple listeners at once:

If you still have to call findViewById() manually, consider using one of the ButterKnife.findById() methods, which actually infers the target type and by that eliminates the need to cast the result.

To sum it up, Butter Knife is a really powerful tool. By using it you get to write less code for repeated tasks known to any Android developer, thus resulting in a shorter development time and much more maintainable code. And while it is possible to implement this type of feature with a library that actually inspects your code at runtime and looks for these annotations, eventually achieving the same result, it would be far less efficient and have a serious impact on performance. Since as you probably know, reflection is expensive. Butter Knife does all of this heavy lifting at compile-time, allowing it to actually make your fields reference the desired views with minimum effort.

Picasso

Picasso is an image downloading and caching library for Android. It allows you to fetch, transform, cache and display images from various sources. Whether those are remote images served via HTTP, from a Content Provider, from your resources folder, assets folder or even from somewhere in the Android filesystem, Picasso can take care of the job.

While there are a few alternatives to Picasso out there (Volley, Universal Image Loader, and others) - Picasso has a really powerful API. It has multiple cache levels (disk + memory), and uses LRU by default. Once you make a request for an image, it first checks the memory cache (on the main thread!) and if that image is available it immediately sets it on your ImageView. If the image is not available, it delegates work to one of it's "hunters" to fetch these images from the context of a background thread. An important thing to know about Picasso is that it doesn't take care of disk caching by itself, it relies on the HTTP client to do that. The default client that ships with ICS+ has built in disk caching support, but if you are supporting lower API levels, consider using a replacement such as OkHttp.

You can easily resize images, either to specific dimensions or to actually fit the target view's dimensions (and if that view has not been measured yet, Picasso will wait for that to happen).

A notable feature of Picasso is the fact it automatically detects re-using of views by an Adapter, and cancels any pending downloads in case the view is being recycled.

Another powerful feature of it's API is the ability to apply custom transformations to Bitmap objects. If a custom transformation is requested, and once all built-in transformations are applied (i.e. resize, rotate, ...), this transformation will be invoked from the context of a worker thread, allowing you to create and return a new transformed Bitmap. A good example of this is presented in the Coffee guide app which we have released a while ago. We wanted to transform remote images into circular ones and display them.

Coffee Guide List Item

We create a custom transformation with the CircleTransform class:

Then, in order to apply this transformation to an image, all you have to do is specify it with the RequestCreator object you are invoking with Picasso, for example:

Picasso offers a lot of other useful features which are not covered in this blog post, so if you are not familiar with them already, be sure to check those out.

Conclusion

There are many great open-source libraries out there, libraries that can simplify challenging tasks in every developer's workflow. Hopefully this blog post reveals something new to you, and if you have any feedback, we would love to hear it. Stay tuned to our blog, more coming soon!

Happy coding q:)

About the author

Don't miss the latest

Get updates in your inbox
Discover new insights from the Contentful developer community each month.
add-circle arrow-right remove style-two-pin-marker subtract-circle remove