Skip to content

A reactive cache for Android and Java which honors the Observable chain.

License

Notifications You must be signed in to change notification settings

gird587/ReactiveCache

 
 

Repository files navigation

Build Status Android Arsenal

ReactiveCache

The act of caching data with ReactiveCache is just another transformation in the Observable chain. ReactiveCache's API exposes both Transformer and Observable RxJava types to gracefully merge the caching actions with the data stream.

Features

  • A dual cache based on both memory and disk layers.
  • Automatic deserialization-serialization for custom Types, List, Map and Array.
  • Pagination
  • A lifetime system to expire data on specific time lapses.
  • Data encryption.
  • Customizable disk cache size limit.
  • Migrations to evict data by Type between releases.

SetUp

Add to top level gradle.build file

allprojects {
    repositories {
        maven { url "https://jitpack.io" }
    }
}

Add to app module gradle.build file

dependencies {
    compile 'com.github.VictorAlbertos:ReactiveCache:0.0.6'
    compile 'com.github.VictorAlbertos.Jolyglot:gson:0.0.3'
    compile 'io.reactivex:rxjava:1.2.1'
}

Usage

ReactiveCache

Create a single instace of ReactiveCache for your entire application. The builder offers some additional configurations.

ReactiveCache reactiveCache = new ReactiveCache.Builder()
        .using(application.getFilesDir(), new GsonSpeaker());

evictAll() returns an Observable which evicts the cached data for every provider:

cacheProvider.evictAll()

Provider

Call reactiveCache#provider() to create a Provider to manage cache operations. The builder offers some additional configurations.

Provider<List<Model>> cacheProvider = 
		reactiveCache.<List<Model>>provider()
        .withKey("models");

replace() returns a Transformer which replaces the provider data with the item emitted from the source Observable. If the source Observable throws an exception, calling replace() doesn't evict the provider data.

api.getModels()
	.compose(cacheProvider.replace())

read() returns an Observable which emits the provider data. If there isn't any data available, throws an exception.

cacheProvider.read()

readWithLoader() returns a Transformer which emits the provider data. If there isn't any data available, it subscribes to the source observable to cache and emit its item.

api.getModels()
     .compose(cacheProvider.readWithLoader())

evict() returns an Observable which evicts the provider data:

cacheProvider.evict()

ProviderGroup

Call reactiveCache#providerGroup() to create a ProviderGroup to manage cache operations with pagination support. The builder offers some additional configurations.

ProviderGroup<List<Model>> cacheProvider = 
		reactiveCache.<List<Model>>providerGroup()
        .withKey("modelsPaginated");

ProviderGroup exposes the same methods as Provider but requesting a key as an argument. That way the scope of the provider data in every operation is constrained to the data associated with the key.

api.getModels(group)
	.compose(cacheProvider.replace(group))

cacheProvider.read(group)

api.getModels(group)
     .compose(cacheProvider.readWithLoader())	
     
cacheProvider.evict(group)     

evict() is an overloaded method to evict the provider data for the entire collection of groups.

cacheProvider.evict()

Use cases

Next examples illustrate how to use ReactiveCache on the data layer for client Android applications. They follow the well-known repository pattern in order to deal with data coming from a remote repository (server) and a local one (ReactiveCache).

Simple user session.

class UserRepository {
    private final Provider<User> cacheProvider;
    private final ApiUser api;

    UserRepository(ApiUser api, ReactiveCache reactiveCache) {
      this.api = api;
      this.cacheProvider = reactiveCache.<User>provider()
          .withKey("user");
    }

    Observable<User> login(String email) {
      return api.loginUser(email)
          .compose(cacheProvider.replace());
    }

    Observable<Boolean> isLogged() {
      return cacheProvider.readNullable()
          .map(user -> user != null);
    }

    Observable<User> profile() {
      return cacheProvider.read();
    }

    Observable<User> updateUserName(String name) {
      return cacheProvider.read()
          .doOnNext(user -> user.setName(name))
          .compose(cacheProvider.replace());
    }

    Observable<Void> logout() {
      return api.logout()
          .flatMap(ignore -> cacheProvider.evict());
    }
  }

Adding and removing tasks.

  class TasksRepository {
    private final Provider<List<Task>> cacheProvider;
    private final ApiTasks api;

    TasksRepository(ApiTasks api, ReactiveCache reactiveCache) {
      this.api = api;
      this.cacheProvider = reactiveCache.<List<Task>>provider()
          .withKey("tasks");
    }

    Observable<List<Task>> tasks(boolean pullToRefresh) {
      return pullToRefresh ? api.tasks().compose(cacheProvider.replace())
          : api.tasks().compose(cacheProvider.readWithLoader());
    }

    Observable<Void> addTask(String name, String desc) {
      return api.addTask(name, desc)
          .flatMap(newTask ->
              cacheProvider.read()
                  .doOnNext(tasks -> tasks.add(newTask)))
          .compose(cacheProvider.replace())
          .map(ignore -> null);
    }

    Observable<Void> removeTask(int id) {
      return api.removeTask(id)
          .flatMap(ignore -> cacheProvider.read())
          .flatMapIterable(tasks -> tasks)
          .filter(task -> task.getId() != id)
          .toList()
          .compose(cacheProvider.replace())
          .map(ignore -> null);
    }
  }

Paginated feed of events.

  class EventsRepository {
    private final ProviderGroup<List<Event>> cacheProvider;
    private final ApiEvents apiEvents;

    EventsRepository(ApiEvents apiEvents, ReactiveCache reactiveCache) {
      this.apiEvents = apiEvents;
      this.cacheProvider = reactiveCache.<List<Event>>providerGroup()
          .withKey("events");
    }

    Observable<List<Event>> events(boolean pullToRefresh, int page) {
      if (pullToRefresh) {
        return apiEvents.events(page)
            .flatMap(events -> cacheProvider.evict()
                 .map(ignore -> events))
            .compose(cacheProvider.replace(page));
      }

      return apiEvents.events(page)
          .compose(cacheProvider.readWithLoader(page));
    }
  }

Configuration

ReactiveCache

When building ReactiveCache the next global configurations are available thought the builder:

  • diskCacheSize(int) sets the max memory in megabytes for all the cached data on disk. Default value is 100.

  • encrypt(String) sets the key to be used for encrypting the data on those providers as such configured.

  • useExpiredDataWhenNoLoaderAvailable() if invoked, ReactiveCache dispatches records already expired instead of throwing.

  • migrations(List<MigrationCache>) every MigrationCache expects a version number and a Class[] to check what cached data matches with these classes to evict it from disk. Use MigrationCache for those Type which have added new fields between app releases.

ReactiveCache reactiveCache = new ReactiveCache.Builder()
        .diskCacheSize(100)
        .encrypt("myStrongKey1234")
        .useExpiredDataWhenNoLoaderAvailable()
        .migrations(Arrays.asList(
            new MigrationCache(1, new Class[] {Model.class}),
            new MigrationCache(1, new Class[] {Model1.class})))
        .using(application.getFilesDir(), new GsonSpeaker());

Provider and ProviderGroup

When building both Provider and ProviderGroup the next configurations are available thought the builder:

  • encrypt(boolean) when true, the data cached by this provider is encrypted using the key specified in ReactiveCache#encript(key). Default value is false.

  • expirable(boolean) when false, the data cached by this provider is not eligible to be expired if not enough space remains on disk. Default value is true.

  • lifeCache(long, TimeUnit) sets the amount of time before the data would be expired. By default the data has no life time.

 Provider<Model> cacheModel = reactiveCache.<Model>provider()
          .encrypt(true)
          .expirable(false)
          .lifeCache(60, TimeUnit.MINUTES)
          .withKey("model");

Author

Víctor Albertos

Another author's libraries using RxJava:

  • Mockery: Android and Java library for mocking and testing networking layers with built-in support for Retrofit.
  • RxCache: Reactive caching library for Android and Java. (ReactiveCache uses internally the core from RxCache).
  • RxActivityResult: A reactive-tiny-badass-vindictive library to break with the OnActivityResult implementation as it breaks the observables chain.
  • RxFcm: RxJava extension for Android Firebase Cloud Messaging (aka fcm).
  • RxSocialConnect: OAuth RxJava extension for Android.

About

A reactive cache for Android and Java which honors the Observable chain.

Resources

License

Stars

Watchers

Forks

Packages

No packages published

Languages

  • Java 100.0%