HttpClient ResponseHandler接口
建议使用ResponseHandler响应处理器处理 HTTP 响应。在本章中,我们将讨论如何创建响应处理程序以及如何使用它们来处理响应。
如果使用响应处理程序,所有 HTTP 连接将自动释放。
如何创建响应处理程序
HttpClient API在 org.apache.http.client 包中提供了一个称为ResponseHandler的接口。为了创建一个响应处理程序,实现这个接口并覆盖它的handleResponse()方法。
每个响应都有一个状态代码,如果状态代码在 200 到 300 之间,则表示该操作已成功接收、理解和接受。因此,在我们的示例中,我们将处理具有此类状态代码的响应实体。
使用响应处理程序执行请求
按照下面给出的步骤使用响应处理程序执行请求。
1)创建一个HttpClient对象
HttpClients类的createDefault()方法返回类CloseableHttpClient的对象,它是HttpClient接口的基本实现。使用此方法创建一个 HttpClient 对象。
CloseableHttpClient httpclient = HttpClients.createDefault();
2)实例化ResponseHandler对象
使用以下代码行实例化上面创建的响应处理程序对象
ResponseHandler<String> responseHandler = new MyResponseHandler();
3)创建一个HttpGet对象
上述HTTPGET类表示检索使用URI给定服务器的信息的HTTP GET请求。
通过实例化 HttpGet 类并将表示 URI 的字符串作为参数传递给其构造函数来创建 HttpGet 请求。
ResponseHandler<String> responseHandler = new MyResponseHandler();
4)使用ResponseHandler对象执行Get请求
该CloseableHttpClient类具有的变体的execute() 方法,该方法接受两个对象ResponseHandler所和HttpUriRequest,并返回一个响应对象。
String httpResponse = httpclient.execute(httpget, responseHandler);
ResponseHandler接口的例子
package com.yiidian;
import org.apache.http.HttpEntity;
import org.apache.http.HttpResponse;
import org.apache.http.client.ResponseHandler;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.impl.client.CloseableHttpClient;
import org.apache.http.impl.client.HttpClients;
import org.apache.http.util.EntityUtils;
import java.io.IOException;
class MyResponseHandler implements ResponseHandler<String> {
public String handleResponse(final HttpResponse response) throws IOException {
//Get the status of the response
int status = response.getStatusLine().getStatusCode();
if (status >= 200 && status < 300) {
HttpEntity entity = response.getEntity();
if(entity == null) {
return "";
} else {
return EntityUtils.toString(entity);
}
} else {
return ""+status;
}
}
}
public class ResponseHandlerExample {
public static void main(String args[]) throws Exception{
//Create an HttpClient object
CloseableHttpClient httpclient = HttpClients.createDefault();
//instantiate the response handler
ResponseHandler<String> responseHandler = new MyResponseHandler();
//Create an HttpGet object
HttpGet httpget = new HttpGet("http://www.yiidian.com/");
//Execute the Get request by passing the response handler object and HttpGet object
String httpresponse = httpclient.execute(httpget, responseHandler);
System.out.println(httpresponse);
}
}
输出结果为:
热门文章
优秀文章