Apache HttpClient4使用教程
基于HttpClient 4.5.2
执行GET请求
CloseableHttpClient httpClient = HttpClients.custom()
.build();
CloseableHttpResponse response = httpClient.execute(new HttpGet("https://www.baidu.com"));
System.out.println(EntityUtils.toString(response.getEntity()));
执行POST请求
- 提交form表单参数
CloseableHttpClient httpClient = HttpClients.custom()
.build();
HttpPost httpPost = new HttpPost("https://www.explame.com");
List<NameValuePair> formParams = new ArrayList<NameValuePair>();
//表单参数
formParams.add(new BasicNameValuePair("name1", "value1"));
formParams.add(new BasicNameValuePair("name2", "value2"));
UrlEncodedFormEntity entity = new UrlEncodedFormEntity(formParams, "utf-8");
httpPost.setEntity(entity);
CloseableHttpResponse response = httpClient.execute(httpPost);
System.out.println(EntityUtils.toString(response.getEntity()));
- 提交payload参数
CloseableHttpClient httpClient = HttpClients.custom()
.build();
HttpPost httpPost = new HttpPost("https://www.explame.com");
StringEntity entity = new StringEntity("{\"id\": \"1\"}");
httpPost.setEntity(entity);
CloseableHttpResponse response = httpClient.execute(httpPost);
System.out.println(EntityUtils.toString(response.getEntity()));
- post上传文件
CloseableHttpClient httpClient = HttpClients.custom()
.build();
HttpPost httpPost = new HttpPost("https://www.example.com");
MultipartEntityBuilder multipartEntityBuilder = MultipartEntityBuilder.create();
//要上传的文件
multipartEntityBuilder.addBinaryBody("file", new File("temp.txt"));
httpPost.setEntity(multipartEntityBuilder.build());
CloseableHttpResponse response = httpClient.execute(httpPost);
System.out.println(EntityUtils.toString(response.getEntity()));
- post提交multipart/form-data类型参数
CloseableHttpClient httpClient = HttpClients.custom()
.build();
HttpPost httpPost = new HttpPost("https://www.example.com");
MultipartEntityBuilder multipartEntityBuilder = MultipartEntityBuilder.create();
multipartEntityBuilder.addTextBody("username","wycm");
multipartEntityBuilder.addTextBody("passowrd","123");
//文件
multipartEntityBuilder.addBinaryBody("file", new File("temp.txt"));
httpPost.setEntity(multipartEntityBuilder.build());
CloseableHttpResponse response = httpClient.execute(httpPost);
System.out.println(EntityUtils.toString(response.getEntity()));
- 提交form表单参数
设置User-Agent
CloseableHttpClient httpClient = HttpClients.custom()
.setUserAgent("Mozilla/5.0")
.build();
CloseableHttpResponse response = httpClient.execute(new HttpGet("https://www.baidu.com"));
System.out.println(EntityUtils.toString(response.getEntity()));
设置重试处理器
当请求超时, 会自动重试,最多3次HttpRequestRetryHandler retryHandler = (exception, executionCount, context) -> {
if (executionCount >= 3) {
return false;
}
if (exception instanceof InterruptedIOException) {
return true;
}
if (exception instanceof UnknownHostException) {
return true;
}
if (exception instanceof ConnectTimeoutException) {
return true;
}
if (exception instanceof SSLException) {
return true;
}
HttpClientContext clientContext = HttpClientContext.adapt(context);
HttpRequest request = clientContext.getRequest();
boolean idempotent = !(request instanceof HttpEntityEnclosingRequest);
if (idempotent) {
return true;
}
return false;
};
CloseableHttpClient httpClient = HttpClients.custom()
.setRetryHandler(retryHandler)
.build();
httpClient.execute(new HttpGet("https://www.baidu.com"));
重定向策略
- HttpClient默认情况
会对302、307的GET和HEAD请求以及所有的303状态码做重定向处理 - 关闭自动重定向
CloseableHttpClient httpClient = HttpClients.custom()
//关闭httpclient重定向
.disableRedirectHandling()
.build();
- POST支持302状态码重定向
CloseableHttpClient httpClient = HttpClients.custom()
//post 302支持重定向
.setRedirectStrategy(new LaxRedirectStrategy())
.build();
CloseableHttpResponse response = httpClient.execute(new HttpPost("https://www.explame.com"));
System.out.println(EntityUtils.toString(response.getEntity()));
- HttpClient默认情况
定制cookie
- 方式一:通过addHeader方式设置(不推荐这种方式)
CloseableHttpClient httpClient = HttpClients.custom()
.build();
HttpGet httpGet = new HttpGet("http://www.example.com");
httpGet.addHeader("Cookie", "name=value");
httpClient.execute(httpGet);
由于HttpClient默认会维护cookie状态。如果这个请求response中有Set-Cookie头,那下次请求的时候httpclient默认会把这个Cookie带上。并且会新建一行header。如果再遇到
httpGet.addHeader("Cookie", "name=value");
那么下次请求则会有两行name为Cookie的header。 - 方式二:通过CookieStore的方式,以浏览器中的cookie为例(推荐)
//此处直接粘贴浏览器cookie
final String RAW_COOKIES = "name1=value1; name2=value2";
final CookieStore cookieStore = new BasicCookieStore();
for (String rawCookie : RAW_COOKIES.split("; ")){
String[] s = rawCookie.split("=");
BasicClientCookie cookie = new BasicClientCookie(s[0], s[1]);
cookie.setDomain("baidu.com");
cookie.setPath("/");
cookie.setSecure(false);
cookie.setAttribute("domain", "baidu.com");
Calendar calendar = Calendar.getInstance();
calendar.add(Calendar.DAY_OF_MONTH, +5);
cookie.setExpiryDate(calendar.getTime());
cookieStore.addCookie(cookie);
}
CloseableHttpClient httpClient = HttpClients.custom()
.setDefaultCookieStore(cookieStore)
.build();
httpClient.execute(new HttpGet("https://www.baidu.com"));
这种方式把定制的cookie交给httpclient维护。
- 方式一:通过addHeader方式设置(不推荐这种方式)
cookie管理
- 方式一:初始化HttpClient时,传入一个自己CookieStore对象
CookieStore cookieStore = new BasicCookieStore();
CloseableHttpClient httpClient = HttpClients.custom()
.setDefaultCookieStore(cookieStore)
.build();
httpClient.execute(new HttpGet("https://www.baidu.com"));
//请求一次后,清理cookie再发起一次新的请求
cookieStore.clear();
httpClient.execute(new HttpGet("https://www.baidu.com"));
- 方式二:每次执行请求的时候传入自己的HttpContext对象
//注:HttpClientContext不是线程安全的,不要多个线程维护一个HttpClientContext
HttpClientContext httpContext = HttpClientContext.create();
CloseableHttpClient httpClient = HttpClients.custom()
.build();
httpClient.execute(new HttpGet("https://www.baidu.com"), httpContext);
//请求一次后,清理cookie再发起一次新的请求
httpContext.getCookieStore().clear();
httpClient.execute(new HttpGet("https://www.baidu.com"));
- 方式一:初始化HttpClient时,传入一个自己CookieStore对象
http代理的配置
CloseableHttpClient httpClient = HttpClients.custom()
//设置代理
.setRoutePlanner(new DefaultProxyRoutePlanner(new HttpHost("localhost", 8888)))
.build();
CloseableHttpResponse response = httpClient.execute(new HttpGet("http://www.example.com"));
System.out.println(EntityUtils.toString(response.getEntity()));
SSL配置
//默认信任
SSLContext sslContext = SSLContexts.custom()
.loadTrustMaterial(KeyStore.getInstance(KeyStore.getDefaultType())
, (chain, authType) -> true).build();
Registry<ConnectionSocketFactory> socketFactoryRegistry =
RegistryBuilder.<ConnectionSocketFactory>create()
.register("http", new SocketProxyPlainConnectionSocketFactory())
.register("https", new SocketProxySSLConnectionSocketFactory(sslContext))
.build();
CloseableHttpClient httpClient = HttpClients.custom()
.setConnectionManager(new PoolingHttpClientConnectionManager(socketFactoryRegistry))
.build();
HttpClientContext httpClientContext = HttpClientContext.create();
httpClientContext.setAttribute("socks.address", new InetSocketAddress("127.0.0.1", 1086));
CloseableHttpResponse response = httpClient.execute(new HttpGet("https://httpbin.org/ip"), httpClientContext);
System.out.println(EntityUtils.toString(response.getEntity()));
socket代理配置
static class SocketProxyPlainConnectionSocketFactory extends PlainConnectionSocketFactory{
@Override
public Socket createSocket(final HttpContext context) {
InetSocketAddress socksAddr = (InetSocketAddress) context.getAttribute("socks.address");
if (socksAddr != null){
Proxy proxy = new Proxy(Proxy.Type.SOCKS, socksAddr);
return new Socket(proxy);
} else {
return new Socket();
}
}
}
static class SocketProxySSLConnectionSocketFactory extends SSLConnectionSocketFactory {
public SocketProxySSLConnectionSocketFactory(final SSLContext sslContext) {
super(sslContext, NoopHostnameVerifier.INSTANCE);
} @Override
public Socket createSocket(final HttpContext context) {
InetSocketAddress socksAddr = (InetSocketAddress) context.getAttribute("socks.address");
if (socksAddr != null){
Proxy proxy = new Proxy(Proxy.Type.SOCKS, socksAddr);
return new Socket(proxy);
} else {
return new Socket();
}
} }
/**
* socket代理配置
*/
public static void socketProxy() throws Exception {
//默认信任
SSLContext sslContext = SSLContexts.custom()
.loadTrustMaterial(KeyStore.getInstance(KeyStore.getDefaultType())
, (X509Certificate[] chain, String authType) -> true).build();
Registry<ConnectionSocketFactory> socketFactoryRegistry =
RegistryBuilder.<ConnectionSocketFactory>create()
.register("http", new SocketProxyPlainConnectionSocketFactory())
.register("https", new SocketProxySSLConnectionSocketFactory(sslContext))
.build();
CloseableHttpClient httpClient = HttpClients.custom()
.setConnectionManager(new PoolingHttpClientConnectionManager(socketFactoryRegistry))
.build();
HttpClientContext httpClientContext = HttpClientContext.create();
httpClientContext.setAttribute("socks.address", new InetSocketAddress("127.0.0.1", 1086));
CloseableHttpResponse response = httpClient.execute(new HttpGet("https://httpbin.org/ip"), httpClientContext);
System.out.println(EntityUtils.toString(response.getEntity()));
}
下载文件
CloseableHttpClient httpClient = HttpClients.custom().build();
CloseableHttpResponse response = httpClient.execute(new HttpGet("https://www.example.com"));
InputStream is = response.getEntity().getContent();
Files.copy(is, new File("temp.png").toPath(), StandardCopyOption.REPLACE_EXISTING);
最后
- 完整Demo源码下载地址:https://github.com/wycm/HttpClientDemo
版权声明
作者:wycm
出处:https://www.cnblogs.com/w-y-c-m/p/9237335.html
您的支持是对博主最大的鼓励,感谢您的认真阅读。
本文版权归作者所有,欢迎转载,但未经作者同意必须保留此段声明,且在文章页面明显位置给出原文连接,否则保留追究法律责任的权利。
Apache HttpClient4使用教程的更多相关文章
- CentOS6.0(64位)安装Apache+PHP+Mysql教程,安装Magento(解决DOM,Mcrypt,GD问题)完整教程
CentOS6.0(64位)安装Apache+PHP+Mysql教程,安装Magento(解决DOM,Mcrypt,GD问题)完整教程 0 Posted by :小黑 On : 2012 年 9 ...
- Tips & Tricks:Apache log4j简明教程(二)
在上一讲Apache log4j简明教程(一)中介绍了log4j的基本概念,配置文件,以及将日志写入文件的方法,并给出了一个详细的示例.这一讲,我在继续谈一谈如何使用log4j将日志写入MySQL数据 ...
- Tips & Tricks:Apache log4j简明教程(一)
Apache log4j的官方介绍是“log4j is a reliable, fast and flexible logging framework (APIs) written in Java, ...
- Apache Solr入门教程(初学者之旅)
Apache Solr入门教程(初学者之旅) 写在前面:本文涉及solr入门的各方面,建议边思考边实践,相信能帮助你对solr有个清晰全面的了解并能简单实用. 在Apache Solr初学者教程的这个 ...
- Apache Solr 初级教程(介绍、安装部署、Java接口、中文分词)
Python爬虫视频教程零基础小白到scrapy爬虫高手-轻松入门 https://item.taobao.com/item.htm?spm=a1z38n.10677092.0.0.482434a6E ...
- Apache Pig中文教程集合
Apache Pig中文教程集合: http://www.codelast.com/?p=4550#more-4550
- 整合Apache与PHP教程
Apache下载安装完成后,PHP下载解压后,最重要的是如何将他们连接起来,就是整合到一起,让它们之间有联系,笔者根据自己多次配的经验和帮学弟学妹配时他们的理解程度整理了一个比较详细易理解的版本,下面 ...
- 【翻译】Apache Shiro10分钟教程
本文为翻译文,原文地址:http://shiro.apache.org/10-minute-tutorial.html 介绍 欢迎来到Apache Shiro的10分钟教程! 通过这个教程,你会明白一 ...
- Apache隐藏版本号教程(CentOS)
1 找到Apache配置文件/etc/httpd/conf/httpd.conf 2 给该文件添加写权限:chmod u+w httpd.conf 3 打开该文件找到ServerTokens字段将其值 ...
随机推荐
- 使用fetch-jsonp进行跨域以及参数的传递
其实fetch-jsonp的官方文档里面已经写得很详细了,连接如下:https://github.com/camsong/fetch-jsonp:但是由于它本身没有多少demo,所以自己在上手的时候遇 ...
- iOS应用国际化教程(2014版)
本文转载至 http://www.cocoachina.com/industry/20140526/8554.html 这篇教程将通过一款名为iLikeIt的应用带你了解最基础的国际化概念,并为你的应 ...
- Jenkins反序列化漏洞cve-2017-1000353
一.漏洞原理: 本地没有环境:参考:https://blogs.securiteam.com/index.php/archives/3171 进行学习理解记录. 首先这是一个java反序列化漏洞 ...
- linux下安装F-prot杀毒软件
一. f-prot的安装 1.首先我们要创建一个带有超级权限的用户 sudo passwa root 2.su 切换用户 3.下载F-prot http://www.f-prot.com/downlo ...
- windowSoftInputMode
有个问题困扰我一晚上,每次进入Activity后,EditText自动获得焦点弹出软键盘,键盘遮挡listView,使得无法显示最后一条消息.我在edittext点击事件中也设定了,listView. ...
- intelliij jdea 的file没有setting的解决方法
- supervisor安装篇
服务器环境: [root@kafka60 supervisor-]# uname -a Linux kafka60 -.el6.x86_64 # SMP Tue May :: UTC x86_64 x ...
- PHP unlink()函数,删除文件
定义和用法 unlink() 函数删除文件. 若成功,则返回 true,失败则返回 false. 语法 unlink(filename,context) 参数 描述 filename 必需.规定要删除 ...
- 青岛网络赛J-Press the button【暴力】
Press the Button Time Limit: 1 Second Memory Limit: 131072 KB BaoBao and DreamGrid are playing ...
- Quartz学习记录
参考资料: 官方网站 Quartz使用总结