作者:mobiledu2502884523 | 来源:互联网 | 2023-09-03 08:00
概述:
Okhttp官网
HTTP是现代应用常用的一种交换数据和媒体的网络方式。高效地使用HTTP能让资源加载更快,节省带宽。
OkHttp是一个高效的HTTP客户端,它有以特性:
支持HTTP/2,允许所有同一个主机地址的请求共享同一个socket连接
连接池可以减少请求延时(如果HTTP/2不可用)
透明的GZIP压缩减少响应数据的大小
缓存响应内容,避免一些完全重复的请求
当网络出现问题的时候OkHttp依然坚守自己的职责,它会自动恢复一般的连接问题,如果你的服务有多个IP地址,当第一个IP请求失败时,OkHttp会交替尝试你配置的其他IP。这对于IPv4+IPv6和托管在冗余数据中心的服务是必要的,OkHttp使用现代TLS技术(SNI, ALPN)初始化新的连接,当握手失败时会回退到TLS 1.0。
要求:
note: OkHttp 支持 Android 2.3 及以上版本Android平台, 对于 Java, JDK 1.7及以上.
二、 使用:
1 . 前期准备:
1.1 在build.gradle 中添加:
implementation ‘com.squareup.okhttp3:okhttp:3.12.0’
最新版本可到github上获取: https://github.com/square/okhttp
1.2 在AndroidManifest.xml中开启网络请求权限:
2. 示例
2.1 同步get请求:
OkHttpClient client = new OkHttpClient();
String run(String url) throws IOException {
Request request = new Request.Builder()
.url(url)
.build();
Response respOnse= client.newCall(request).execute();
return response.body().string();
}
2.2 异步get请求:
OkHttpClient client = new OkHttpClient();
String run(String url) throws IOException {
Request request = new Request.Builder()
.url(url)
.build();
Call call = okHttpClient.newCall(request);
call.enqueue(new Callback() {
@Override
public void onFailure(Call call, IOException e) {
Log.d(TAG, "onFailure: ");
}
@Override
public void onResponse(Call call, Response response) throws IOException {
Log.d(TAG, "onResponse: " + response.body().string());
}
});
2.3 同步post请求:
表面上比get多一个body体,就是在构造Request对象时,需要多构造一个RequestBody对象,用它来携带我们要提交的数据。在构造 RequestBody 需要指定MediaType,用于描述请求/响应 body 的内容类型。
public static final MediaType JSON
= MediaType.parse("application/json; charset=utf-8");
OkHttpClient client = new OkHttpClient();
String post(String url, String json) throws IOException {
RequestBody body = RequestBody.create(JSON, json);
Request request = new Request.Builder()
.url(url)
.post(body)
.build();
Response respOnse= client.newCall(request).execute();
return response.body().string();
}
2.4 异步post请求:
public static final MediaType JSON
= MediaType.parse("application/json; charset=utf-8");
OkHttpClient client = new OkHttpClient();
String post(String url, String json) throws IOException {
RequestBody body = RequestBody.create(JSON, json);
Request request = new Request.Builder()
.url(url)
.post(body)
.build();
Call call = okHttpClient.newCall(request);
call.enqueue(new Callback() {
@Override
public void onFailure(Call call, IOException e) {
Log.d(TAG, "onFailure: ");
}
@Override
public void onResponse(Call call, Response response) throws IOException {
Log.d(TAG, "onResponse: " + response.body().string());
}
});
实践:
请求结果:
github地址:https://github.com/Dongxk/WeChat-Android.git