httpclient实现的get请求及post请求
导出mven依赖
<dependency>
<groupId>org.apache.httpcomponents</groupId>
<artifactId>httpclient</artifactId>
<version>4.5.6</version>
</dependency>
package testhttpclient.testhttpclient; import java.io.IOException;
import java.io.UnsupportedEncodingException;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.HashSet;
import java.util.List;
import java.util.Map;
import java.util.Set; import org.apache.http.Header;
import org.apache.http.HttpEntity;
import org.apache.http.HttpHost;
import org.apache.http.HttpRequest;
import org.apache.http.HttpResponse;
import org.apache.http.HttpStatus;
import org.apache.http.NameValuePair;
import org.apache.http.ParseException;
import org.apache.http.client.ClientProtocolException;
import org.apache.http.client.HttpClient;
import org.apache.http.client.config.RequestConfig;
import org.apache.http.client.entity.UrlEncodedFormEntity;
import org.apache.http.client.methods.CloseableHttpResponse;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.client.methods.HttpPost;
import org.apache.http.client.methods.HttpRequestBase;
import org.apache.http.impl.client.BasicCookieStore;
import org.apache.http.impl.client.CloseableHttpClient;
import org.apache.http.impl.client.HttpClients;
import org.apache.http.message.BasicNameValuePair;
import org.apache.http.util.EntityUtils; public class HttpClientComm { /**
* 客户端总成
*/
protected CloseableHttpClient httpclient;
/**
* cookie信息
*/
protected Set<String>cookies;
/**
* get方法
*/
protected HttpGet httpget;
/**
* post方法
*/
protected HttpPost httppost;
/**
* 代理
*/
protected HttpHost proxy;
/**
* 设置默认延迟时间
*/
protected RequestConfig requestconfig;
/**
* 返回存储数据map
*/
protected Map<String,String>resultmap; /**
* 响应状态
*/
public final String HTTPSTATUS="status";
/**
* 返回数据结果
*/
public final String HTTPRESULT="httpresult";
/**
* 初始化客户端
*/
public HttpClientComm() {
httpclient=HttpClients.createDefault();
requestconfig=RequestConfig.custom().setConnectionRequestTimeout(10*1000).setSocketTimeout(10*1000).build();
cookies=new HashSet<String>(16);
}
/**
* 初始化请求,设置请求时间
* @param millistimeout
*/
public HttpClientComm(int millistimeout) {
httpclient=HttpClients.createDefault();
requestconfig=RequestConfig.custom().setConnectionRequestTimeout(10*1000).setSocketTimeout(10*1000).build();
cookies=new HashSet<String>(16);
}
/**
* 设置代理
*
* @Data:上午11:02:43
* @Package:testhttpclient.testhttpclient
* @Return:void
* @Auth:diao
*/
public void setProxy(String Address,int port)
{
proxy=new HttpHost(Address, port);
requestconfig=RequestConfig.custom().setProxy(proxy).build();
}
/**
* 释放请求资源
*
* @Data:上午11:03:27
* @Package:testhttpclient.testhttpclient
* @Return:void
* @Auth:diao
*/
public void close()
{
if(cookies!=null)
{
cookies=null;
}
if(proxy!=null)
{
proxy=null;
}
if(resultmap!=null)
{
resultmap=null;
}
if(httpget!=null)
{
httpget.releaseConnection();
}
if(httppost!=null)
{
httppost.releaseConnection();
}
if(httpclient!=null)
{
try {
httpclient.close();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}finally {
httpclient=null;
}
}
}
/**
*
* get请求传递的连接,请求头
* @Data:上午11:15:10
* @Package:testhttpclient.testhttpclient
* @Return:Map<String,String>
* @Auth:diao
*/
public Map<String,String>get(String url,Map<String,String>headers){
httpget=new HttpGet(url);
httpget.setConfig(requestconfig);
headers.forEach((a,b)->{
httpget.addHeader(a, b);
});
httpget.addHeader("cookie",cookies.toString().substring(1,cookies.toString().length()-1)); CloseableHttpResponse respose=null; try {
respose=httpclient.execute(httpget);
} catch (ClientProtocolException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return getResData(respose, httpget);
}
/**
* post请求方式
*
* @Data:下午2:01:15
* @Package:testhttpclient.testhttpclient
* @Return:Map<String,String>
* @Auth:diao
*/
public Map<String,String>post(String url,Map<String,String>headers,Map<String,String>params,String charset) throws UnsupportedEncodingException
{
//设置请求方法及连接信息
httppost=new HttpPost(url);
//设置请求参数
httppost.setConfig(requestconfig);
//设置请求头
headers.forEach((a,b)->{
httpget.addHeader(a, b);
});
BasicCookieStore cookie=new BasicCookieStore();
HttpClients.custom().setDefaultCookieStore(cookie).build();
httppost.addHeader("cookie",cookies.toString().substring(1,cookies.toString().length()-1));
List<NameValuePair>pairs=null;
if(params!=null&&!params.isEmpty())
{
pairs=new ArrayList<NameValuePair>(params.size());
for(String key:params.keySet())
{
pairs.add(new BasicNameValuePair(key,params.get(key).toString()));
}
}
if(pairs!=null&&pairs.size()>0)
{
httppost.setEntity(new UrlEncodedFormEntity(pairs,charset));
}
//执行请求
HttpResponse response=null;
try {
response=httpclient.execute(httppost);
} catch (ClientProtocolException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return getResData(response, httppost);
} /**
* 处理http结果请求
*
* @Data:下午1:42:28
* @Package:testhttpclient.testhttpclient
* @Return:Map<String,String>
* @Auth:diao
*/
public Map<String,String> getResData(HttpResponse response,HttpRequestBase requestbase)
{
int status=405;
if(response!=null)
{
status=response.getStatusLine().getStatusCode();
for(Header header:response.getAllHeaders())
{
if("Set-Cookie".equalsIgnoreCase(header.getName()))
{
cookies.add(header.getValue());
}
}
}
resultmap=new HashMap<>(16);
resultmap.put(HTTPRESULT,status+"");
resultmap.put(HTTPRESULT, null);
if(status!=HttpStatusEnum.OK.code())
{
requestbase.abort();
}else {
HttpEntity entity= response.getEntity();
if(entity!=null)
{
try {
String data=EntityUtils.toString(entity,"utf-8"); String start="[",end="]";
if(data.startsWith(start))
{
data=data.substring(1);
}
if(data.endsWith(end))
{
data=data.substring(0,data.length()-1);
}
data=data.replaceAll("\\\\t|\\\\n|\\r\\n","");
data=data.replaceAll("\\\\/","/");
data=decodeUnicode(data);
resultmap.put(HTTPRESULT, data);
//关闭流
EntityUtils.consume(entity);
} catch (ParseException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
response=null;
}
}
return resultmap;
}
/**
* unicode转中文
*
* @Data:下午1:44:16
* @Package:testhttpclient.testhttpclient
* @Return:String
* @Auth:diao
*/
public static String decodeUnicode(final String dataStr) {
int start = 0;
int end = 0;
final StringBuffer buffer = new StringBuffer();
while (start > -1) {
end = dataStr.indexOf("\\u", start + 2);
String charStr = "";
if (end == -1) {
charStr = dataStr.substring(start + 2, dataStr.length());
} else {
charStr = dataStr.substring(start + 2, end);
}
// 16进制parse整形字符串。
char letter = (char) Integer.parseInt(charStr, 16);
buffer.append(new Character(letter).toString());
start = end;
}
return buffer.toString();
}
/**
* 获取请求头
*
* @Data:下午1:44:16
* @Package:testhttpclient.testhttpclient
* @Return:String
* @Auth:diao
*/
public Map<String,String>getCommHeader(){
Map<String,String>headers=new HashMap<String, String>(16);
headers.put("User-Agent","Mozilla/5.0(Window NT 6.1; WOW64; rv:58.0) Gecko/20100101 Firfox/58.0");
headers.put("Accept","application/json,text/plain,*/*");
headers.put("Accept-Language","zh-CN,zh;q=0.8,zh-TW;q=0.7,zh-HK;q=0.5,en-US;q=0.3,en;q=0.2");
headers.put("Accept-Encoding","gzip,deflate");
headers.put("Connection","keep-alive");
return headers;
} public void test(String ip,int port,String jobid)
{
String url=String.format("http://%s:%d/jobs/%s/yarn-cancel",ip,port,jobid);
HttpClientComm httpclient=new HttpClientComm();
Map<String,String>header=new HashMap<String, String>(16);
header.put("Host",ip+":"+port);
header.put("Referer","http://"+ip+":"+port);
Map<String,String>Resultmap=httpclient.get(url, header);
String httpstatus=Resultmap.get(httpclient.HTTPSTATUS);
String resultmap=Resultmap.get(httpclient.HTTPRESULT);
if(httpstatus.isEmpty()&&HttpStatusEnum.ACCEPTED.code()==Integer.parseInt(httpstatus))
{
//json解析 }
} }
所有状态枚举类
package testhttpclient.testhttpclient; /**
*
* @author sdzw
*
*/
public enum HttpStatusEnum {
/**
* 请继续发送请求的剩余部分
*/
CONTINUE(100, "Continue", "请继续发送请求的剩余部分"), SWITCHING_PROTOCOLS(101, "Switching Protocols", "协议切换"), PROCESSING(102, "Processing", "请求将继续执行"), // for 103 https://news.ycombinator.com/item?id=15590049
CHECKPOINT(103, "Checkpoint", "可以预加载"), OK(200, "OK", "请求已经成功处理"), CREATED(201, "Created", "请求已经成功处理,并创建了资源"), ACCEPTED(202, "Accepted", "请求已经接受,等待执行"), NON_AUTHORITATIVE_INFORMATION(203, "Non-Authoritative Information", "请求已经成功处理,但是信息不是原始的"), NO_CONTENT(204, "No Content", "请求已经成功处理,没有内容需要返回"), RESET_CONTENT(205, "Reset Content", "请求已经成功处理,请重置视图"), PARTIAL_CONTENT(206, "Partial Content", "部分Get请求已经成功处理"), MULTI_STATUS(207, "Multi-Status", "请求已经成功处理,将返回XML消息体"), ALREADY_REPORTED(208, "Already Reported", "请求已经成功处理,一个DAV的绑定成员被前一个请求枚举,并且没有被再一次包括"), IM_USED(226, "IM Used", "请求已经成功处理,将响应一个或者多个实例"), MULTIPLE_CHOICES(300, "Multiple Choices", "提供可供选择的回馈"), MOVED_PERMANENTLY(301, "Moved Permanently", "请求的资源已经永久转移"), FOUND(302, "Found", "请重新发送请求"), // MOVED_TEMPORARILY(302, "Moved Temporarily", "") 已经过时
SEE_OTHER(303, "See Other", "请以Get方式请求另一个URI"), NOT_MODIFIED(304, "Not Modified", "资源未改变"), USE_PROXY(305, "Use Proxy", "请通过Location域中的代理进行访问"), // 306在新版本的规范中被弃用 TEMPORARY_REDIRECT(307, "Temporary Redirect", "请求的资源临时从不同的URI响应请求"),
RESUME_INCOMPLETE(308, "Resume Incomplete", "请求的资源已经永久转移"), BAD_REQUEST(400, "Bad Request", "请求错误,请修正请求"), UNAUTHORIZED(401, "Unauthorized", "没有被授权或者授权已经失效"), PAYMENT_REQUIRED(402, "Payment Required", "预留状态"), FORBIDDEN(403, "Forbidden", "请求被理解,但是拒绝执行"), NOT_FOUND(404, "Not Found", "资源未找到"), METHOD_NOT_ALLOWED(405, "Method Not Allowed", "请求方法不允许被执行"), NOT_ACCEPTABLE(406, "Not Acceptable", "请求的资源不满足请求者要求"), PROXY_AUTHENTICATION_REQUIRED(407, "Proxy Authentication Required", "请通过代理进行身份验证"), REQUEST_TIMEOUT(408, "Request Timeout", "请求超时"), CONFLICT(409, "Conflict", "请求冲突"), GONE(410, "Gone", "请求的资源不可用"), LENGTH_REQUIRED(411, "Length Required", "Content-Length未定义"), PRECONDITION_FAILED(412, "Precondition Failed", "不满足请求的先决条件"), REQUEST_ENTITY_TOO_LARGE(413, "Request Entity Too Large", "请求发送的实体太大"), REQUEST_URI_TOO_LONG(414, "Request-URI Too Long", "请求的URI超长"), UNSUPPORTED_MEDIA_TYPE(415, "Unsupported Media Type", "请求发送的实体类型不受支持"), REQUESTED_RANGE_NOT_SATISFIABLE(416, "Requested range not satisfiable", "Range指定的范围与当前资源可用范围不一致"), EXPECTATION_FAILED(417, "Expectation Failed", "请求头Expect中指定的预期内容无法被服务器满足"), LOCKED(423, "Locked", "当前资源被锁定"), FAILED_DEPENDENCY(424, "Failed Dependency", "由于之前的请求发生错误,导致当前请求失败"), UPGRADE_REQUIRED(426, "Upgrade Required", "客户端需要切换到TLS1.0"), PRECONDITION_REQUIRED(428, "Precondition Required", "请求需要提供前置条件"), TOO_MANY_REQUESTS(429, "Too Many Requests", "请求过多"), REQUEST_HEADER_FIELDS_TOO_LARGE(431, "Request Header Fields Too Large", "请求头超大,拒绝请求"), INTERNAL_SERVER_ERROR(500, "Internal Server Error", "服务器内部错误"), NOT_IMPLEMENTED(501, "Not Implemented", "服务器不支持当前请求的部分功能"), BAD_GATEWAY(502, "Bad Gateway", "响应无效"), SERVICE_UNAVAILABLE(503, "Service Unavailable", "服务器维护或者过载,拒绝服务"), GATEWAY_TIMEOUT(504, "Gateway Timeout", "上游服务器超时"), HTTP_VERSION_NOT_SUPPORTED(505, "HTTP Version not supported", "不支持的HTTP版本"), VARIANT_ALSO_NEGOTIATES(506, "Variant Also Negotiates", "服务器内部配置错误"), INSUFFICIENT_STORAGE(507, "Insufficient Storage", "服务器无法完成存储请求所需的内容"), LOOP_DETECTED(508, "Loop Detected", "服务器处理请求时发现死循环"), BANDWIDTH_LIMIT_EXCEEDED(509, "Bandwidth Limit Exceeded", "服务器达到带宽限制"), NOT_EXTENDED(510, "Not Extended", "获取资源所需的策略没有被满足"), NETWORK_AUTHENTICATION_REQUIRED(511, "Network Authentication Required", "需要进行网络授权");
/**
* 状态码
*/
private final int code;
/**
* 中文含义
*/
private final String reasonPhraseUS;
/**
* 英文含义
*/
private final String reasonPhraseCN;
/**
* 某个数字代表的错误类型
*/
private static final int
INFORMATIONAL = 1,
SUCCESSFUL = 2,
REDIRECTION = 3,
CLIENT_ERROR = 4,
SERVER_ERROR = 5; HttpStatusEnum(int code, String reasonPhraseUS, String reasonPhraseCN)
{
this.code = code;
this.reasonPhraseUS = reasonPhraseUS;
this.reasonPhraseCN = reasonPhraseCN;
}
public int code()
{
return code; }
public String reasonPhraseUS()
{
return reasonPhraseUS; }
public String reasonPhraseCN() { return reasonPhraseCN; }
public static HttpStatusEnum valueOf(int code) {
for (HttpStatusEnum httpStatus : values()) {
if (httpStatus.code() == code) {
return httpStatus;
}
} throw new IllegalArgumentException("No matching constant for [" + code + "]"); } public boolean is1xxInformational()
{
return type() == INFORMATIONAL; }
public boolean is2xxSuccessful()
{
return type() == SUCCESSFUL; }
public boolean is3xxRedirection()
{
return type() == REDIRECTION; }
public boolean is4xxClientError()
{
return type() == CLIENT_ERROR; }
public boolean is5xxServerError()
{
return type() == SERVER_ERROR; }
private int type()
{
return (int) code / 100; } }
httpclient实现的get请求及post请求的更多相关文章
- JAVA发送HttpClient请求及接收请求结果
1.写一个HttpRequestUtils工具类,包括post请求和get请求 ? 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 2 ...
- java使用httpclient封装post请求和get的请求
在我们程序员生涯中,经常要复用代码,所以我们应该养成时常整理代码的好习惯,以下是我之前封装的httpclient的post和get请求所用的代码: package com.marco.common; ...
- 如何使用HttpClient来发送带客户端证书的请求,以及如何忽略掉对服务器端证书的校验
最近要做客户端和服务器端的双向认证,在客户端向服务器端发送带证书的请求这里有一点问题,网上的例子大多都不太好使,于是找了github上httpclient源代码中的例子改造了一下,终于弄明白了 git ...
- JAVA发送HttpClient请求及接收请求结果过程
1.写一个HttpRequestUtils工具类,包括post请求和get请求 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 ...
- httpclient开启代理,获取java中请求的url
背景:在httpclent做post或者get请求时,请求返回的数据总是和预想的不一致,但是有不知道怎么排查问题,经同事说httpclient可以设置代理,就可以获取请求前数据的一些问题,帮助我排查问 ...
- 封装HttpClient进行http请求与https请求
一.https忽略证书 /** * 用于进行Https请求的HttpClient * * @author joey * */ public class SSLClient { public stati ...
- httpClient Post例子,Http 四种请求访问代码 HttpGet HttpPost HttpPut HttpDelete
httpclient post方法 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 //----1. HttpPost request = new HttpPost(ur ...
- httpclient连接池在ES Restful API请求中的应用
package com.wm.utils; import org.apache.http.impl.client.CloseableHttpClient; import org.apache.http ...
- 在ASP.NET Core中用HttpClient(三)——发送HTTP PATCH请求
在前面的两篇文章中,我们讨论了很多关于使用HttpClient进行CRUD操作的基础知识.如果你已经读过它们,你就知道如何使用HttpClient从API中获取数据,并使用HttpClient发送PO ...
随机推荐
- vb.net Function使用
Public Function colour(ByVal Code As Int16) As Color'顏色 Select Case Code Case 1 colour = Color.White ...
- Docker 安装MySQL5.7(三)
Docker 安装MySQL5.7 1.搜索docker镜像(可以看到搜索的结果,这个结果是按照一定的星级评价规则排序的) docker search mysql 2.拉取docker的mysql镜像 ...
- SSM(Spring+SpringMvc+Mybatis)整合笔记
1.使用开发工具 jdk1.8 eclipse Tomcat7.0 MySql 2.创建数据库和表,由于重点是整合,所以数据库就随意加几条数据. 3.创建动态Web项目(推荐使用Maven可以用配置来 ...
- hive的行列转换
行转列(把多个行合并) 比如把: id tag 1 12 1 23 2 67 2 78 2 76 行转列之后: id tag 1 12,23 2 67,78,76 使用函数为:concat_w ...
- C语言字符串读入函数笔记
gets(str)函数和scanf("%s",str)区别: 转自:https://zhidao.baidu.com/question/290403568.html 二者都是从终端 ...
- JS闭包和引用
简介 Javascript 中一个最重要的特性就是闭包的使用.因为闭包的使用,当前作用域总可以访问外部的作用域.因为Javascript 没有块级作用域,只有函数作用域,所以闭包的使用与函数是紧密相关 ...
- Immuable详解以及在React中的实战
转载自:https://zhuanlan.zhihu.com/p/20295971, 今天看到这篇文章后情不自禁的转载过来了,我的天老爷,我看到后直接菊花一紧,这写的太好了,直接写进我心坎里了,我必须 ...
- [VUE ERROR] Error in render: "TypeError: Cannot create property 'header' on boolean 'true'"
项目基于ElemnetUi进行的开发,在引入第三方扩展库 vue-element-extends 之后使用它的表格组件报了这个错 解决方案: 1. 删除项目中的 node_modules 2. 删除 ...
- Kotlin入门(6)条件分支的实现
上一篇文章介绍了字符串的相关操作,其中示例代码用到了if和for语句,表面上看,Kotlin对控制语句的处理与Java很像,可实际上,Kotlin在这方面做了不少的改进,所以本篇和下一篇文章就分别介绍 ...
- (网页)人人都会的35个Jquery小技巧
转自CSDN: 收集的35个 jQuery 小技巧/代码片段,可以帮你快速开发. 1. 禁止右键点击 $(document).ready(function(){ $(document).bind(&q ...