最近在重构公司app的架构时发现,旧项目居然还在用android-async-http,这个库最新版本也是几年前的了,关键是Google官方就不推荐http client。果不其然 ,在测试局域网请求时发现android-async-http莫名延迟几秒(互联网请求没问题),volley测试就都OK。话不多说,开始动刀网络库。
volley
许久未更新的volley最近从1.0.0更新到了1.1.0,虽然使用方便,但想要实现restful又得自己封装一层,且毕竟java way,不如kotlin来的简介。最大的硬伤,不支持上传文件,得自己扩展。
retrofit+okhttp+rxjava
安卓开发的主流,retrofit的restful接口很棒,使用rxjava也简化了调用。但是相比于kotlin,实在不够简洁,且过度的封装导致注解较多,实际方法比较深,不够优雅。
Kolley
用kotlin anko的简洁形式对okhttp进行的网络库封装。如果是前期验证demo使用起来可谓得心应手。但由于封装比较高,对中大型项目抽调接口单独封装比较麻烦。笔者对此项目贡献过一个pull request(解决一个中文乱码问题)。附上项目地址:ohmerhe/Kolley。
Fuel
玩iOS的时候就深叹,要是Android也有个类似moya的网络请求封装就好了。google了半天,终于被我找到了那双滑板鞋,不对,是优雅的网络库,号称最简单的kotlin网络库,且支持android。Fuel默认使用URLConnection,可以自己封装okhttp等作为底层使用。然而这个库的国内中文资料却几乎没有。看来需要我来安利一波。
那么怎么用呢?
首先在build.gradle里集成fuel库
repositories {
jcenter()
}
dependencies {
compile 'com.github.kittinunf.fuel:fuel-android:1.13.0' //for Android
}
其实fuel还支持很多扩展库 比如 fuel:fuel-rxjava
、fuel:fuel-gson
、fuel:fuel-jackson
等等,这里先介绍主要的网络请求部分。
使用fuel发送get请求:
Fuel.get("http://httpbin.org/post").response { request, response, result ->
val (data, error) = result
}
简单不,一句闭包。有人得问,起码得有onsuccess,onfail回调啊。别急,都在上面的result
里。看到val (data, error) = result
了没,result
包含data
返回数据和error
错误两个参数,其中又有如http status code
等参数。如果error为空,则请求成功,只需要关注data
的结果即可。
使用fuel发送post请求:
Fuel.post("http://httpbin.org/post").body("{ \"foo\" : \"bar\" }").response { request, response, result ->
val (data, error) = result
}
如果有baseURL,还可以先定义好全局url,其他接口直接加上url后缀,或者一些例如token等固有header
:
//fuel全局设置
FuelManager.instance.basePath = "http://httpbin.org"
//直接加后缀进行get请求
"/get".httpGet().responseString { request, response, result ->
//make a GET to http://httpbin.org/get and do something with response
val (data, error) = result
if (error == null) {
//do something when success
} else {
//error handling
}
}
上传文件(file形式):
Fuel.upload("/post").source { request, url ->
File.createTempFile("temp", ".tmp");
}.name{"pic"}.responseString { request, response, result ->
}
上传文件(byteArray形式):
Fuel.upload("/post").blob { request, url ->
Blob("filename.png", bytearray.length, { bytearray.getInputStream() })
}.name{"pic"}.responseString { request, response, result ->
}
返回时也可以直接使用Gson进行结果解析:
//User Model
data class User(val firstName: String = "",
val lastName: String = "") {
//User Deserializer
class Deserializer : ResponseDeserializable<User> {
override fun deserialize(content: String) = Gson().fromJson(content, User::class.java)
}
}
//Use httpGet extension
"http://www.example.com/user/1".httpGet().responseObject(User.Deserializer()) { req, res, result ->
//result is of type Result<User, Exception>
val (user, err) = result
println(user.firstName)
println(user.lastName)
}
最后附上Fuel的github源码地址kittinunf/Fuel,是时候扔掉retrofit了~
网友评论