How to use deserialize method of com.github.kittinunf.fuel.core.Deserializable class

Best Fuel code snippet using com.github.kittinunf.fuel.core.Deserializable.deserialize

RxFuel.kt

Source:RxFuel.kt Github

copy

Full Screen

2import com.github.kittinunf.fuel.core.Deserializable3import com.github.kittinunf.fuel.core.FuelError4import com.github.kittinunf.fuel.core.Request5import com.github.kittinunf.fuel.core.Response6import com.github.kittinunf.fuel.core.deserializers.ByteArrayDeserializer7import com.github.kittinunf.fuel.core.deserializers.EmptyDeserializer8import com.github.kittinunf.fuel.core.deserializers.StringDeserializer9import com.github.kittinunf.fuel.core.requests.CancellableRequest10import com.github.kittinunf.fuel.core.response11import com.github.kittinunf.result.Result12import io.reactivex.Completable13import io.reactivex.Single14import java.nio.charset.Charset15private fun <T : Any> Request.rxResponseSingle(deserializable: Deserializable<T>): Single<T> =16 rx { onSuccess, onFailure ->17 response(deserializable) { _, _, result ->18 result.fold(19 success = { t -> t.also { onSuccess(t) } },20 failure = { e -> onFailure(e) }21 )22 }23 }24private fun <T : Any> Request.rxResponsePair(deserializable: Deserializable<T>): Single<Pair<Response, T>> =25 rx { onSuccess, onFailure ->26 response(deserializable) { _, response, result ->27 result.fold(28 success = { t -> t.also { onSuccess(Pair(response, t)) } },29 failure = { e -> onFailure(e) }30 )31 }32 }33private fun <T : Any> Request.rxResponseTriple(deserializable: Deserializable<T>): Single<Triple<Request, Response, T>> =34 rx { onSuccess, onFailure ->35 response(deserializable) { request, response, result ->36 result.fold(37 success = { t -> t.also { onSuccess(Triple(request, response, t)) } },38 failure = { e -> onFailure(e) }39 )40 }41 }42private fun <T : Any> Request.rxResultSingle(deserializable: Deserializable<T>): Single<Result<T, FuelError>> =43 rx { onSuccess ->44 response(deserializable) { _, _, result ->45 onSuccess(result)46 }47 }48private fun <T : Any> Request.rxResultPair(deserializable: Deserializable<T>): Single<Pair<Response, Result<T, FuelError>>> =49 rx { onSuccess ->50 response(deserializable) { _, response, result ->51 onSuccess(response to result)52 }53 }54private fun <T : Any> Request.rxResultTriple(deserializable: Deserializable<T>): Single<Triple<Request, Response, Result<T, FuelError>>> =55 rx { onSuccess ->56 response(deserializable) { request, response, result ->57 onSuccess(Triple(request, response, result))58 }59 }60/**61 * Returns a reactive stream for a [Single] value response [ByteArray]62 *63 * @see rxBytes64 * @return [Single<ByteArray>]65 */66fun Request.rxResponse() = rxResponseSingle(ByteArrayDeserializer())67/**68 * Returns a reactive stream for a [Single] value response [ByteArray]69 *70 * @see rxBytes71 * @return [Single<Pair<Response, ByteArray>>] the [ByteArray] wrapped into a [Pair] with [Response]72 */73fun Request.rxResponsePair() = rxResponsePair(ByteArrayDeserializer())74/**75 * Returns a reactive stream for a [Single] value response [ByteArray]76 *77 * @see rxBytes78 * @return [Single<Triple<Request, Response, ByteArray>>] the [ByteArray] wrapped into a [Triple] with [Response] and [Request]79 */80fun Request.rxResponseTriple() = rxResponseTriple(ByteArrayDeserializer())81/**82 * Returns a reactive stream for a [Single] value response [String]83 *84 * @see rxString85 *86 * @param charset [Charset] the character set to deserialize with87 * @return [Single<String>]88 */89fun Request.rxResponseString(charset: Charset = Charsets.UTF_8) = rxResponseSingle(StringDeserializer(charset))90/**91 * Returns a reactive stream for a [Single] value response [String]92 *93 * @see rxString94 *95 * @param charset [Charset] the character set to deserialize with96 * @return [Single<Pair<Response, String>>] the [String] wrapped into a [Pair] with [Response]97 */98fun Request.rxResponseStringPair(charset: Charset = Charsets.UTF_8) = rxResponsePair(StringDeserializer(charset))99/**100 * Returns a reactive stream for a [Single] value response [String]101 *102 * @see rxString103 *104 * @param charset [Charset] the character set to deserialize with105 * @return [Single<Triple<Request, Response, String>>] the [String] wrapped into a [Triple] with [Response] and [Request]106 */107fun Request.rxResponseStringTriple(charset: Charset = Charsets.UTF_8) = rxResponseTriple(StringDeserializer(charset))108/**109 * Returns a reactive stream for a [Single] value response object [T]110 *111 * @see rxObject112 *113 * @param deserializable [Deserializable<T>] something that can deserialize the [Response] to a [T]114 * @return [Single<T>]115 */116fun <T : Any> Request.rxResponseObject(deserializable: Deserializable<T>) = rxResponseSingle(deserializable)117/**118 * Returns a reactive stream for a [Single] value response object [T]119 *120 * @see rxObject121 *122 * @param deserializable [Deserializable<T>] something that can deserialize the [Response] to a [T]123 * @return [Single<Pair<Response, T>>] the [T] wrapped into a [Pair] with [Response]124 */125fun <T : Any> Request.rxResponseObjectPair(deserializable: Deserializable<T>) = rxResponsePair(deserializable)126/**127 * Returns a reactive stream for a [Single] value response object [T]128 *129 * @see rxObject130 *131 * @param deserializable [Deserializable<T>] something that can deserialize the [Response] to a [T]132 * @return [Single<Triple<Request, Response, T>>] the [T] wrapped into a [Triple] with [Response] and [Request]133 */134fun <T : Any> Request.rxResponseObjectTriple(deserializable: Deserializable<T>) = rxResponseTriple(deserializable)135/**136 * Returns a reactive stream for a [Single] value result of [ByteArray]137 *138 * @see rxResponse139 * @return [Single<Result<ByteArray, FuelError>>] the [ByteArray] wrapped into a [Result]140 */141fun Request.rxBytes() = rxResultSingle(ByteArrayDeserializer())142/**143 * Returns a reactive stream for a [Single] value result of [ByteArray]144 *145 * @see rxResponse146 * @return [Single<Pair<Response, Result<ByteArray, FuelError>>>] the [ByteArray] wrapped into a [Result] together with a [Pair] with [Response]147 */148fun Request.rxBytesPair() = rxResultPair(ByteArrayDeserializer())149/**150 * Returns a reactive stream for a [Single] value result of [ByteArray]151 *152 * @see rxResponse153 * @return [Single<Triple<Request, Response, Result<ByteArray, FuelError>>>] the [ByteArray] wrapped into a [Result] together with a [Triple] with [Response] and [Request]154 */155fun Request.rxBytesTriple() = rxResultTriple(ByteArrayDeserializer())156/**157 * Returns a reactive stream for a [Single] value result of [ByteArray]158 *159 * @see rxResponseString160 *161 * @param charset [Charset] the character set to deserialize with162 * @return [Single<Result<String, FuelError>>] the [String] wrapped into a [Result]163 */164fun Request.rxString(charset: Charset = Charsets.UTF_8) = rxResultSingle(StringDeserializer(charset))165/**166 * Returns a reactive stream for a [Single] value result of [String]167 *168 * @see rxResponseString169 * @return [Single<Pair<Response, Result<String, FuelError>>>] the [String] wrapped into a [Result] together with a [Pair] with [Response]170 */171fun Request.rxStringPair(charset: Charset = Charsets.UTF_8) = rxResultPair(StringDeserializer(charset))172/**173 * Returns a reactive stream for a [Single] value result of [String]174 *175 * @see rxResponseString176 * @return [Single<Triple<Request, Response, Result<String, FuelError>>>] the [String] wrapped into a [Result] together with a [Triple] with [Response] and [Request]177 */178fun Request.rxStringTriple(charset: Charset = Charsets.UTF_8) = rxResultTriple(StringDeserializer(charset))179/**180 * Returns a reactive stream for a [Single] value result of [T]181 *182 * @see rxResponseObject183 *184 * @param deserializable [Deserializable<T>] something that can deserialize the [Response] to a [T]185 * @return [Single<Result<T, FuelError>>] the [T] wrapped into a [Result]186 */187fun <T : Any> Request.rxObject(deserializable: Deserializable<T>) = rxResultSingle(deserializable)188/**189 * Returns a reactive stream for a [Single] value result of [T]190 *191 * @see rxResponseObject192 * @return [Single<Pair<Response, Result<T, FuelError>>>] the [T] wrapped into a [Result] together with a [Pair] with [Response]193 */194fun <T : Any> Request.rxObjectPair(deserializable: Deserializable<T>) = rxResultPair(deserializable)195/**196 * Returns a reactive stream for a [Single] value result of [T]197 *198 * @see rxResponseObject...

Full Screen

Full Screen

Deserializable.kt

Source:Deserializable.kt Github

copy

Full Screen

1package com.github.kittinunf.fuel.core2import com.github.kittinunf.fuel.Fuel3import com.github.kittinunf.fuel.core.deserializers.EmptyDeserializer4import com.github.kittinunf.fuel.core.requests.CancellableRequest5import com.github.kittinunf.fuel.core.requests.DefaultBody6import com.github.kittinunf.fuel.core.requests.RequestTaskCallbacks7import com.github.kittinunf.fuel.core.requests.suspendable8import com.github.kittinunf.fuel.core.requests.toTask9import com.github.kittinunf.result.Result10import com.github.kittinunf.result.getOrElse11import com.github.kittinunf.result.map12import com.github.kittinunf.result.mapError13import java.io.InputStream14import java.io.Reader15import kotlin.jvm.Throws16/**17 * Generic interface for [Response] deserialization.18 *19 * @note you are responsible of using the [Response] [Body] [InputStream] and closing it when you're done. Failing to do20 * so can result in hanging connections if used in conjunction with [com.github.kittinunf.fuel.toolbox.HttpClient].21 *22 * @see ResponseDeserializable23 */24interface Deserializable<out T : Any> {25 /**26 * Deserialize [response] into [T]27 *28 * @param response [Response] the incoming response29 * @return [T] the instance of [T]30 */31 fun deserialize(response: Response): T32}33interface ResponseDeserializable<out T : Any> : Deserializable<T> {34 override fun deserialize(response: Response): T {35 response.body.toStream().use { stream ->36 return deserialize(stream)37 ?: deserialize(stream.reader())38 ?: reserialize(response, stream).let {39 deserialize(response.data)40 ?: deserialize(String(response.data))41 ?: throw FuelError.wrap(IllegalStateException(42 "One of deserialize(ByteArray) or deserialize(InputStream) or deserialize(Reader) or " +43 "deserialize(String) must be implemented"44 ))45 }46 }47 }48 private fun reserialize(response: Response, stream: InputStream): Response {49 val length = response.body.length50 response.body = DefaultBody.from({ stream }, length?.let { l -> { l } })51 return response52 }53 /**54 * Deserialize into [T] from an [InputStream]55 *56 * @param inputStream [InputStream] source bytes57 * @return [T] deserialized instance of [T] or null when not applied58 */59 fun deserialize(inputStream: InputStream): T? = null60 /**61 * Deserialize into [T] from a [Reader]62 *63 * @param reader [Reader] source bytes64 * @return [T] deserialized instance of [T] or null when not applied65 */66 fun deserialize(reader: Reader): T? = null67 /**68 * Deserialize into [T] from a [ByteArray]69 *70 * @note it is more efficient to implement the [InputStream] variant.71 *72 * @param bytes [ByteArray] source bytes73 * @return [T] deserialized instance of [T] or null when not applied74 */75 fun deserialize(bytes: ByteArray): T? = null76 /**77 * Deserialize into [T] from a [String]78 *79 * @note it is more efficient to implement the [Reader] variant.80 *81 * @param content [String] source bytes82 * @return [T] deserialized instance of [T] or null when not applied83 */84 fun deserialize(content: String): T? = null85}86/**87 * Deserialize the [Response] to the [this] into a [T] using [U]88 *89 * @see ResponseResultHandler90 *91 * @param deserializable [U] the instance that performs deserialization92 * @param handler [ResponseResultHandler<T>] handler that has a [Result]93 * @return [CancellableRequest] the request that can be cancelled94 */95fun <T : Any, U : Deserializable<T>> Request.response(deserializable: U, handler: ResponseResultHandler<T>): CancellableRequest =96 response(deserializable,97 { request, response, value -> handler(request, response, Result.Success(value)) },98 { request, response, error -> handler(request, response, Result.Failure(error)) }99 )100/**101 * Deserialize the [Response] to the [this] into a [T] using [U]102 *103 * @see ResultHandler104 *105 * @param deserializable [U] the instance that performs deserialization106 * @param handler [ResultHandler<T>] handler that has a [Result]107 * @return [CancellableRequest] the request that can be cancelled108 */109fun <T : Any, U : Deserializable<T>> Request.response(deserializable: U, handler: ResultHandler<T>): CancellableRequest =110 response(deserializable,111 { _, _, value -> handler(Result.Success(value)) },112 { _, _, error -> handler(Result.Failure(error)) }113 )114/**115 * Deserialize the [Response] to the [this] into a [T] using [U]116 *117 * @see ResponseHandler118 *119 * @param deserializable [U] the instance that performs deserialization120 * @param handler [ResponseHandler<T>] handler that has dedicated paths for success and failure121 * @return [CancellableRequest] the request that can be cancelled122 */123fun <T : Any, U : Deserializable<T>> Request.response(deserializable: U, handler: ResponseHandler<T>): CancellableRequest =124 response(deserializable,125 { request, response, value -> handler.success(request, response, value) },126 { request, response, error -> handler.failure(request, response, error) }127 )128/**129 * Deserialize the [Response] to the [this] into a [T] using [U]130 *131 * @see Handler132 *133 * @param deserializable [U] the instance that performs deserialization134 * @param handler [Handler<T>] handler that has dedicated paths for success and failure135 * @return [CancellableRequest] the request that can be cancelled136 */137fun <T : Any, U : Deserializable<T>> Request.response(deserializable: U, handler: Handler<T>): CancellableRequest =138 response(deserializable,139 { _, _, value -> handler.success(value) },140 { _, _, error -> handler.failure(error) }141 )142/**143 * Deserialize the [Response] to the [this] into a [T] using [U]144 *145 * @note not async, use the variations with a handler instead.146 *147 * @throws Exception if there is an internal library error, not related to Network or Deserialization148 *149 * @param deserializable [U] the instance that performs deserialization150 * @return [ResponseResultOf<T>] the response result of151 */152fun <T : Any, U : Deserializable<T>> Request.response(deserializable: U): ResponseResultOf<T> {153 // First execute the network request and catch any issues154 val rawResponse = runCatching { toTask().call() }155 .onFailure { error ->156 FuelError.wrap(error, Response.error(url)).also {157 return Triple(this, it.response, Result.error(it))158 }159 }160 .getOrThrow()161 // By this time it should have a response, but deserialization might fail162 return runCatching { Triple(this, rawResponse, Result.Success(deserializable.deserialize(rawResponse))) }163 .recover { error -> Triple(this, rawResponse, Result.Failure(FuelError.wrap(error, rawResponse))) }164 .getOrThrow()165}166/**167 * Ignore the response result168 *169 * Use this method to avoid huge memory allocation when using [com.github.kittinunf.fuel.core.requests.download]170 * to a large download and without using the result [ByteArray]171 *172 * @see [com.github.kittinunf.fuel.core.Request.response]173 *174 * @note not async, use the variations with a handler instead.175 *176 * @throws Exception if there is an internal library error, not related to Network177 */178fun Request.responseUnit(): ResponseResultOf<Unit> = response(EmptyDeserializer)179private fun <T : Any, U : Deserializable<T>> Request.response(180 deserializable: U,181 success: (Request, Response, T) -> Unit,182 failure: (Request, Response, FuelError) -> Unit183): CancellableRequest {184 val asyncRequest = RequestTaskCallbacks(185 request = this,186 onSuccess = { response ->187 // The network succeeded but deserialization might fail188 val deliverable = Result.of<T, Exception> { deserializable.deserialize(response) }189 executionOptions.callback {190 deliverable.fold(191 { success(this, response, it) },192 { failure(this, response, FuelError.wrap(it, response).also { error ->193 Fuel.trace { "[Deserializable] unfold failure: \n\r$error" } })194 }195 )196 }197 },198 onFailure = { error, response ->199 executionOptions.callback {200 failure(this, response, error.also { error ->201 Fuel.trace { "[Deserializable] callback failure: \n\r$error" }202 })203 }204 }205 )206 return CancellableRequest.enableFor(this, future = executionOptions.submit(asyncRequest))207}208/**209 * Await [T] or throws [FuelError]210 * @return [T] the [T]211 */212@Throws(FuelError::class)213suspend fun <T : Any, U : Deserializable<T>> Request.await(deserializable: U): T {214 val response = suspendable().await()215 return runCatching { deserializable.deserialize(response) }216 .onFailure { throw FuelError.wrap(it, response) }217 .getOrThrow()218}219/**220 * Await the task or throws [FuelError] in current coroutine context.221 *222 * Use this method to avoid huge memory allocation when using [com.github.kittinunf.fuel.core.requests.download]223 * to a large file without using response result224 *225 * To run method in different coroutine context, use `com.github.kittinunf.fuel.coroutines.awaitUnit` in `fuel-coroutines` module226 */227@Throws(FuelError::class)228suspend fun Request.awaitUnit(): Unit = await(EmptyDeserializer)229/**230 * Await [T] or [FuelError]231 * @return [ResponseOf<T>] the [Result] of [T]232 */233@Throws(FuelError::class)234suspend fun <T : Any, U : Deserializable<T>> Request.awaitResponse(deserializable: U): ResponseOf<T> {235 val response = suspendable().await()236 return runCatching { Triple(this, response, deserializable.deserialize(response)) }237 .onFailure { throw FuelError.wrap(it, response) }238 .getOrThrow()239}240/**241 * Await [T] or [FuelError]242 * @return [Result<T>] the [Result] of [T]243 */244suspend fun <T : Any, U : Deserializable<T>> Request.awaitResult(deserializable: U): Result<T, FuelError> {245 val initialResult = suspendable().awaitResult()246 return serializeFor(initialResult, deserializable).map { (_, t) -> t }247}248/**249 * Await [T] or [FuelError]250 * @return [ResponseResultOf<T>] the [ResponseResultOf] of [T]251 */252suspend fun <T : Any, U : Deserializable<T>> Request.awaitResponseResult(deserializable: U): ResponseResultOf<T> {253 val initialResult = suspendable().awaitResult()254 return serializeFor(initialResult, deserializable).let {255 Triple(this,256 it.fold({ (response, _) -> response }, { error -> error.response }),257 it.map { (_, t) -> t }258 )259 }260}261private fun <T : Any, U : Deserializable<T>> serializeFor(result: Result<Response, FuelError>, deserializable: U) =262 result.map { (it to deserializable.deserialize(it)) }263 .mapError <Pair<Response, T>, Exception, FuelError> {264 FuelError.wrap(it, result.getOrElse { Response.error() })265 }...

Full Screen

Full Screen

FuelWebService.kt

Source:FuelWebService.kt Github

copy

Full Screen

...63 Logger.error("${fuelError.response.statusCode} ${fuelError.response.url}", fuelError.exception)64 failure?.invoke(request, response, fuelError.exception)65 })66 }67 inline fun <reified T: Any> deserialize(content: String): T? =68 Deserializer(gson, T::class).deserialize(content)69 inner class Deserializer<T: Any>(private val gson: Gson, private val klass: KClass<T>): ResponseDeserializable<T> {70 override fun deserialize(content: String): T? {71 try {72 return gson.fromJson(content, klass.java)73 } catch (e: JsonSyntaxException) {74 Logger.wtf(e)75 return null76 }77 }78 }79}...

Full Screen

Full Screen

ApiWrapper.kt

Source:ApiWrapper.kt Github

copy

Full Screen

...39 post.file_url.httpDownload().fileDestination { _, _ ->40 destination41 }.awaitResult(NoopDeserializer)42 object PostDeserializer : ResponseDeserializable<List<Post>> {43 override fun deserialize(content: String): List<Post> = Gson().fromJson(content, Array<Post>::class.java).toList()44 }45 object TagDeserializer : ResponseDeserializable<List<Tag>> {46 override fun deserialize(content: String): List<Tag> = Gson().fromJson(content, Array<Tag>::class.java).toList()47 }48 object NoopDeserializer : ResponseDeserializable<Unit> {49 override fun deserialize(content: String): Unit = Unit50 }51}...

Full Screen

Full Screen

MainViewModel.kt

Source:MainViewModel.kt Github

copy

Full Screen

...46 }47 }48 }49 class Deserializer : ResponseDeserializable<GetImage> {50 override fun deserialize(reader: java.io.Reader) = Gson().fromJson(reader, GetImage::class.java)!!51 }52 class DeserializerResponseModel : ResponseDeserializable<ResponseModel> {53 override fun deserialize(reader: java.io.Reader) = Gson().fromJson(reader, ResponseModel::class.java)!!54 }55// class ListDeserializer : ResponseDeserializable<List<Issue>> {56// override fun deserialize(reader: Reader): List<Issue> {57// val type = object : TypeToken<List<Issue>>() {}.type58// return Gson().fromJson(reader, type)59// }60// }61}...

Full Screen

Full Screen

UserService.kt

Source:UserService.kt Github

copy

Full Screen

...14import kotlinx.coroutines.withContext1516suspend inline fun <reified T : Any> Request.to() =17 awaitObjectResult<T>(object : ResponseDeserializable<T> {18 override fun deserialize(content: String) = Gson().fromJson(content, T::class.java)19 })2021suspend inline fun Request.raw() =22 awaitStringResult()2324class UserService {25 init {26 FuelManager.instance.basePath = "https://enigmatic-hollows-35001.herokuapp.com/"27 }2829 suspend fun getUsers() = withContext(Dispatchers.IO) {30 Fuel31 .get("/user")32 /**33 * TODO: Request.to() not work, fix it.34 *35 * https://stackoverflow.com/questions/57963799/reified-generic-parameter-inside-coroutine-is-not-working36 *37 * List<User> not work, use Array<User>38 * https://stackoverflow.com/a/6040154839 */40 .awaitObjectResult<Array<User>>(object : ResponseDeserializable<Array<User>> {41 override fun deserialize(content: String) = Gson().fromJson(content, Array<User>::class.java)42 })43 }4445 suspend fun createUser() = withContext(Dispatchers.IO) {46 Fuel47 .post("/user")48 .body("{\"action\": \"CREATE\"}")49 .set("Content-Type", "application/json")50 .to<User>()51 }5253 suspend fun like(from: ID, to: ID) = Fuel54 .post("/user")55 .body("{\"action\": \"LIKE\", \"from\": \"$from\", \"to\":\"$to\"}")56 .set("Content-Type", "application/json")57 .raw()585960 suspend fun getChats(room_id: String) =61 Fuel.get("/chat/$room_id")62 .awaitObjectResult<Array<Chat>>(object : ResponseDeserializable<Array<Chat>> {63 override fun deserialize(content: String) = Gson().fromJson(content, Array<Chat>::class.java)})6465 suspend fun chat(room_id: String, from: ID, message: String) =66 Fuel.post("/chat/$room_id")67 .body("{\"message\":\"$message\", \"from\": \"$from\"}")68 .set("Content-Type", "application/json")69 .raw()7071} ...

Full Screen

Full Screen

FuelExtensions.kt

Source:FuelExtensions.kt Github

copy

Full Screen

...17 return body(mapper.writeValueAsString(body), charset)18}19suspend inline fun <reified V: Any, reified E: Any> Request.awaitObjectOrError(objectDeserializer: ResponseDeserializable<V> = safeJacksonDeserializerOf(), errorDeserializer: ResponseDeserializable<E> = safeJacksonDeserializerOf()): Pair<V?, E?> {20 val data = awaitByteArray()21 val objectData = objectDeserializer.deserialize(data)22 if (objectData != null)23 return objectData to null24 val errorData = errorDeserializer.deserialize(data)!!25 return null to errorData26}27inline fun <reified T : Any> safeJacksonDeserializerOf() = object : ResponseDeserializable<T> {28 override fun deserialize(reader: Reader): T? {29 try {30 return mapper.readValue(reader)31 } catch (mapping: JsonMappingException) {32 return null33 }34 }35 override fun deserialize(content: String): T? {36 try {37 return mapper.readValue(content)38 } catch (mapping: JsonMappingException) {39 return null40 }41 }42 override fun deserialize(bytes: ByteArray): T? {43 try {44 return mapper.readValue(bytes)45 } catch (mapping: JsonMappingException) {46 return null47 }48 }49 override fun deserialize(inputStream: InputStream): T? {50 try {51 return mapper.readValue(inputStream)52 } catch (mapping: JsonMappingException) {53 return null54 }55 }56}...

Full Screen

Full Screen

FuelJson.kt

Source:FuelJson.kt Github

copy

Full Screen

...4import com.github.kittinunf.fuel.core.Response5import com.github.kittinunf.fuel.core.response6import org.json.JSONObject7class JsonDeserializer : Deserializable<JSONObject> {8 override fun deserialize(response: Response): JSONObject {9 return JSONObject(response.dataStream.bufferedReader(Charsets.UTF_8).readText())10 }11}12fun Request.responseJSON() = response(JsonDeserializer())...

Full Screen

Full Screen

deserialize

Using AI Code Generation

copy

Full Screen

1import com.github.kittinunf.fuel.core.Deserializable2class UserDeserializer : Deserializable<User> {3override fun deserialize(content: String): User {4val json = JSONObject(content)5return User(json.getString("name"), json.getInt("age"))6}7}8import com.github.kittinunf.fuel.core.ResponseDeserializable9class UserDeserializer : ResponseDeserializable<User> {10override fun deserialize(content: String): User {11val json = JSONObject(content)12return User(json.getString("name"), json.getInt("age"))13}14}15import com.github.kittinunf.fuel.core.ResponseHandler16val handler = object : ResponseHandler<User> {17override fun success(request: Request, response: Response, value: User) {18}19override fun failure(request: Request, response: Response, error: FuelError) {20}21}22result.fold({ data ->23}, { error ->24})25}26import com.github.kittinunf.fuel.core.ResponseHandler27val handler = object : ResponseHandler<User> {28override fun success(request: Request, response: Response, value: User) {29}30override fun failure(request: Request, response: Response, error: FuelError) {31}32}33result.fold({ data ->34}, { error ->35})36}37import com.github.kittinunf.fuel.core.ResponseHandler38val handler = object : ResponseHandler<User> {39override fun success(request: Request, response: Response, value: User) {40}41override fun failure(request: Request, response: Response, error: FuelError) {42}43}

Full Screen

Full Screen

deserialize

Using AI Code Generation

copy

Full Screen

1val user: User = response.deserialize<User>()2val users: List<User> = response.deserialize<List<User>>()3val user: User = response.deserialize<User>()4val users: List<User> = response.deserialize<List<User>>()5val user: User = response.deserialize<User>()6val users: List<User> = response.deserialize<List<User>>()7val user: User = response.deserialize<User>()8val users: List<User> = response.deserialize<List<User>>()9val user: User = response.deserialize<User>()10val users: List<User> = response.deserialize<List<User>>()11val user: User = response.deserialize<User>()12val users: List<User> = response.deserialize<List<User>>()13val user: User = response.deserialize<User>()

Full Screen

Full Screen

deserialize

Using AI Code Generation

copy

Full Screen

1fun deserializeJson() {2.get()3.responseObject(Post.Deserializer())4println(request)5println(response)6println(result)7}8fun deserializeJsonArray() {9.get()10.responseObject(ListDeserializer(Post.Deserializer()))11println(request)12println(response)13println(result)14}15fun deserializeJsonArrayWithList() {16.get()17.responseObject(ListDeserializer(Post.Deserializer()), { response, result ->18result.fold({ posts ->19println(posts)20}, { error ->21println(error)22})23})24println(request)25println(response)26println(result)27}28fun deserializeXml() {29.get()30.responseObject(PostXml.Deserializer())31println(request)32println(response)33println(result)34}35fun deserializeXmlArray() {36.get()37.responseObject(ListDeserializer(PostXml.Deserializer()))38println(request)39println(response)40println(result)41}42fun deserializeXmlArrayWithList() {43.get()44.responseObject(ListDeserializer(PostXml.Deserializer()), { response, result ->45result.fold({ posts ->46println(posts)47}, { error ->48println(error)49})50})51println(request)52println(response)53println(result)54}55fun deserializeJsonWithCustomDeserializer() {56.get()57.responseObject(Post.Deserializer()) { response, result

Full Screen

Full Screen

deserialize

Using AI Code Generation

copy

Full Screen

1 val (data, error) = result2 println(data)3 println(error)4 class MyDeserializer : Deserializable<MyData> {5 override fun deserialize(content: String): MyData {6 return MyData()7 }8 }9 val (data, error) = result10 println(data)11 println(error)12 class MyDeserializer : Deserializable<MyData> {13 override fun deserialize(content: String): MyData {14 return MyData()15 }16 override fun deserialize(content: ByteArray): MyData {17 return MyData()18 }19 }20 val (data, error) = result21 println(data)22 println(error)23 class MyDeserializer : Deserializable<MyData> {24 override fun deserialize(content: String): MyData {25 return MyData()26 }27 override fun deserialize(content: ByteArray): MyData {28 return MyData()29 }30 }31 val (data, error) = result32 println(data)33 println(error)

Full Screen

Full Screen

deserialize

Using AI Code Generation

copy

Full Screen

1result.component1()?.let {2 Log.d("Fuel", "The name of the first user is ${it[0].name}")3}4result.component1()?.let {5 Log.d("Fuel", "The name of the first user is ${it[0].name}")6}7 val (userList, err) = result8 Log.d("Fuel", "The name of the first user is ${userList?.get(0)?.name}")9})10 val (userList, err) = result11 Log.d("Fuel", "The name of the first user is ${userList?.get(0)?.name}")12}13 val (userList, err) = result14 Log.d("Fuel", "The name of

Full Screen

Full Screen

Automation Testing Tutorials

Learn to execute automation testing from scratch with LambdaTest Learning Hub. Right from setting up the prerequisites to run your first automation test, to following best practices and diving deeper into advanced test scenarios. LambdaTest Learning Hubs compile a list of step-by-step guides to help you be proficient with different test automation frameworks i.e. Selenium, Cypress, TestNG etc.

LambdaTest Learning Hubs:

YouTube

You could also refer to video tutorials over LambdaTest YouTube channel to get step by step demonstration from industry experts.

Run Fuel automation tests on LambdaTest cloud grid

Perform automation testing on 3000+ real desktop and mobile devices online.

Most used method in Deserializable

Try LambdaTest Now !!

Get 100 minutes of automation test minutes FREE!!

Next-Gen App & Browser Testing Cloud

Was this article helpful?

Helpful

NotHelpful