1.maven 引入依赖

<dependency>
<groupId>commons-httpclient</groupId>
<artifactId>commons-httpclient</artifactId>
<version>3.1</version>
</dependency> <!-- https://mvnrepository.com/artifact/org.apache.commons/commons-lang3 -->
<dependency>
<groupId>org.apache.commons</groupId>
<artifactId>commons-lang3</artifactId>
<version>3.4</version>
</dependency>

2.HTTP请求客户端工具类代码

package com.vx.springbootexcel.common.utils;

import org.apache.commons.httpclient.*;
import org.apache.commons.httpclient.methods.GetMethod;
import org.apache.commons.httpclient.methods.PostMethod;
import org.apache.commons.httpclient.methods.RequestEntity;
import org.apache.commons.httpclient.methods.StringRequestEntity;
import org.apache.commons.httpclient.params.HttpConnectionManagerParams;
import org.apache.commons.httpclient.params.HttpMethodParams;
import org.apache.commons.lang3.StringUtils;
import org.hibernate.validator.internal.util.StringHelper;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory; import java.io.*;
import java.net.HttpURLConnection;
import java.net.URL;
import java.net.URLEncoder;
import java.util.ArrayList;
import java.util.List;
import java.util.Map;
import java.util.zip.GZIPInputStream; /**
* HTTP请求客户端工具类
*
* @author yaojz
* @version 1.0
*/
public class HttpClientUtil { // protected static InnerLogger logger = new GpLoggerWrapper().new InnerLogger(HttpClientUtil.class);
private static Logger logger = LoggerFactory.getLogger(HttpClientUtil.class);
private static HttpClient httpClient;
private static int HTTP_TIMEOUT = 60000; private HttpClientUtil() {
} private final static HttpClient getInstance() {
if (httpClient == null) {
MultiThreadedHttpConnectionManager connectionManager = new MultiThreadedHttpConnectionManager();
HttpConnectionManagerParams params = new HttpConnectionManagerParams();
params.setConnectionTimeout(HTTP_TIMEOUT);
params.setSoTimeout(HTTP_TIMEOUT);
params.setMaxTotalConnections(10000);
params.setDefaultMaxConnectionsPerHost(1000);
connectionManager.setParams(params);
httpClient = new HttpClient(connectionManager);
httpClient.getParams().setParameter(HttpMethodParams.RETRY_HANDLER, new DefaultHttpMethodRetryHandler(3, true));
}
return httpClient;
} /**
* 通过HTTP协议请求
*
* @param url 不能为空
* @param parameters 可为空
* @return 目标地址响应内容
* @throws Exception 网络异常
*/
public static String getRequest_ResponseBodyAsString(String url, Map<String, String> parameters) throws Exception {
if (url == null) {
logger.warn(" the url is null");
return "";
}
String params = parameterToString(parameters, "utf-8");
logger.debug("HttpGet请求:" + url + (params != null ? url.contains("?") ? "&" + params : "?" + params : ""));
GetMethod method = new GetMethod(url + (params != null ? url.contains("?") ? "&" + params : "?" + params : ""));
int statusCode;
try {
// method.addRequestHeader("Accept-Encoding", "gzip, deflate");
statusCode = HttpClientUtil.getInstance().executeMethod(method);
if (statusCode != HttpStatus.SC_OK) {
logger.error("Method failed: " + method.getStatusLine());
throw new Exception("请求的服务器有异常:服务器状态码为" + statusCode);
}
if (method.getResponseHeader("Content-Encoding") != null) {
String acceptEncoding = method.getResponseHeader("Content-Encoding").getValue();
if (acceptEncoding.toLowerCase().indexOf("gzip") > -1) {
// 建立gzip解压工作流
StringBuffer sb = new StringBuffer();
InputStream is = method.getResponseBodyAsStream();
GZIPInputStream gzin = new GZIPInputStream(is);
InputStreamReader isr = new InputStreamReader(gzin); // 设置读取流的编码格式
// ,
// 自定义编码
BufferedReader br = new BufferedReader(isr);
String tempbf;
while ((tempbf = br.readLine()) != null) {
sb.append(tempbf);
sb.append("\r\n");
}
isr.close();
gzin.close();
return sb.toString();
} }
return method.getResponseBodyAsString();
} catch (Throwable e) {
throw new Exception("Http服务链路异常:" + e.getMessage(), e);
} finally {
method.releaseConnection();
}
} public static String streamRequest_ResponseBodyAsString(String url, String param) throws Exception {
if (StringHelper.isNullOrEmptyString(url)) {
logger.warn(" the url is null");
return "";
}
logger.debug("Http写流请求:" + url + (param != null ? url.contains("?") ? "&" + param : "?" + param : ""));
OutputStream out = null;
BufferedReader in = null;
String result = "";
try {
URL realUrl = new URL(url);
// 打开和URL之间的连接
HttpURLConnection conn = (HttpURLConnection) realUrl.openConnection();
// 设置通用的请求属性
conn.setRequestProperty("accept", "*/*");
conn.setRequestProperty("Content-Length", "" + Integer.toString(param.getBytes().length));
conn.setRequestProperty("Content-Type", "text/xml;charset=utf8");
conn.setRequestProperty("connection", "Keep-Alive");
conn.setRequestMethod("POST");
// 发送POST请求必须设置如下两行
conn.setDoOutput(true);
conn.setReadTimeout(60000);
conn.setConnectTimeout(60000);
conn.setDoInput(true);
// 获取URLConnection对象对应的输出流
out = conn.getOutputStream();
// 发送请求参数
out.write(param.getBytes("UTF-8"));
// flush输出流的缓冲
out.flush();
// 定义BufferedReader输入流来读取URL的响应
in = new BufferedReader(new InputStreamReader(conn.getInputStream()));
String line;
while ((line = in.readLine()) != null) {
result += "\n" + line;
}
conn.disconnect();
} catch (Throwable e) {
throw new Exception("Http服务链路异常:" + e.getMessage(), e);
} finally {
try {
if (out != null) {
out.close();
}
if (in != null) {
in.close();
}
} catch (IOException e) {
logger.error(e.getMessage(), e);
}
}
return result;
} public static String postRequest_ResponseBodyAsString(String url, Map<String, String> parameters) throws Exception {
if (StringHelper.isNullOrEmptyString(url)) {
logger.warn(" the url is null");
return "";
}
logger.debug("HttpPost请求:" + url + (parameters != null ? url.contains("?") ? "&" + parameters : "?" + parameters : "")); PostMethod method = new PostMethod(url);
int statusCode;
try {
for (String key : parameters.keySet()) {
method.addParameter(key, parameters.get(key));
}
method.addRequestHeader("Content-Type", "application/x-www-form-urlencoded;charset=UTF-8");
statusCode = HttpClientUtil.getInstance().executeMethod(method);
if (statusCode != HttpStatus.SC_OK) {
logger.error("Method failed: " + method.getStatusLine());
throw new Exception("Http服务链路异常:服务器状态码为" + statusCode);
}
return method.getResponseBodyAsString();
} catch (Throwable e) {
throw new Exception("Http服务链路异常:" + e.getMessage(), e);
} finally {
method.releaseConnection();
}
} /**
* 以POST方式发送请求
*
* @param url
* @param parameters
* @return 返回字节内容
* @throws Exception
*/
public static byte[] postRequest_ResponseBodyAsBytes(String url, Map<String, String> parameters) throws Exception {
logger.debug("HttpPost请求:" + url + (parameters != null ? url.contains("?") ? "&" + parameters : "?" + parameters : ""));
PostMethod method = new PostMethod(url);
int statusCode;
try {
for (String key : parameters.keySet()) {
method.addParameter(key, parameters.get(key));
}
method.addRequestHeader("Content-Type", "application/x-www-form-urlencoded;charset=UTF-8");
// method.setRequestHeader("Accept-Encoding", "gzip, deflate");
statusCode = httpClient.executeMethod(method);
if (statusCode != HttpStatus.SC_OK) {
logger.error("Method failed: " + method.getStatusLine());
throw new Exception("Http服务链路异常:服务器状态码为" + statusCode);
}
return method.getResponseBody();
} catch (Throwable e) {
throw new Exception("Http服务链路异常:" + e.getMessage(), e);
} finally {
// Release the connection.
method.releaseConnection();
}
} /**
* 以POST方式发送请求
*
* @param url
* @param parameters
* @return 返回流
* @throws Exception
*/
public static InputStream postRequest_ResponseBodyAsStream(String url, Map<String, String> parameters) throws Exception {
logger.debug("HttpPost请求:" + url + (parameters != null ? url.contains("?") ? "&" + parameters : "?" + parameters : ""));
PostMethod method = new PostMethod(url);
int statusCode;
try {
for (String key : parameters.keySet()) {
method.addParameter(key, parameters.get(key));
}
method.addRequestHeader("Content-Type", "application/x-www-form-urlencoded;charset=UTF-8");
// method.setRequestHeader("Accept-Encoding", "gzip, deflate");
statusCode = httpClient.executeMethod(method);
if (statusCode != HttpStatus.SC_OK) {
logger.error("Method failed: " + method.getStatusLine());
throw new Exception("Http服务链路异常:服务器状态码为" + statusCode);
}
return method.getResponseBodyAsStream();
} catch (Throwable e) {
throw new Exception("Http服务链路异常:" + e.getMessage(), e);
} finally {
// Release the connection.
method.releaseConnection();
}
} // 对参数编码组合成一个get请求参数串
private static String parameterToString(Map<String, String> parameters, String input_charset) {
if (parameters != null) {
StringBuffer result = new StringBuffer();
List<String> keys = new ArrayList<String>(parameters.keySet());
for (int i = 0; i < keys.size(); i++) {
try {
String key = (String) keys.get(i);
String value = (String) parameters.get(key);
if (i == keys.size() - 1) {
result.append(key).append("=").append(URLEncoder.encode(value, input_charset));
} else {
result.append(key).append("=").append(URLEncoder.encode(value, input_charset)).append("&");
}
} catch (UnsupportedEncodingException e) {
logger.error(e.getMessage(), e);
}
}
return result.toString();
}
return null;
} /**
* 通过HTTP协议请求
*
* @param url 不能为空
* @param postBody 不能为空
* @param tokenId
* @return 目标地址响应内容
* @throws Exception 网络异常
*/
public static String postJSONRequest(String url, String postBody,String tokenId) throws Exception {
if (StringHelper.isNullOrEmptyString(url)) {
logger.warn(" the url is null");
return "";
}
logger.debug("HttpPost请求:" + url + postBody);
PostMethod method = new PostMethod();
try {
method.setURI(new URI(url, true, "UTF-8"));
} catch (URIException e1) {
throw new Exception("解析URL出错:" + url);
} catch (NullPointerException e1) {
throw new Exception("解析URL出错:" + url);
}
method.setRequestHeader("Content-type", "application/json; charset=UTF-8");
if(StringUtils.isNotBlank(tokenId)){
method.setRequestHeader("tokenId", tokenId);
}
RequestEntity requestEntity = new StringRequestEntity(postBody);
method.setRequestEntity(requestEntity);
int statusCode;
try {
statusCode = HttpClientUtil.getInstance().executeMethod(method);
if (statusCode != HttpStatus.SC_OK) {
logger.error("Method failed: " + method.getStatusLine());
throw new Exception("请求的服务器有异常:服务器状态码为" + statusCode);
}
BufferedReader in = new BufferedReader(new InputStreamReader(method.getResponseBodyAsStream(), method.getResponseCharSet()));
StringBuffer sb = new StringBuffer();
int chari2;
while ((chari2 = in.read()) != -1) {
sb.append((char) chari2);
}
return sb.toString();
} catch (Throwable e) {
throw new Exception("Http服务链路异常:" + e.getMessage(), e);
} finally {
if (method != null) {
method.releaseConnection();
}
}
} public static String streamRequest_ResponseBodyAsStringWithUTF8(String url, String param) throws Exception {
if (StringHelper.isNullOrEmptyString(url)) {
logger.warn(" the url is null");
return "";
}
logger.debug("Http写流请求:" + url + (param != null ? url.contains("?") ? "&" + param : "?" + param : ""));
OutputStream out = null;
BufferedReader in = null;
String result = "";
try {
URL realUrl = new URL(url);
// 打开和URL之间的连接
HttpURLConnection conn = (HttpURLConnection) realUrl.openConnection();
// 设置通用的请求属性
conn.setRequestProperty("accept", "*/*");
conn.setRequestProperty("Content-Length", "" + Integer.toString(param.getBytes().length));
conn.setRequestProperty("Content-Type", "text/xml;charset=utf8");
conn.setRequestProperty("connection", "Keep-Alive");
conn.setRequestMethod("POST");
// 发送POST请求必须设置如下两行
conn.setDoOutput(true);
conn.setReadTimeout(60000);
conn.setConnectTimeout(60000);
conn.setDoInput(true);
// 获取URLConnection对象对应的输出流
out = conn.getOutputStream();
// 发送请求参数
out.write(param.getBytes("UTF-8"));
// flush输出流的缓冲
out.flush();
// 定义BufferedReader输入流来读取URL的响应
in = new BufferedReader(new InputStreamReader(conn.getInputStream(), "UTF-8"));
String line;
while ((line = in.readLine()) != null) {
result += "\n" + line;
}
conn.disconnect();
} catch (Throwable e) {
throw new Exception("Http服务链路异常:" + e.getMessage(), e);
} finally {
try {
if (out != null) {
out.close();
}
if (in != null) {
in.close();
}
} catch (IOException e) {
logger.error(e.getMessage(), e);
}
}
return result.trim();
} }

HTTP请求客户端工具类的更多相关文章

  1. 带有连接池的Http客户端工具类HttpClientUtil

    一.背景 业务开发中,经常会遇到通过http/https向下游服务发送请求.每次都要重复造轮子写HttpClient的逻辑,而且性能.功能参差不齐.这里分享一个高性能的.带连接池的通用Http客户端工 ...

  2. Redis进阶实践之九 独立封装的RedisClient客户端工具类

    一.引言 今天开始有关Redis学习的第九篇文章了,以后肯定会大量系统使用Redis作为缓存介质,为了更好的更好的Redis,自己写了两个工具类,但是这两个工具类,没有提供一致的接口,是为了使用的独立 ...

  3. Redis进阶实践之九 独立封装的RedisClient客户端工具类(转载9)

    Redis进阶实践之九 独立封装的RedisClient客户端工具类 一.引言 今天开始有关Redis学习的第九篇文章了,以后肯定会大量系统使用Redis作为缓存介质,为了更好的更好的Redis,自己 ...

  4. HttpUtils 用于进行网络请求的工具类

    原文:http://www.open-open.com/code/view/1437537162631 import java.io.BufferedReader; import java.io.By ...

  5. 发送http请求和https请求的工具类

    package com.haiyisoft.cAssistant.utils; import java.io.IOException;import java.util.ArrayList; impor ...

  6. java中模拟http(https)请求的工具类

    在java中,特别是java web中,我们经常需要碰到的一个场景是我们需要从服务端去发送http请求,获取到数据,而不是直接从浏览器输入请求网址获得相应.比如我们想访问微信接口,获取其返回信息. 在 ...

  7. 高德地图web端笔记;发送http请求的工具类

    1.查询所有电子围栏 package com.skjd.util; import java.io.BufferedReader; import java.io.InputStream; import ...

  8. 分享自己配置的HttpURLConnection请求数据工具类

    >>该工具类传入string类型url返回string类型获取结果import java.io.BufferedReader;import java.io.InputStream;impo ...

  9. httputil用http获取请求的工具类

    package com.xiaocan.demo.util; import java.io.IOException; import java.io.InputStream; import java.u ...

随机推荐

  1. Android笔记(四) Activity之间的数据传递

    我们之前使用Intent进行Activity之间的跳转,其实Intent还可以在启动活动的时候传递数据. Intent提供了一系列的putExtra方法以便我们把想要传递的数据暂存在Intent中,待 ...

  2. Bash基础——内置命令

    前言 Shell有很多内置在其源代码中的命令.由于命令是内置的,所以Shell不必到磁盘上搜索它们.内置命令执行速度更快,不同的Shell内置命令有所不同. 如何查找内置命令 之前查了好久怎么收索内置 ...

  3. Java 反射原理

    一.Java 反射的定义 反射机制是在运行状态中, 对于任意一个类, 都能够知道这个类的所有属性和方法: 对于任意一个对象,都能够调用它的任意一个方法或者属性: 二.反射提供的功能: 在运行时判断任意 ...

  4. PHP字符串截取,计算字符串长度

    /** * 字符串截取,支持中文和其他编码 * @param [string] $str [字符串] * @param integer $start [起始位置] * @param integer $ ...

  5. Python3入门与进阶【笔记】

    1.二.八.十六进制转十进制:int('10', base=2).int('10', base=8).int('10', base=16): 2.八.十.十六进制转二进制:bin(0o+xxx).bi ...

  6. LOJ2823 三个朋友 ——查询字串的哈希值

    概念 查询字串的hash值 我们所说的哈希通常都是进制哈希,因为它具有一些很方便的性质,例如,具有和前缀和类似的性质. 假设一个字符串的前缀哈希值记为 $h[i]$,进制为 $base$,那么显然 $ ...

  7. KM 最大权匹配 UVA 1411/POJ 3565

    #include <bits/stdc++.h> using namespace std; inline void read(int &num) { char ch; num = ...

  8. DOM设置css样式

    <!DOCTYPE html> <html> <head lang="en"> <meta charset="UTF-8&quo ...

  9. mysql的存储引擎与锁

    一.背景知识 1.锁是计算机协调多个进程或线程并发访问某一资源的机制. A.锁分类. | 共享锁(读锁):在锁定期间,多个用户可以读取同一个资源,读取过程中数据不会发生变化. | 排他锁(写锁):在锁 ...

  10. P3180 [HAOI2016]地图

    P3180 [HAOI2016]地图 显然,这是一个仙人掌图 inline void tarjan(LL u,LL fa){ low[u]=dfn[u]=++tot, pre[tot]=u; for( ...