以前一直使用Retrofit2来进行网络请求,偶然的一次机会,项目要求使用同步的网络请求方式,我们都知道,Retrofit2使用异步的方式请求网络(为了避免同步请求网络阻塞UI线程).下面是详细步骤 :
第一步 :
添加依赖包 :
// okhttp3的依赖
compile 'com.squareup.okhttp3:okhttp:3.8.1'
// gson解析的依赖
compile 'com.google.code.gson:gson:2.8.0'
如果你已经添加了Retrofit2的依赖包,也可以 :
// Retrofit2的依赖
compile 'com.squareup.retrofit2:retrofit:2.3.0'
// gson解析的依赖
compile 'com.squareup.retrofit2:converter-gson:2.3.0'
第二步 :
AndroidManifest.xml中添加网络权限 :
<uses-permission android:name="android.permission.INTERNET"/>
第三步 :
封装4个函数 : get 的同/异步方式, post 的同/异步方式
注意 : 同步get/post请求,都要放在子线程中,否则会报异常 : NetworkOnMainThreadException
3.1 get 同步请求
public static String getSync(String url){
String s="";
OkHttpClient client = new OkHttpClient();
Request request = new Request.Builder().url(url).build(); //创建url的请求
Response response = null;
try {
response = client.newCall(request).execute(); //execute() : 同步, enqueue() : 异步
s = response.body().string(); //获取数据
} catch (IOException e) {
e.printStackTrace();
}
return s;
}
获取到数据后(以Json数据为例),创建Bean类,并使用Gson来解析Json字符串 :
String s = OkHttp3Util.getSync(请求的url);
if (!TextUtils.isEmpty(s)) {
Gson gson = new Gson();
DataBean bean = gson.fromJson(s, DataBean.class);
if (bean != null) {
//操作数据....
}
}
3.2 post 同步请求
public static String postSync(String url, String body) { //body为参数列表
String s = "";
OkHttpClient client = new OkHttpClient();
//"application/x-www-form-urlencoded" form表单数据被编码为key/value格式发送到服务器(表单默认的提交数据的格式)
RequestBody requestBody = RequestBody.create(MediaType.parse("application/x-www-form-urlencoded"), body);
Request request = new Request.Builder().url(url).post(requestBody).build();
try {
Response response = client.newCall(request).execute();
s = response.body().string();
} catch (IOException e) {
e.printStackTrace();
}
return s;
}
3.3 get 异步请求
public static void getAsync(String url, Callback callback) {
OkHttpClient client = new OkHttpClient();
Request request = new Request.Builder().url(url).build();
client.newCall(request).enqueue(callback);
}
调用方式 :
OkHttp3Util.getAsync(请求的url, new Callback() {
@Override
public void onFailure(Call call, IOException e) {
//请求失败
}
@Override
public void onResponse(Call call, Response response) throws IOException {
//请求成功
String string = response.body().string();
if (!TextUtils.isEmpty(string)) {
Gson gson = new Gson();
AccountInfoBean bean = gson.fromJson(string, AccountInfoBean.class);
//数据操作
}
}
});
3.4 post 异步请求
public static void postAsync(String url,String body,Callback callback) {
OkHttpClient client = new OkHttpClient();
RequestBody requestBody = RequestBody.create(MediaType.parse("application/x-www-form-urlencoded"), body);
Request request = new Request.Builder().url(url).post(requestBody).build();
client.newCall(request).enqueue(callback);
}
调用方式与get 异步请求类似