Droidux


Source link: https://github.com/izumin5210/Droidux

Droidux

Droidux is "predictable state container" implementation, inspired by Redux.

Features

Droidux is influenced by Three principles of Redux.

  • Single source of truth
    • The state of your whole application is stored in an object tree inside a single store.
  • State is read-only
    • The only way to mutate the state is to emit an action, an object describing what happened.
  • Mutations are written as pure functions
    • To specify how the state tree is transformed by actions, you write pure reducers.

Three Principles | Redux

Features of Droidux are following:

  • All mutations can be observed via rx.Observable from RxJava
  • All mutations are automatically notified to views via Data Binding

Data flow

see also: Introduction to Redux // Speaker Deck (in Japanese)

Installation

Droidux depends on RxJava and Data Binding. Add to your project build.gradle file:

buildscript {

dependencies {

  classpath 'com.neenbedankt.gradle.plugins:android-apt:1.8'

}
 
}
  apply plugin: 'com.android.application' apply plugin: 'com.neenbedankt.android-apt'  dependencies {

compile 'io.reactivex:rxjava:1.1.0'
compile 'info.izumin.android:droidux:0.6.0'
apt 'info.izumin.android:droidux-processor:0.6.0' 
}

And also you need to setup Data Binding.

When you use AsyncAction, you need to add droidux-thunk.

compile 'info.izumin.android:droidux-thunk:0.3.0'

Usage

Quick example

/**  * This is a state class.  * It can be as simple as possible implementation, like POJO, or immutable object.   */ public class Counter {

  private final int count;

public Counter(int count) {

this.count = count;
  
}

public int getCount() {

return count;
  
}
 
}
  /**  * This is a reducer class.  * It should be applied @Reducer annotation is given a state class as an argument.  * It describe whether the reducer should handle which actions.  */ @Reducer(Counter.class) public class CounterReducer {

/** 
  * This is a method to handle actions. 
  * It should be applied @Dispatchable annotation is given an action class as an parameter. 
  * It describe how to transform the state into the next state when dispatched actions. 
  * It should return the next state instance, and it is preferred instantiate the new state. 
  * 
  * This example handle IncrementCountAction, 
  + and it returns new counter instance that state is incremented. 
  */
  @Dispatchable(IncrementCountAction.class)
  public Counter increment(Counter state) {

return new Counter(state.getCount() + 1);

  
}

@Dispatchable(DecrementCountAction.class)
  public Counter decrement(Counter state) {

return new Counter(state.getCount() - 1);

  
}

@Dispatchable(ClearCountAction.class)
  public Counter clear() {

return new Counter(0);

  
}
 
}

/**  * This is a store interface.  * It should be applied @Store annotation and passing reducer classes as parameters.  * Droidux generates an implementation of getter method, observe method and dispatch method from user-defined interface.  */ @Store(CounterReducer.class) public interface CounterStore extends BaseStore {

  Counter getCounter();

  Observable<Counter> observeCounter();
 
}
  /**  * They are action classes. They should extend Action class.  */ public class IncrementCountAction implements Action {

}
 public class DecrementCountAction implements Action {

}
 public class ClearCountAction implements Action {

}

// Instantiate a Droidux store holding the state of your app. // Its class is generated automatically from Reducer class. //  // The instantiating should use Builder class, // and it should register a reducer instance and an initial state. //  // Its APIs in this example are following: // - rx.Observable<Action> dispatch(Action action) // - rx.Observable<Counter> observeCounter() // - Counter getCounter() CounterStore store = DroiduxCounterStore.builder()

.setReducer(new CounterReducer(), new Counter(0))

.build();

// Counter: 0  // You can observe to the updates using RxJava interface.  store.observe((counter) -> Log.d(TAG, counter.toString()));
  // The only way to mutate the internal state is to dispatch an action. store.dispatch(new IncrementCountAction()).subscribe();
 // Counter: 1 store.dispatch(new IncrementCountAction()).subscribe();
 // Counter: 2 store.dispatch(new IncrementCountAction()).subscribe();
 // Counter: 3  store.dispatch(new DecrementCountAction()).subscribe();
 // Counter: 2  store.dispatch(new ClearCountAction()).subscribe();

  // Counter: 0

Data Binding

// If you use databinding, yor store interface must extend `android.databinding.Observable`. @Store(CounterReducer.class) public interface CounterStore extends BaseStore, android.databinding.Observable {

  // You should annotate the getter method with @Bindable
  @Bindable Counter getCounter();
 
}
  CounterStore store = DroiduxCounterStore.builder()

// Pass the field id generated by DataBinding annotation processor.

.setReducer(new CounterReducer(), new Counter(0), BR.counter)

.build();

Layout file is following:

<layout>
  <data>

<variable android:name="store" android:type="CounterStore" />
  </data>
  <RelativeLayout

android:layout_width="match_parent"

android:layout_height="match_parent" >

<TextView

 android:layout_width="wrap_content"

 android:layout_height="wrap_content"

 android:layout_centerInParent="true"

 android:text="@{
store.counter
}
" />

  </RelativeLayout> </layout>

Combined store

@Store({
CounterReducer.class, TodoListReducer.class
}
) class RootStore extends BaseStore {

  Counter getCounter();

  Observable<Counter> observeCounter();

  TodoList getTodoList();

  Observable<TodoList> observeTodoList();
 
}

RootStore store = DroiduxRootStore.builder()

.setReducer(new CounterReducer(), new Counter(0))

.setReducer(new TodoListReducer(), new TodoList())

.addMiddleware(new Logger())

.build();
  store.dispatch(new IncrementCountAction()).subscribe();

  // Counter: 1, Todo: 0 store.dispatch(new AddTodoAction("new task")).subscribe();
  // Counter: 1, Todo: 1

Middleware

class Logger extends Middleware<CounterStore> {

  @Override
  public Observable<Action> beforeDispatch(Action action) {

Log.d("[prev counter]", String.valueOf(getStore().count()));

Log.d("[action]", action.getClass().getSimpleName());

return Observable.just(action);

  
}

@Override
  public Observable<Action> afterDispatch(Action action) {

Log.d("[next counter]", String.valueOf(getStore().count()));

return Observable.just(action);

  
}
 
}
  // Instantiate store class  CounterStore store = DroiduxCounterStore.builder()

.setReducer(new CounterReducer(), new Counter(0))

.addMiddleware(new Logger())

  // apply logger middleware

.build();

// Counter: 0  store.dispatch(new IncrementCountAction()).subscribe();
 // logcat: // [prev counter]: 0 // [action]: IncrementCountAction // [next counter]: 1  store.dispatch(new IncrementCountAction()).subscribe();
 // logcat: // [prev counter]: 1 // [action]: IncrementCountAction // [next counter]: 2  store.dispatch(new ClearCountAction()).subscribe();
 // logcat: // [prev counter]: 2 // [action]: ClearCountAction // [next counter]: 0

Undo / Redo

class TodoList extends ArrayList<TodoList.Todo> implements UndoableState<TodoList> {

  @Override
  public TodoList clone() {

// ...
  
}

public static Todo {

// ...
  
}
 
}
  @Undoable @Reducer(TodoList.class) class TodoListReducer {

  @Dispatchable(AddTodoAction.class)
  public TodoList add(TodoList state, AddTodoAction action) {

// ...
  
}

@Dispatchable(CompleteTodoAction.class)
  public TodoList complete(TodoList state, CompleteTodoAction action) {

// ...
  
}
 
}
  @Store(TodoListReducer.class) public interface TodoListStore {

  TodoList todoList();

  Observable<TodoList> observeTodoList();
 
}
  class AddTodoAction implements Action {

  // ... 
}
  class CompleteTodoAction implements Action {

  // ... 
}

TodoListStore store = DroiduxTodoListStore.builder()

.setReducer(new TodoListReducer(), new TodoList())

.build();
  store.dispatch(new AddTodoAction("item 1")).subscribe();

  // ["item 1"] store.dispatch(new AddTodoAction("item 2")).subscribe();

  // ["item 1", "item 2"] store.dispatch(new AddTodoAction("item 3")).subscribe();

  // ["item 1", "item 2", "item 3"] store.dispatch(new CompleteTodoAction("item 2")).subscribe();

// ["item 1", "item 3"] store.dispatch(new AddTodoAction("item 4")).subscribe();

  // ["item 1", "item 3", "item 4"]  store.dispatch(new UndoAction(TodoList.class)).subscribe();
 // => ["item 1", "item 3"]  store.dispatch(new UndoAction(TodoList.class)).subscribe();
 // => ["item 1", "item 2", "item 3"]  store.dispatch(new RedoAction(TodoList.class)).subscribe();
 // => ["item 1", "item 3"]

Async action

Use droidux-thunk.

class FetchTodoListAction implements AsyncAction {

  private final TodoListApi client;

public FetchTodoListAction(TodoListApi client) {

this.client = client;
  
}

public Observable<ReceiveTodoListAction> call(Dispatcher dispatcher) {

return dispatcher.dispatch(new DoingFetchAction())

  .flatMap(_action -> client.fetch())

  .map(todoList -> {

this.todoList = todoList;

return new ReceiveTodoListAction(todoList);

  
}
);

  
}
 
}
  class ReceiveTodoListAction implements Action {

  private final TodoList todoList;

public ReceiveTodoListAction(TodoList todoList) {

this.todoList = todoList;
  
}

public TodoList getTodoList() {

return todoList;
  
}
 
}

TodoListStore store = DroiduxTodoListStore.builder()

.setReducer(new TodoListReducer(), new TodoList())

.addMiddleware(new ThunkMiddleware())

.build();

store.dispatch(new FetchTodoListAction(client)).subscribe();

Examples

License

Copyright 2015 izumin5210  Licensed under the Apache License, Version 2.0 (the "License");
 you may not use this file except in compliance with the License. You may obtain a copy of the License at

http://www.apache.org/licenses/LICENSE-2.0  Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. 

Resources

A simple customizable loading spinner view. Simply create a view and attach it to the root view of the activity or any preferred viewgroup view. Also supports a customizable loading failed view with a retry button.

A library for animating images with continuous scrolling effects.

Сode scanner library based on ZXing. Supports portrait and landscape screen orientations, back and front facing cameras, auto focus and flash light control, viewfinder customization.

Jspoon is a Java library that provides parsing HTML into Java objects basing on CSS selectors. It uses jsoup underneath as a HTML parser.

A simple terminal view for old-school rogue-like games.

Speed up your android development by removing boilerplate code.

Current Features:

  • RecyclerUtils - Remove the need to make an adapter everytime, set up recycler adapter in as little as 4 lines.
  • ScrollUtils - Easily hide/show FloationActionButton on scroll when using RecyclerView or NestedScrollView.
  • ToastUtils - Creating toasts are just a function away.
  • SPUtils - Simple DSL for Shared Preferences.
  • ValidatorUtils - Fast and simple text validation.
  • LogUtils - Simple and easy android logging.

Topics


2D Engines   3D Engines   9-Patch   Action Bars   Activities   ADB   Advertisements   Analytics   Animations   ANR   AOP   API   APK   APT   Architecture   Audio   Autocomplete   Background Processing   Backward Compatibility   Badges   Bar Codes   Benchmarking   Bitmaps   Bluetooth   Blur Effects   Bread Crumbs   BRMS   Browser Extensions   Build Systems   Bundles   Buttons   Caching   Camera   Canvas   Cards   Carousels   Changelog   Checkboxes   Cloud Storages   Color Analysis   Color Pickers   Colors   Comet/Push   Compass Sensors   Conferences   Content Providers   Continuous Integration   Crash Reports   Credit Cards   Credits   CSV   Curl/Flip   Data Binding   Data Generators   Data Structures   Database   Database Browsers   Date &   Debugging   Decompilers   Deep Links   Dependency Injections   Design   Design Patterns   Dex   Dialogs   Distributed Computing   Distribution Platforms   Download Managers   Drawables   Emoji   Emulators   EPUB   Equalizers &   Event Buses   Exception Handling   Face Recognition   Feedback &   File System   File/Directory   Fingerprint   Floating Action   Fonts   Forms   Fragments   FRP   FSM   Functional Programming   Gamepads   Games   Geocaching   Gestures   GIF   Glow Pad   Gradle Plugins   Graphics   Grid Views   Highlighting   HTML   HTTP Mocking   Icons   IDE   IDE Plugins   Image Croppers   Image Loaders   Image Pickers   Image Processing   Image Views   Instrumentation   Intents   Job Schedulers   JSON   Keyboard   Kotlin   Layouts   Library Demos   List View   List Views   Localization   Location   Lock Patterns   Logcat   Logging   Mails   Maps   Markdown   Mathematics   Maven Plugins   MBaaS   Media   Menus   Messaging   MIME   Mobile Web   Native Image   Navigation   NDK   Networking   NFC   NoSQL   Number Pickers   OAuth   Object Mocking   OCR Engines   OpenGL   ORM   Other Pickers   Parallax List   Parcelables   Particle Systems   Password Inputs   PDF   Permissions   Physics Engines   Platforms   Plugin Frameworks   Preferences   Progress Indicators   ProGuard   Properties   Protocol Buffer   Pull To   Purchases   Push/Pull   QR Codes   Quick Return   Radio Buttons   Range Bars   Ratings   Recycler Views   Resources   REST   Ripple Effects   RSS   Screenshots   Scripting   Scroll Views   SDK   Search Inputs   Security   Sensors   Services   Showcase Views   Signatures   Sliding Panels   Snackbars   SOAP   Social Networks   Spannable   Spinners   Splash Screens   SSH   Static Analysis   Status Bars   Styling   SVG   System   Tags   Task Managers   TDD &   Template Engines   Testing   Testing Tools   Text Formatting   Text Views   Text Watchers   Text-to   Toasts   Toolkits For   Tools   Tooltips   Trainings   TV   Twitter   Updaters   USB   User Stories   Utils   Validation   Video   View Adapters   View Pagers   Views   Watch Face   Wearable Data   Wearables   Weather   Web Tools   Web Views   WebRTC   WebSockets   Wheel Widgets   Wi-Fi   Widgets   Windows   Wizards   XML   XMPP   YAML   ZIP Codes