Reactive-Billing


Source link: https://github.com/lukaspili/Reactive-Billing

Reactive Billing for Android

Cut the hassle when implementing in-app purchases on Android.
Reactive Billing is a lightweight reactive wrapper around In App Billing API v3 for Android.

Features

  • Reactive: Exposes the In App Billing service methods as Observable, allowing to implement easy asynchrounous callbacks and other Rx-related fun stuff.

  • No configuration: Doesn't require to implement activities onActivityResult(). It makes it super easy to implement in any architectures (activities/fragments, single activity, etc).

  • Lightweight: Only does what it's supposed to do, nothing more. It doesn't implement any logic related to the billing: purchase verification, storage for offline usage, etc. It is all up to you.

  • Convenient: Returns objects rather than bundles.

Version

Reactive Billing supports In App Billing API v3 only.
The current version (0.2) doesn't support subscriptions yet, but it's coming soon.

How does it work?

The Reactive Billing API is accessible through the singleton instance.

ReactiveBilling.getInstance(context);

The exposed methods are matching the methods of the AIDL billing service IInAppBillingService. With the difference that they return Observable objects, also taking care of connecting to the AIDL billing service.

For a complete setup example, please read the documentation below and check the sample project.

Response

Each call to the billing service will return a response object.
The response will match the structure of the original Bundle, containing at least a response code.

You can check the response codes in the documentation: In App Billing reference

onNext / onError

The subscriber will always receive onNext if the request to the billing service is executed successfully. But it doesn't mean that the response of the request is a success. You need to check the returned response code.

You can find all the response codes and their meaning in the documentation: In App Billing reference

The subscriber can also receive onError if an exception is thrown during the connection to the AIDL billing service ( RemoteException). Reactive Billing is not doing any logic to catch the exception and the latter will be propagated to the subscriber.

Threading

Depending on which call and on the current Play Store cache, the billing service can trigger a synchronous network request. It is then recommended to implement the asynchronous reactive model when interacting with the service.

ReactiveBilling.getInstance(getContext())  .getPurchases(PurchaseType.PRODUCT, null)  .subscribeOn(Schedulers.io())  .observeOn(AndroidSchedulers.mainThread())  .subscribe(...)

Methods

Is Billing Supported

The Rx version of IInAppBillingService.isBillingSupported()

ReactiveBilling.getInstance(getContext()).isBillingSupported(PurchaseType.PRODUCT)  .subscribeOn(Schedulers.io())  .observeOn(AndroidSchedulers.mainThread())  .subscribe(new Action1<Response>() {

@Override
public void call(Response response) {

 if(response.isSuccess()) {

  // in app billing is supported
 
}

}
  
}
, new Action1<Throwable>() {

@Override
public void call(Throwable throwable) {

 
}
  
}
);

Get sku details

The Rx version of IInAppBillingService.getSkuDetails()

ReactiveBilling.getInstance(getContext())  .getSkuDetails(PurchaseType.PRODUCT, "coffee", "beer")  .subscribeOn(Schedulers.io())  .observeOn(AndroidSchedulers.mainThread())  .subscribe(new Action1<GetSkuDetailsResponse>() {

@Override

public void call(GetSkuDetailsResponse response) {

 if (response.isSuccess()) {

  response.getList() // list of sku details

 
}

}
  
}
, new Action1<Throwable>() {

@Override

public void call(Throwable throwable) {

 
}
  
}
);

Get purchases

The Rx version of IInAppBillingService.getPurchases()

ReactiveBilling.getInstance(getContext())  .getPurchases(PurchaseType.PRODUCT, null)  .subscribeOn(Schedulers.io())  .observeOn(AndroidSchedulers.mainThread())  .subscribe(new Action1<GetPurchasesResponse>() {

@Override

public void call(GetPurchasesResponse response) {

 if(response.isSuccess()) {

  response.getList() // list of purchases

 
}

}
  
}
, new Action1<Throwable>() {

@Override

public void call(Throwable throwable) {

 
}
  
}
);

Buy product

Buying a product is a little bit different because it's a two step process.

  • Start the purchase flow (show the Play store purchasing dialog)
  • Receive the purchase flow result (receive the result from previous dialog)

Start the purchase flow

The Rx version of IInAppBillingService.getBuyIntent()

In addition, if the request is successful, Reactive Billing will start the purchase flow automatically.

ReactiveBilling.getInstance(getContext())  .startPurchase(skuDetails.getProductId(), skuDetails.getPurchaseType(), null, null)  .subscribeOn(Schedulers.io())  .observeOn(AndroidSchedulers.mainThread())  .subscribe(new Action1<Response>() {

@Override

public void call(Response response) {

 if (response.isSuccess()) {

  // purchase flow was started successfully, nothing to do here

 
}
 else {

  // handle cannot start purchase flow

 
}

}
  
}
, new Action1<Throwable>() {

@Override

public void call(Throwable throwable) {

 
}
  
}
);

Receive purchase flow results

Because of the Android lifecycle, your activity can be destroyed and recreated while the purchase flow is visible. Therefore the subscriber for the purchase flow events needs to be unsubscribed and subscribed again when the activity is recreated.

Reactive Billing requires to subscribe for the purchase flow events during the initialisation, which is usually represented by the following methods:

  • onCreate() for activities
  • onActivityCreated() for fragments
  • onAttachedToWindow() for views
ReactiveBilling.getInstance(this).purchaseFlow()
  .subscribe(new Action1<PurchaseResponse>() {

@Override

public void call(PurchaseResponse response) {

 if (response.isSuccess()) {

  response.getPurchase();
 // the purchased product

 
}

}

  
}
);

You would also want to check if the purchase flow was cancelled.

if (response.isSuccess()) {

  response.getPurchase();
 // the purchased product 
}
 else if(response.isCancelled()) {
  // purchase flow cancelled 
}
 else {
  response.getResponseCode();
 // purchase flow failed, handle the response code 
}

Extras

In order to be able to differentiate properly the events receiving in the purchase flow observable, you can provide an "extras" bundle when starting the purchase flow.

Full example

public class BuyActivity extends Activity {

private Subscription subscription;

@Override
  protected void onCreate(Bundle savedInstanceState) {

super.onCreate(savedInstanceState);

 subscription = ReactiveBilling.getInstance(this).purchaseFlow()

 .subscribe(new Action1<PurchaseResponse>() {

  @Override

  public void call(PurchaseResponse response) {

// receives the result of the purchase flow

if (response.isSuccess()) {

 response.getPurchase();
 // the purchased product

}
 else {

 // handle

}

  
}

 
}
);

  
}

public void onProductClick(String productId) {

// start the purchase flow

ReactiveBilling.getInstance(getContext())
 .startPurchase(productId, PurchaseType.PRODUCT, null, null)
 .subscribeOn(Schedulers.io())
 .observeOn(AndroidSchedulers.mainThread())
 .subscribe(new Action1<Response>() {

  @Override

  public void call(Response response) {

if (response.isSuccess()) {

 // purchase flow was started successfully, nothing to do here

}
 else {

 // handle cannot start purchase flow

}

  
}

 
}
, new Action1<Throwable>() {

  @Override

  public void call(Throwable throwable) {

// handle

  
}

 
}
);

  
}

@Override
  protected void onDestroy() {

if (subscription != null) {

 subscription.unsubscribe();

 subscription = null;

}

 super.onDestroy();

  
}
 
}

Consume purchase

The Rx version of IInAppBillingService.consumePurchase()

ReactiveBilling.getInstance(getContext())
  .consumePurchase("purchase token")
  .subscribeOn(Schedulers.io())
  .observeOn(AndroidSchedulers.mainThread())
  .subscribe(new Action1<Response>() {

@Override

public void call(Response response) {

 if(response.isSuccess()) {

  // successfully consumed

 
}

}

  
}
, new Action1<Throwable>() {

@Override

public void call(Throwable throwable) {

 
}

  
}
);

Reactive Billing Example app

You can find the Reactive Billing Example app on the play store:
https://play.google.com/store/apps/details?id=com.github.lukaspili.reactivebilling.sample

The source code is located in the current project, under sample/.

Gradle

Reactive Billing is available on Maven Central.
Be sure to grab the aar package.

dependencies {
  compile 'com.github.lukaspili.reactive-billing:reactive-billing:0.2@aar'
// reactive billing requires the following dependencies  compile 'io.reactivex:rxjava:1.1.5'  compile 'com.jakewharton.rxrelay:rxrelay:1.1.0'
// you would probably want the rx-android dependency as well  compile 'io.reactivex:rxandroid:1.2.0' 
}

Changelog

See the changelog

Acknowledgements

Author

License

Reactive Billing is released under the MIT license. See the LICENSE file for details.

Resources

Library to create, read, delete, append, encrypt files and more, on internal or external disk spaces with a really simple API.

CalendarListview provides a easy way to select dates with a calendar.

A backport of the Android 4.2 GlowPadView that works on API levels 4+.

Annotation Processor to create arguments for android fragments without using reflections.

Blog entry about this library: http://hannesdorfmann.com/android/fragmentargs

Project Lombok makes Java a spicier language by adding 'handlers' that know how to build and compile simple, boilerplate-free, not-quite-java code.

A port of Ripple Effect from Android L to non L devices.

Example: RippleDrawable.createRipple(view, getColor(R.color.material_blue_600))

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