RxJava architecture library for Android

Related tags

Demo reark
Overview

Reference Architecture for Android using RxJava

Build Status

This is an ambitious reference project of what can be done with RxJava to create an app based on streams of data.

High-level architecture

In the repository you will find several library-like solutions that might or might not be reusable. Parts of the architecture are, however, already used in real applications, and as the parts mature they are likely to be extracted into separate libraries. If you follow the general guidelines illustrated here, your application should be in a position to have portions of it easily replaced as more or less official solutions emerge. The architecture is designed to support large-scale applications with remote processes, such as those used in widgets.

The project uses the open GitHub repositories API. You might hit a rate limit if you use the API extensively.

Including in an Android Project

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

dependencies {
    implementation 'com.github.reark:reark:0.3'
}

Alternatively, you may consider including Reark as a Git submodule.

Application Structure

To use the app start writing a search in the text box of at least 3 characters. This will trigger a network request and the five first results of which will be shown as a list. The input also throttled in a way that makes it trigger when the user stops typing. This is a very good basic example of Rx streams.

.filter((string) -> string.length() > 2) .debounce(500, TimeUnit.MILLISECONDS)

The Basic Data Flow

As seen above, the user input is turned into a series of strings in the View layer, which the View Model then processes.

When we are ready to execute the actual search, an Intent is broadcast and the NetworkService handles it, starting a network request in its own remote process. Once the network request is finished, NetworkService inserts the fetched data into the ContentProviders of GitHubRepositorySearchStore and GitHubRepositoryStore. All of the interested processes are notified through the onChange mechanism of ContentProviders.

The search store contains only the ids of the results of the query, while the actual repository POJOs are written in the repository store. A repository POJO can thus be contained in multiple searches, which can often be the case if the first match stays the same, for instance.

This structure nevertheless enables us to keep the data consistent across the application—even if the same data object is updated from multiple APIs.

Tests

You can run the test(s) on command line in the project folder:

./gradlew test

Currently the tests are not extensive, but we are working on it. The View Models in particular will be fully unit tested.

View Models

This architecture makes use of View Models, which are not commonly used in Android applications.

View Model (VM) encapsulates the state of a view and the logic related to it into a separate class. This class is independent of the UI platform and can be used as the “engine” for several different fragments. The view is a dumb rendering component that displays the state as constructed in the VM.

Possible values that the view model can expose:

  • Background color
  • Page title text resource id
  • Selected tab index
  • Animation state of a sliding menu

The same VM can be used with entirely different views—for instance one on tablet and another one on mobile. The VM is also relatively easy to unit test and immune to changes in the platform.

An Android Approach to View Models

For our purposes let us treat fragments as the entry point to the view layer. The view layer is an abstraction and is not to be confused with the Android View class, the descendants of which will still be used for displaying the data once the Fragment has received the latest values from the VM. The point is our fragments will not contain any program logic.

The goal is to take all data retrieval and data processing away from the fragments and encapsulate it into a nice and clean View Model. This VM can then be unit tested and re-used where ever applicable.

In this example project we use RxJava to establish the necessary observable/observer patterns to connect the view model to the view, but an alternative solution could be used as well.

The View Model Life Cycle

View Model has two important responsibilities:

  • Retrieve data from a data source
  • Expose the data as simple values to the view layer (fragments)

The suggested VM life cycle is much like that of fragment, and not by coincidence.

View Model life cycle

The data layer offers a permanent subscription to a data source, and it pushes a new item whenever new data arrives. This connection should be established in onViewCreated and released in onViewDestroyed. More details of a good data layer architecture will follow in another article.

It is a good idea to separate the data subscription and the data retrieval. You first passively subscribe to a data stream, and then you use another method to start the retrieval of new items for that particular stream (most commonly via http). This way, if desired, you are able to refresh the data multiple times without needing to break the subscription—or in some cases not to refresh it at all but use the latest cached value.

Exposing View Model Properties

Strictly speaking there are two kinds of properties

  • Actual properties, such as boolean flags
  • Events

In RxJava the actual properties would typically be stored as BehaviorSubjects and exposed as Observables. This way whoever subscribes to the property will immediately receive the latest value and update the UI, even if the value had been updated while paused.

In the second case, where the property is used for events, you might want to opt for a simple PublishSubject that has no “memory”. When onResume is called the UI would not receive any events that occurred while paused.

Threading and Testing View Models

While it is possible to use TestSchedulers, I believe it is best to keep the VMs simple and not to include threading in them. If there is a risk some of the inputs to the VM come from different threads you can use thread-safe types or declare fields as volatile.

The safest way to ensure the main thread is to use .observeOn(AndroidSchedulers.mainThread()) when the fragment subscribes to the VM properties. This makes the subscription to always trigger asynchronously, but usually it is more of a benefit than a disadvantage.

Data Layer

The application specific Data Layer is responsible for fetching and storing data. A fetch operation updates the centrally stored values in ContentProviders and everyone who is interested will get the update.

For a stream of data we use the DataStreamNotification, which differs slightly from the typical RxJava Notification.

  • The observable never completes: there could always be new data
  • Errors in fetching the data do not break the subscription: once the problem is resolved the data starts to flow again
  • FetchStart event is sent when a network operation is start and it can be used to display loading state in the UI

Currently only the GitHubRepositorySearch supports DataStreamNotifications, though it is not difficult to add to any data type.

Consuming Data in the View

When data comes in we render it in the view, simple as that. It does not actually matter what triggered the update of the data—it could be a background sync, user pressing a button or a change in another part of the UI. The data can arrive at any given time and any number of times.

Store

Store is a container that allows subscribing to data of a particular type and identification. Whenever data requested becomes available, a new immutable value is pushed as onNext to all subscribers. The Store does not concern itself with where the data comes from.

Conceptually the concrete backing of a Store can be a static in-memory hash, plain SQLite or a ContentProvider. In case the same data is to be used from multiple processes there needs to be a mechanism that detects changes in the persisted data and propagates them to all subscribers. Android ContentProviders, of course, do this automatically, making them the perfect candidates.

In this example project the Stores are backed by SQLite ContentProviders, which serializes the values as JSON strings with an id column for queries. This could be optimized by adding columns for all fields of the POJO, but on the other hand it adds boilerplate code that has to be maintained. In case of performance problems the implementation can be changed without affecting the rest of the application.

For caching purposes it is usually good to include timestamps into the structure of the Store. Determining when to update the data is not conceptually not a concern of the Store, though, it simply holds the data. Cache-expiry of the data is still on the list of things-to-do in this reference project.

Fetcher

The responsibilities of the Fetcher are:

  • Send and process the network requests
  • Populate Stores with the received values
  • Update the NetworkRequestState of fetch operations
  • Filter duplicate ongoing requests

The Fetchers run exclusively in the NetworkService, making them hidden from the rest of the application. NetworkService has its own ServiceDataLayer that allows it to trigger fetch operations.

License

The MIT License

Copyright (c) 2013-2017 reark project contributors

https://github.com/reark/reark/graphs/contributors

Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
Comments
  • Data notifications should not start with stale status

    Data notifications should not start with stale status

    This should fix issue where new requests will start with old request status if the same resource was requester earlier. Idea behind the change is to register all requests with an id, and filter the data stream notifications so that only matching ids are let through.

    Additionally the request status store should be cleared at startup to avoid issues caused by duplicate ids across application restarts, but that is pending the delete PR #155.

    pending review 
    opened by apoi 11
  • Alternative for ContentProvider

    Alternative for ContentProvider

    You prepared a great example project. But I have one issue. Can we use alternative ways to observe data changes instead of ContentProvider. For example SQLBrite, or simple SQL query?

    opened by rafaelekol 11
  • Feature request/Implementation guideline to fetch a list from SingleItemContentProviderStore

    Feature request/Implementation guideline to fetch a list from SingleItemContentProviderStore

    I am trying to use this pattern for a sample app. I need to implement an API which returns a list of objects.Where I am stuck is how to leverage the SingleItemContentProviderStore in that case.Because this works based on an id identifier.Any ideas?

    EDIT : I can use getStream() , however this too would return individual item observables,however this still wont work well with a ListView,RecyclerView

    opened by notsatyarth 9
  • Fix javadoc generation errors by including dependencies

    Fix javadoc generation errors by including dependencies

    First build after cleaning currently results in 100 errors, which all come from javadoc generation. Javadoc is apparently a required for Maven artifacts. This change fixes most errors by adding missing dependencies to javadoc classpath.

    opened by apoi 7
  • add method getStream for StoreGetInterface

    add method getStream for StoreGetInterface

    If you created method "login", use "final Observable networkRequestStatusObservable = networkRequestStatusStore .getOnceAndStream(GitHubRepositorySearchFetcher.getUniqueId(searchString).hashCode()) .filter(NetworkRequestStatus::isSome);"

    Method "getOnceAndStream" return 200 with latest request. It is wrong. I think that " networkRequestStatusStore.getOnceAndStream" must replace for "networkRequestStatusStore.getStream"

    opened by ulx 5
  • Implement named fetchers

    Implement named fetchers

    By default the used fetcher is chosen by content URI. We may however want to choose a specific fetcher in case of multiple fetchers implementing the same content URI. This patch adds fetcher identifiers that can be used to request a specific fetcher.

    opened by apoi 5
  • Add a method for subscribing only when not subscribed yet

    Add a method for subscribing only when not subscribed yet

    By default ViewModel's subscribe() unsubscribes any existing subscription before re-subscribing. Add a method for skipping this in case we're happy with the existing subscription.

    opened by apoi 5
  • Replaced Map of Subjects with a single subject

    Replaced Map of Subjects with a single subject

    Map of subjects had an issue with a race condition. Additionally already created subjects were never cleaned. Replacing them with a single subject ensures that when a subscriber finishes the subscrition is being disposed. Keeping all the logic handling in a single monad makes sure that all race conditions are handeled properly.

    enhancement 
    opened by jaggernod 4
  • Handling Activity switch

    Handling Activity switch

    Can you please explain how you would handle switsches between Activities (or Fragments) in this approach? Which component would be responsible to start a new Activity after a Buttonclick in the view? Thanks & greetings

    opened by misrakli 4
  • Default groupOperations() from ContentProviderStoreCoreBase doesn't buffer last emitted item

    Default groupOperations() from ContentProviderStoreCoreBase doesn't buffer last emitted item

    Default groupOperations() from io.reark.reark.data.stores.cores.ContentProviderStoreCoreBase doesn't buffer last emitted item if groupMaxSize == total number of items emitted by source observable so far stackoverflow

    By the way are these changes reasonable to avoid possible multi-threading problems?

    @NonNull
    private final Subject<CoreValue<U>, CoreValue<U>> operationSubject =
            PublishSubject.<CoreValue<U>>create().toSerialized();
    
    private AtomicInteger nextOperationIndex = new AtomicInteger(0);
    
    completionNotifiers.put(index, PublishSubject.<Boolean>create().toSerialized());
    
    
    opened by bifri 2
  • Add store/core methods for emitting all values

    Add store/core methods for emitting all values

    I didn't implement getOnceAndStream() without id that would emit all items initially and continued with all future items since I'm not sure if such a method makes sense. It wouldn't be able to emit list of items the same way as getOnce() does (as the future items will arrive one-by-one), and emitting all initial items individually would make it impossible to differentiate between the initial emit and future emits.

    pending review 
    opened by apoi 2
  • ContentProviderStoreCoreBase.applyOperations() flatMap issue

    ContentProviderStoreCoreBase.applyOperations() flatMap issue

    https://github.com/reark/reark/blob/71d6319a3bb3fba680d4818ca5e43f32a195fbfe/reark/src/main/java/io/reark/reark/data/stores/cores/ContentProviderStoreCoreBase.java#L141

        private Observable<CoreOperationResult> applyOperations(@NonNull final List<CoreOperation> operations) {
            return Observable.fromCallable(() -> {
                        ArrayList<ContentProviderOperation> contentOperations = contentOperations(operations);
                        return contentResolver.applyBatch(getAuthority(), contentOperations);
                    })
                    .doOnNext(result -> Log.v(TAG, String.format("Applied %s operations", result.length)))
                    .flatMap(Observable::fromArray)
                    .zipWith(operations, CoreOperationResult::new);
        }
    

    As I understand this code, it tries to zip the input (operations) with the results of applyBatch(): then flatMap() must not be used, because it does not guarantee the order, right?

    opened by tmtron 0
  • Add possibility to use hashed URI in the network request store

    Add possibility to use hashed URI in the network request store

    For instance, for security reasons we might not want to store the full URI in the network request store. Suggested change is to provide a possibility to use a hash function for all URIs stored in the store. This would also make it possible to change the hash based on possible POST parameters.

    enhancement 
    opened by tehmou 0
Releases(0.3)
Owner
Reark
Organisation focused on FRP software systems
Reark
Movie discovery app showcasing MVP, RxJava, Dagger 2 and Clean Architecture

MovieGuide ?? Refactoring in progress ??‍♀️ ⛏ ?? ??️ ?? ?? ?? Comments and new issues are welcome. ?? Currently not accepting external PRs that touch

Arun Sasidharan 2.6k Dec 25, 2022
Viacheslav Veselov 0 Jul 8, 2022
Learning RxJava for Android by example

Learning RxJava for Android by example This is a repository with real-world useful examples of using RxJava with Android. It usually will be in a cons

Kaushik Gopal 7.6k Dec 30, 2022
Learning RxJava for Android by example

Learning RxJava for Android by example This is a repository with real-world useful examples of using RxJava with Android. It usually will be in a cons

Kaushik Gopal 7.6k Dec 29, 2022
📚 Sample Android Components Architecture on a modular word focused on the scalability, testability and maintainability written in Kotlin, following best practices using Jetpack.

Android Components Architecture in a Modular Word Android Components Architecture in a Modular Word is a sample project that presents modern, 2020 app

Madalin Valceleanu 2.3k Dec 30, 2022
Restaurant is a demo application based on modern Android application tech-stacks and MVVM architecture

Restaurant is a demo application based on modern Android application tech-stacks and MVVM architecture. Fetching data from the network via repository pattern.

Eslam kamel 25 Nov 20, 2022
🧸 A demo Disney app using Jetpack Compose and Hilt based on modern Android tech stacks and MVVM architecture.

DisneyCompose A demo Disney app using compose and Hilt based on modern Android tech-stacks and MVVM architecture. Fetching data from the network and i

Jaewoong Eum 791 Dec 30, 2022
A sample Android application with a strong focus on a clean architecture, automated unit and UI testing and continuous integration.

Android playground This is a sample Android application with a strong focus on a clean architecture, automated unit and UI testing and continuous inte

null 6 Jun 4, 2022
Demo Android application using Gradle. Project is written entirely in Kotlin with MVVM architecture

Demo Android application using Gradle. Project is written entirely in Kotlin with MVVM architecture, Dagger / Hilt Dependency Injection, Room Database and Retrofit API Calls

Dejan Radmanovic 1 Apr 6, 2022
A sample app showing how to build an app using the MVI architecture pattern.

MVI Example This application was streamed live on Twitch to demonstrate how to build an application using MVI. You can find the VOD here for now: http

Adam McNeilly 46 Jan 2, 2023
Clean Architecture Crypto App

Hi, this is the first project I did with CleanArchitectureMvvm and it is basic and not too complicated. I hope it will be useful for other friends as well.

Soran Mahmoodi 0 Oct 28, 2021
PokeCard Compose is a demo app 100% write in Compose, Flow and Koin based on MVI Clean Architecture 🐱⚡️

A Pokemon Card demo app using Jetpack Compose and Koin based on MVI architecture. Fetching data from the network with Ktor and integrating persisted data in Room database with usecase/repository pattern.

Lopez Mikhael 104 Nov 27, 2022
Sample Project for Android Support Library 23.2

SnapShot: Contains features Vector Drawable Animated Vector Drawable AppCompat DayNight theme Bottom Sheets Using BottomSheetDialog in day-night mode.

Huqiu Liao 779 Nov 24, 2022
Examples for my Android GraphView library

Chart and Graph Library for Android GraphView - open source graph plotting library for Android GraphView is a library for Android to programmatically

Jonas Gehring 297 Dec 16, 2022
RoboDemo is a ShowCase library for Android to demonstrate to users how a given Activity works.

RoboDemo RoboDemo is a ShowCase library for Android to demonstrate to users how a given Activity works. A sample is available in the download area of

Stéphane Nicolas 220 Nov 25, 2022
an easy to use android library to let devs know how much internet-data their app is consuming

EasyAnalytics! an easy to use android library to let developers know how much internet-data their app is consuming. We can identify this as we want ba

Sachin Rajput 13 Feb 21, 2022
Non-official Library Genesis (Libgen) Android mobile client.

Aurora If my noble work has helped you, consider becoming a . This is a non-official Library Genesis mobile client. The project is completely independ

null 318 Dec 23, 2022
Create curve bottom navigation using this library

Curve Bottom Bar Download Add it to your build.gradle with: allprojects { repositories { maven { url "https://jitpack.io" } } } and: d

null 49 Sep 17, 2022