Spike


Source link: https://github.com/dariopellegrini/Spike

Spike

A network abstraction layer over Volley, written in Kotlin and inspired by Moya for Swift

Example

Download repository and try the app.

Installation

Add edit your build.gradle file

allprojects {

  repositories {

...

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

  
}
 
}

Then add as dependency to yout app/build.gradle

dependencies {

  ...
  compile 'com.github.dariopellegrini:Spike:v0.9' 
}

This library uses apache http libraries that need the following code at the end of the android section in app/build.gradle. Hopefully in the future this won't be needed.

android {

  ...
  packagingOptions {

 exclude 'META-INF/DEPENDENCIES'

 exclude 'META-INF/NOTICE'

 exclude 'META-INF/LICENSE'

}
 
}

Usage

This library lets you to split API request's details inside kotlin files, in order to have more control on what each API does and needs. Each file is a sealed class and must implement the interface TargetType. Every detail of each call is selected using a when statement. See this example (TVMazeAPI.kt):

// Each of these data class represents a call data class GetShows(val query: String): TVMazeTarget() data class GetShowInformation(val showID: String, val embed: String): TVMazeTarget()  // Following actually don't exists data class AddShow(val name: String, val coverImage: ByteArray, val token: String): TVMazeTarget() data class UpdateShow(val showID: String, val name: String, val token: String): TVMazeTarget() data class DeleteShow(val showID: String, val token: String): TVMazeTarget()  // This is the target sealed class, from which every data class inherits. sealed class TVMazeTarget: TargetType {
  // BaseURL of each call
  override val baseURL: String

get() {

 return "https://api.tvmaze.com/"

}
  // Path of each call
  override val path: String

get() {

 return when(this) {

  is GetShows

 -> "search/shows"

  is GetShowInformation
-> "shows/" + showID

  is AddShow

  -> "shows/"

  is UpdateShow

  -> "shows/" + showID

  is DeleteShow

  -> "shows/" + showID

 
}

}
  // Method of each call
  override val method: SpikeMethod

get() {

 return when(this) {

  is GetShows

 -> SpikeMethod.GET

  is GetShowInformation
-> SpikeMethod.GET

  is AddShow

  -> SpikeMethod.POST

  is UpdateShow

  -> SpikeMethod.PATCH

  is DeleteShow

  -> SpikeMethod.DELETE

 
}

}

 // Headers of each call
  override val headers: Map<String, String>?

get() {

 return when(this) {

  is GetShows

 -> mapOf("Content-Type" to "application/json")

  is GetShowInformation
-> mapOf("Content-Type" to "application/json")

  is AddShow

  -> mapOf("Content-Type" to "application/json", "user_token" to token)

  is UpdateShow

  -> mapOf("Content-Type" to "application/json", "user_token" to token)

  is DeleteShow

  -> mapOf("Content-Type" to "application/json", "user_token" to token)

 
}

}
  // Multipart entries to load multipart form data: this is optional
  override val multipartEntities: List<SpikeMultipartEntity>?

get() {

 return when(this) {

  is GetShows

 -> null

  is GetShowInformation
-> null

  is AddShow

  -> listOf(SpikeMultipartEntity("image/jpeg", coverImage, "coverImage", "coverImage.jpg"))

  is UpdateShow

  -> null

  is DeleteShow

  -> null

 
}

}
  // Call's parameters with the labels wanted by backend services
  override val parameters: Map<String, Any>?

get() {

 return when(this) {

  is GetShows

 -> mapOf("q" to query)

  is GetShowInformation
-> mapOf("embed" to embed)

  is AddShow

  -> mapOf("name" to name)

  is UpdateShow

  -> mapOf("name" to name)

  is DeleteShow

  -> null

 
}

}
 
}
  // Optional response closures

Provider

After this the only thing to do is init a SpikeProvider and make a request using the desired instance:

val provider = SpikeProvider<TVMazeTarget>(context)

val request = provider.request(GetShowInformation("1", embed = "cast"), {

 response ->

 println(response.results.toString())

}
, {

 error ->

 println(error.results.toString())

}
)

Here response object contains status code, an enum value describing status code, headers in map, result in String and a computed result (see later). Then error contains the same values plus a VolleyError object.

The request is a Volley request and can be canceled as you wish.

There are different constructors for providers:

  1. Context constructor: init a volley queue using the passed context. By this each provider has its queue.
val provider = SpikeProvider<TVMazeTarget>(context)
  1. Queue constructor: init a volley queue using a queue passed to it.
val provider = SpikeProvider<TVMazeTarget>(queue)
  1. Empty constructor: implementing this requires to configure a Spike singleton instance, which contains a queue that is global and shared between each provider.
Spike.instance.configure(context) // called typically in Application file val provider = SpikeProvider<TVMazeTarget>()

Closure responses

It's possible to deal with network responses in the API file, implementing 2 optional closure variables.

...  override val successClosure: ((String, Map<String, String>?) -> Any?)?

get() = {

 result, headers ->

 when(this) {

  is GetShows -> {

val movieType = object : TypeToken<List<MovieContainer>>() {

}
.type

Gson().fromJson<List<MovieContainer>>(result, movieType)

  
}

is GetShowInformation -> {

val movieType = object : TypeToken<Movie>() {

}
.type

Gson().fromJson<Movie>(result, movieType)

  
}

is AddShow -> {

val movieType = object : TypeToken<Movie>() {

}
.type

Gson().fromJson<Movie>(result, movieType)

  
}

is UpdateShow -> {

val movieType = object : TypeToken<Movie>() {

}
.type

Gson().fromJson<Movie>(result, movieType)

  
}

is DeleteShow -> null

 
}

}

override val errorClosure: ((String, Map<String, String>?) -> Any?)?

get() = {
 errorResult, _ ->

 val errorType = object : TypeToken<TVMazeError>() {

}
.type

 Gson().fromJson<TVMazeError>(errorResult, errorType)

}

Here you can compute the result string from network (making for example a Gson mapping). Result of those closures will be in computedResult inside povider request's closures as a parameter of type Any?.

val provider = SpikeProvider<TVMazeTarget>()

provider.request(GetShowInformation("1", "cast"), {

 response ->

 // Printing success computed result

 println(response.computedResult)

}
, {

 error ->

 // Printing error computed result

 println(error.computedResult)

}
)

Because computedResult is an Any? type, provider can perform a type safety call so that computed results for success and error have specific types.

// Movie and TVMazeError are data classes for TVMaze APIs val provider = SpikeProvider<TVMazeTarget>()

provider.requestTypesafe<Movie, TVMazeError>(GetShowInformation("1", "cast"), {

 response ->

 // Printing success computed result Movie? type

 println(response.computedResult)

}
, {

 error ->

 // Printing error computed result TVMazeError? type

 println(error.computedResult)

}
)

TODO

  • File upload.
  • Alternative way to deal with multipart form data.
  • Testing.

Author

Dario Pellegrini, [email protected]

Credits

Resources

Flare provide the easy implementation of circular indicator with ViewPager. (viewpager indicator)

A custom view that display multiple attributes by a polygon shape.

A small library that allows You to easily manage fingererprint authentication inside your Activity or Fragment on devices with fingerprint scanner and Android M and higher. Min sdk 14

A tiny library for handling hardware back button click in fragments.

Force your users to update the app, or notify about non-critical updates.

ExpandableListView + RecylerView (for child items with Horizontal Scroll)

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