SimpleApiClient


Source link: https://github.com/jaychang0917/SimpleApiClient

SimpleApiClient

A configurable api client based on Retrofit2 and RxJava2 for android

Table of Contents

Installation

In your project level build.gradle :

allprojects {

  repositories {

...

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

  
}
 
}

In your app level build.gradle :

dependencies {

  compile 'com.github.jaychang0917:SimpleApiClient:{
latest_version
}
' 
}


Basic Usage

Step 1

Config the api client and use it to create your api.

interface GithubApi {

 companion object {

  fun create() : GithubApi =

 SimpleApiClient.create {

baseUrl = "https://api.github.com"

 errorClass = ApiError::class // should be conformed to SimpleApiError

errorMessageKeyPath = "meta.message"

defaultParameters = mapOf()

defaultHeaders = mapOf()

connectTimeout = TimeUnit.MINUTES.toMillis(1)

readTimeout = TimeUnit.MINUTES.toMillis(1)

writeTimeout = TimeUnit.MINUTES.toMillis(1)

enableStetho = true // default true

logLevel = LogLevel.BASIC // default NONE

isMockResponseEnabled = true // default false

certificatePins = listOf(

  CertificatePin(hostname = "api.foo.com", sha1PublicKeyHash = "0beec7b5ea3f0fdbc95d0dd47f3c5bc275da8a33"),

  CertificatePin(hostname = "api.bar.com", sha256PublicKeyHash = "fcde2b2edba56bf408601fb721fe9b5c338d10ee429ea04fae5511b68fbf8fb9")

)

jsonParser = GsonParser() // default: GsonParser

errorHandler = {
 error ->

  // you can centralize the handling of general error here

  when (error) {

 is AuthenticationError -> {
...
}

 is ClientError -> {
...
}

 is ServerError -> {
...
}

 is NetworkError -> {
...
}

 is SSLError -> {
...
}

  
}

}

 
}

}

 @GET("/search/users")
fun getUsers(@Query("q") query: String): Observable<List<User>>  
}

Custom JSON Parser

The library uses Gson to parse json by default, you can create your own json parser by implementing JsonParser interface.

class MoshiParser : JsonParser {

var moshi = Moshi.Builder().add(KotlinJsonAdapterFactory()).build()
 override fun converterFactory(): Converter.Factory = MoshiConverterFactory.create(moshi)
 override fun <T> parse(json: String, typeOfT: Type): T {

  val jsonAdapter = moshi.adapter<T>(typeOfT)
  return jsonAdapter.fromJson(json)!!

}
 
}

Step 2

Use observe() to enqueue the call, do your stuff in corresponding parameter block. All blocks are run on android main thread by default and they are optional.

githubApi.getUsers("google")
.observe(
  onStart = {
 println("show loading") 
}
,
  onEnd = {
 println("hide loading") 
}
,
  onSuccess = {
 println(it) 
}
,
  onError = {
 println(it.message) 
}

)

Unwrap Response by KeyPath

Sometimes the api response includes metadata that we don't need, but in order to map the response we create a wrapper class and make the function return that wrapper class. This approach leaks the implementation of service to calling code.

Assuming the response json looks like the following:

{

total_count: 33909,
incomplete_results: false,
foo: {

  bar: {

 items: [

{

  login: "jaychang0917",

  ...

}

...

 ]
  
}

}
 
}

And you only want the items part, use @ResponseKeyPath("keypath") annotation to indicate which part of response you want.

@GET("/search/users") @ResponseKeyPath("foo.bar.items") fun getUsers(@Query("q") query: String): Observable<List<User>>

Similarly, unwrap the error response by setting the errorMessageKeyPath of SimpleApiClient.Config

This feature is only available for default gson parser, if you use other json parser like moshi, you should implement the following method of JsonParser

interface JsonParser {

 // this method is called before the api response parsing
fun update(type: Type, keyPath: String) {

  
}
  
}

The default GsonParser implementation

Unwrap Response by Wrapper Class

An alternative solution is that you can create a wrapper class that conforming SimpleApiResult<T>, and use @Unwrap(class) to indicate that you want an unwrapped response of that wrapper class.

class ApiResult<T: Any>: SimpleApiResult<T> {

... 
}
  @GET("/search/users") @Unwrap(ApiResult::class) fun getUsers(@Query("q") query: String): Observable<List<User>>

Convert Uri to MultiPartBody

Use @MultiPart to annotate a Uri or ArrayList<Uri> that is going to be converted to MultiPartBody

@POST("/upload") fun uploadPhoto(@Body @MultiPart(name = "image", mimeType = "image/jpeg") file: Uri): Observable<Image>  @POST("/upload") fun uploadPhotos(@Body @MultiPart(name = "image", mimeType = "image/jpeg") files: ArrayList<Uri>): Observable<Image>
githubApi.uploadPhoto(uri)
.observe(...)

Serial / Parallel Calls

Serial

githubApi.foo()
.then {
 foo -> githubApi.bar(foo.name) 
}

.observe(...)

Serial then Parallel

githubApi.foo()
.then {
 foo -> githubApi.bar(foo.name) 
}

.thenAll( bar ->
  githubApi.baz(bar.name),
  githubApi.qux(bar.name)
)
.observe(...)

Parallel

SimpleApiClient.all(
githubApi.foo(),
githubApi.bar() ).observe(...)

Parallel then Serial

SimpleApiClient.all(
githubApi.foo(),
githubApi.bar() ).then {
 array -> // the return type is Array<Any>, you should cast them, e.g. val users = array[0] as List<User>
githubApi.baz() 
}
.observe(...)

Retry Interval / Exponential backoff

githubApi.getUsers("google")
.retryInterval(maxRetryCount = 3, delaySeconds = 5) // retry up to 3 times, each time delays 5 seconds
.retryExponential(maxRetryCount = 3, delaySeconds = 5) // retry up to 3 times, each time delays 5^n seconds, where n = {
1,2,3
}

.observe(...)

Call Cancellation

Auto Call Cancellation

To avoid leaking context, we should cancel the executing api request when leave the context. Thanks to AutoDispose, it is just a line of code to fix it. The api call will be cancelled automatically in corresponding lifecycle callback. For instance, an api call is made in onStart(), it be will cancelled automatically in onStop.

githubApi.getUsers("google")
.autoCancel(this)
.observe(...)

Cancel call manually

val call = githubApi.getUsers("google").observe(...)  call.cancel()

Mock Response

To enable response mocking, set SimpleApiClient.Config.isMockResponseEnabled to true.

Mock sample json data

To make the api return a successful response with provided json

@GET("/repos/{
user
}
/{
repo
}
") @MockResponse(R.raw.get_repo) fun getRepo(@Path("user") user: String, @Path("repo") repo: String): Observable<Repo>

Mock status

To make the api return a client side error with provided json

@GET("/repos/{
user
}
/{
repo
}
") @MockResponse(json = R.raw.get_repo_error, status = Status.CLIENT_ERROR) fun getRepo(@Path("user") user: String, @Path("repo") repo: String): Observable<Repo>

json parameter of MockResponse is optional, you can set the status only, then you receive empty string.

Possible Status values:

enum class Status {

SUCCESS, AUTHENTICATION_ERROR, CLIENT_ERROR, SERVER_ERROR, NETWORK_ERROR, SSL_ERROR 
}

To mock a response with success status only, you should return Observable<Unit>.

@DELETE("/repo/{
id
}

}
") @MockResponse(status = Status.SUCCESS) fun deleteRepo(@Path("id") id: String): Observable<Unit>

License

Copyright 2017 Jay Chang  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 SQLite statement builder for Java and Android.

A single adapter implementation for any scrolling view or ViewGroup.

This library consolidates the differences between BaseAdapter, RecyclerView.Adapter, PagerAdapter, and binding to ViewGroup into one unified API.

A powerful debug module that is fully pluggable, extendable, and very useful. It enables you to create your own Critter that contain UI elements which enable you configure your application on the fly.

It also can inject a right-facing DrawerLayout into your activity on top of all other content, making it very unobtrusive and accessible from everywhere within your application.

This is a simple small class that renders a progress in form of an filling arc shape. A progress text can be rendered additionally. This text is rendered in the secondary color for the 'done' area of the arc.

This library is created for get post and information from a blog or a website created with WordPress.

A sticker view for android application.

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