在java后端发送HTTPClient请求

简介

  • HttpClient
  • 遵循http协议的客户端编程工具包
  • 支持最新的http协议

在这里插入图片描述
在这里插入图片描述

部分依赖自动传递依赖了HttpClient的jar包

  • 明明项目中没有引入 HttpClient 的Maven坐标,但是却可以直接使用HttpClient
  • 原因是:阿里云的sdk依赖中传递依赖了HttpClient的jar包

在这里插入图片描述

在这里插入图片描述

发送get请求

    @Testpublic void testGet() {// 创建HttpGet对象HttpGet httpGet = new HttpGet("http://localhost:8080/user/shop/status");// 创建HttpClient对象 用于发送请求// try-with-resources 语法 需要关闭的资源分别是 httpClient responsetry (CloseableHttpClient httpClient = HttpClients.createDefault();CloseableHttpResponse response = httpClient.execute(httpGet)) {// 获取响应状态码int statusCode = response.getStatusLine().getStatusCode();System.out.println("响应状态码:" + statusCode); //响应状态码:200// 获取响应数据HttpEntity entity = response.getEntity();String result = EntityUtils.toString(entity);System.out.println("响应数据:" + result); // 响应数据:{"code":1,"msg":null,"data":1}} catch (IOException e) {log.error("请求失败", e);e.printStackTrace();}}

发送post请求

    /*** 测试HttpClient 发送post请求 需要提前启动项目 不然请求不到*/@Testpublic void testPost() {// 创建HttpPost对象HttpPost httpPost = new HttpPost("http://localhost:8080/admin/employee/login");// 这个请求是有请求体的// 使用JsonObject构建请求体  更加高效简洁JsonObject jsonObject = new JsonObject();jsonObject.addProperty("username", "admin");jsonObject.addProperty("password", "123456");// 将json对象转为字符串 并设置编码格式 设置传输的数据格式 使用构造器和set方法都是可以设置的StringEntity stringEntity = null;try {stringEntity = new StringEntity(jsonObject.toString());stringEntity.setContentEncoding("UTF-8");stringEntity.setContentType("application/json");} catch (UnsupportedEncodingException e) {throw new RuntimeException(e);}// 设置请求体httpPost.setEntity(stringEntity);// 创建HttpClient对象 用于发送请求// try-with-resources 语法 需要关闭的资源分别是 httpClient responsetry (CloseableHttpClient httpClient = HttpClients.createDefault();CloseableHttpResponse response = httpClient.execute(httpPost)) {// 获取响应状态码int statusCode = response.getStatusLine().getStatusCode();System.out.println("响应状态码:" + statusCode); //响应状态码:200// 获取响应数据HttpEntity entity = response.getEntity();String result = EntityUtils.toString(entity);System.out.println("响应数据:" + result); // 响应数据:{"code":1,"msg":null,"data":{"id":1,"userName":"admin","name":"管理员","token":"eyJhbGciOiJIUzI1NiJ9.eyJlbXBJZCI6MSwiZXhwIjoxNzI4MzgwOTk5fQ.Rm7UWZbDEU_06DJLfegcP31n-9g8AB-Jxa-49Zw-ttM"}}} catch (IOException e) {log.error("请求失败", e);e.printStackTrace();}}

工具类

分装了一个工具类

  • 发送get请求
  • 使用form表单发送post请求
  • 使用json对象发送post请求
package com.sky.utils;import com.alibaba.fastjson.JSONObject;
import lombok.extern.slf4j.Slf4j;
import org.apache.http.NameValuePair;
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.utils.URIBuilder;
import org.apache.http.entity.StringEntity;
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;import java.io.IOException;
import java.net.URI;
import java.net.URISyntaxException;
import java.util.ArrayList;
import java.util.List;
import java.util.Map;/*** Http工具类*/
@Slf4j
public class HttpClientUtil {static final int TIMEOUT_MSEC = 5 * 1000;public static final String UTF_8 = "utf-8";public static final String DEFAULT_CONTENT_TYPE = "application/json";public static final String LOG_ERR_TEMPLATE = "{}路径请求出错,错误详情如下";/*** 发送GET请求,返回字符串*/public static String doGet(String url, Map<String, String> paramMap) throws URISyntaxException, IOException {String result = "";try (CloseableHttpClient httpClient = HttpClients.createDefault()) {URIBuilder builder = new URIBuilder(url);if (paramMap != null) {for (String key : paramMap.keySet()) {builder.addParameter(key, paramMap.get(key));}}URI uri = builder.build();// 创建GET请求HttpGet httpGet = new HttpGet(uri);// 发送请求try (CloseableHttpResponse response = httpClient.execute(httpGet)) {// 判断响应状态if (response.getStatusLine().getStatusCode() == 200) {result = EntityUtils.toString(response.getEntity(), UTF_8);}}} catch (Exception e) {// 日志记录logErr(url);throw e;}return result;}/*** 发送GET请求,返回JSONObject*/public static JSONObject doGetJson(String url, Map<String, String> paramMap) throws URISyntaxException, IOException {JSONObject result = null;try (CloseableHttpClient httpClient = HttpClients.createDefault()) {URIBuilder builder = new URIBuilder(url);if (paramMap != null) {for (String key : paramMap.keySet()) {builder.addParameter(key, paramMap.get(key));}}URI uri = builder.build();// 创建GET请求HttpGet httpGet = new HttpGet(uri);// 发送请求try (CloseableHttpResponse response = httpClient.execute(httpGet)) {// 判断响应状态if (response.getStatusLine().getStatusCode() == 200) {String resultString = EntityUtils.toString(response.getEntity(), UTF_8);result = JSONObject.parseObject(resultString);}}} catch (Exception e) {logErr(url);throw e;}return result;}/*** 发送POST请求,返回字符串 表单请求*/public static String doPost(String url, Map<String, String> paramMap) throws IOException {String resultString = "";try (CloseableHttpClient httpClient = HttpClients.createDefault()) {// 创建Http Post请求HttpPost httpPost = new HttpPost(url);// 创建参数列表if (paramMap != null) {List<NameValuePair> paramList = new ArrayList<>();for (Map.Entry<String, String> param : paramMap.entrySet()) {paramList.add(new BasicNameValuePair(param.getKey(), param.getValue()));}// 模拟表单UrlEncodedFormEntity entity = new UrlEncodedFormEntity(paramList);httpPost.setEntity(entity);}httpPost.setConfig(builderRequestConfig());// 执行http请求try (CloseableHttpResponse response = httpClient.execute(httpPost)) {resultString = EntityUtils.toString(response.getEntity(), UTF_8);}} catch (Exception e) {logErr(url);throw e;}return resultString;}/*** 发送POST请求,返回JSONObject 表单请求*/public static JSONObject doPostJson(String url, Map<String, String> paramMap) throws IOException {JSONObject result = null;try (CloseableHttpClient httpClient = HttpClients.createDefault()) {// 创建Http Post请求HttpPost httpPost = new HttpPost(url);// 创建参数列表if (paramMap != null) {List<NameValuePair> paramList = new ArrayList<>();for (Map.Entry<String, String> param : paramMap.entrySet()) {paramList.add(new BasicNameValuePair(param.getKey(), param.getValue()));}// 模拟表单UrlEncodedFormEntity entity = new UrlEncodedFormEntity(paramList);httpPost.setEntity(entity);}httpPost.setConfig(builderRequestConfig());// 执行http请求try (CloseableHttpResponse response = httpClient.execute(httpPost)) {String resultString = EntityUtils.toString(response.getEntity(), UTF_8);result = JSONObject.parseObject(resultString);}} catch (Exception e) {logErr(url);throw e;}return result;}/*** 发送POST请求,JSON格式数据,返回字符串 json请求*/public static String doPost4Json(String url, Map<String, String> paramMap) throws IOException {String resultString = "";try (CloseableHttpClient httpClient = HttpClients.createDefault()) {HttpPost httpPost = new HttpPost(url);if (paramMap != null) {// 构造json格式数据JSONObject jsonObject = new JSONObject();for (Map.Entry<String, String> param : paramMap.entrySet()) {jsonObject.put(param.getKey(), param.getValue());}StringEntity entity = new StringEntity(jsonObject.toString(), UTF_8);// 设置请求编码entity.setContentEncoding(UTF_8);// 设置数据类型entity.setContentType(DEFAULT_CONTENT_TYPE);httpPost.setEntity(entity);}httpPost.setConfig(builderRequestConfig());// 执行http请求try (CloseableHttpResponse response = httpClient.execute(httpPost)) {resultString = EntityUtils.toString(response.getEntity(), UTF_8);}} catch (Exception e) {logErr(url);throw e;}return resultString;}/*** 发送POST请求,JSON格式数据,返回JSONObject json请求*/public static JSONObject doPost4JsonReturnJson(String url, Map<String, String> paramMap) throws IOException {JSONObject result = null;try (CloseableHttpClient httpClient = HttpClients.createDefault()) {HttpPost httpPost = new HttpPost(url);if (paramMap != null) {// 构造json格式数据JSONObject jsonObject = new JSONObject();for (Map.Entry<String, String> param : paramMap.entrySet()) {jsonObject.put(param.getKey(), param.getValue());}StringEntity entity = new StringEntity(jsonObject.toString(), UTF_8);// 设置请求编码entity.setContentEncoding(UTF_8);// 设置数据类型entity.setContentType(DEFAULT_CONTENT_TYPE);httpPost.setEntity(entity);}httpPost.setConfig(builderRequestConfig());// 执行http请求try (CloseableHttpResponse response = httpClient.execute(httpPost)) {String resultString = EntityUtils.toString(response.getEntity(), UTF_8);result = JSONObject.parseObject(resultString);}} catch (Exception e) {logErr(url);throw e;}return result;}private static RequestConfig builderRequestConfig() {return RequestConfig.custom().setConnectTimeout(TIMEOUT_MSEC).setConnectionRequestTimeout(TIMEOUT_MSEC).setSocketTimeout(TIMEOUT_MSEC).build();}/*** 日志报错* @param url 出错的URL*/private static void logErr(String url) {log.error(LOG_ERR_TEMPLATE, url);}
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.rhkb.cn/news/436459.html

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

了解华为计算产品线,昇腾的业务都有哪些?

&#x1f349; CSDN 叶庭云&#xff1a;https://yetingyun.blog.csdn.net/ 随着 ChatGPT 的现象级爆红&#xff0c;它引领了 AI 大模型时代的深刻变革&#xff0c;进而造成 AI 算力资源日益紧缺。与此同时&#xff0c;中美贸易战的持续也使得 AI 算力国产化适配成为必然趋势。 …

【Vue】vue2项目打包后部署刷新404,配置publicPath ./ 不生效问题

Vue Router mode&#xff0c;为 history 无效&#xff0c;建议使用默认值 hash&#xff1b;

如何实现Mybatis自定义插件

背景 MyBatis的插件机制&#xff0c;也可称为拦截器&#xff0c;是一种强大的扩展工具。它允许开发者在不修改MyBatis框架源代码的情况下&#xff0c;通过拦截和修改MyBatis执行过程中的行为来定制和增强功能。 MyBatis插件可以拦截四大核心组件的方法调用&#xff1a;Executor…

【Pyecharts】时间线柱状图x轴坐标重复出现并重叠

问题描述 如图右侧显示多的一列坐标 解决方案 降低pyecharts版本&#xff1a;pip install pyecharts2.0.5

RabbitMQ基本原理

一、基本结构 所有中间件技术都是基于 TCP/IP 协议基础之上进行构建新的协议规范&#xff0c;RabbitMQ遵循的是AMQP协议&#xff08;Advanced Message Queuing Protocol - 高级消息队列协议&#xff09;。 生产者发送消息流程&#xff1a; 1、生产者和Broker建立TCP连接&#…

Spring之生成Bean

Bean的生命周期&#xff1a;实例化->属性填充->初始化->销毁 核心入口方法&#xff1a;finishBeanFactoryInitialization-->preInstantiateSingletons DefaultListableBeanFactory#preInstantiateSingletons用于实例化非懒加载的bean。 1.preInstantiateSinglet…

Azure Data Box 80 TB 现已在中国区正式发布

我们非常高兴地宣布&#xff0c;Azure Data Box 80 TB SKU现已在 Azure 中国区正式发布。Azure Data Box 是 Azure 的离线数据传输解决方案&#xff0c;允许您以快速、经济且可靠的方式将 PB 级数据从 Azure 存储中导入或导出。通过硬件传输设备可加速数据的安全传输&#xff0…

NVIDIA G-Assist 项目:您的游戏和应用程序AI助手

NVIDIA G-Assist 是一个革命性的人工智能助手项目&#xff0c;旨在通过先进的AI技术提升玩家的游戏体验和系统性能。这个项目在2024年Computex上首次亮相&#xff0c;展示了其在游戏和应用程序中的潜在应用。 喜好儿网 G-Assist 的核心功能是提供上下文感知的帮助。它能够接收…

用示波器测动态滞回线

大学物理&#xff08;下&#xff09;实验-中南民族大学通信工程2022级 手动逐个处理数据较为麻烦且还要绘图&#xff0c;故想到用pythonmatplotlib来计算结果并数据可视化。 代码实现 import matplotlib.pyplot as plt# 样品一磁化曲线 X [0, 0.2, 0.4, 0.6, 0.8, 1, 1.5, 2.…

云计算:MySQL

第一周第一天-MySQL的SQL语句解析 数据库的介绍 什么是数据库 数据库是存储和管理数据的系统或集合&#xff0c;通常用于支持软件系统的高效数据处理和查询。它能够以结构化的方式组织数据&#xff0c;使用户可以快速存储、更新、查询和删除数据。数据库不仅保存数据&#xff0…

【数学分析笔记】第4章第2节 导数的意义和性质(1)

4. 微分 4.2 导数的意义与性质 4.2.1 导数在物理中的背景 物体在OS方向上运动&#xff0c;位移函数为 s s ( t ) ss(t) ss(t)&#xff0c;求时刻 t t t的瞬时速度&#xff0c;找一个区间 [ t , t △ t ] [t,t\bigtriangleup t] [t,t△t]&#xff0c;从时刻 t t t变到时刻 t…

2024年9月26日--- Spring-AOP

SpringAOP 在学习编程过程中&#xff0c;我们对于公共方法的处理应该是这样的一个过程&#xff0c;初期阶段如下 f1(){Date now new Date();System.out.println("功能执行之前的各种前置工作"now)//...功能代码//...功能代码System.out.println("功能执行之前…

vue3使用Teleport 控制台报警告:Invalid Teleport target on mount: null (object)

Failed to locate Teleport target with selector “.demon”. Note the target element must exist before the component is mounted - i.e. the target cannot be rendered by the component itself, and ideally should be outside of the entire Vue component tree main.…

OpenStack Yoga版安装笔记(十五)Horizon安装

1、官方文档 OpenStack Installation Guidehttps://docs.openstack.org/install-guide/ 本次安装是在Ubuntu 22.04上进行&#xff0c;基本按照OpenStack Installation Guide顺序执行&#xff0c;主要内容包括&#xff1a; 环境安装 &#xff08;已完成&#xff09;OpenStack…

ndb9300public-ndb2excel简介

1 引言 ndb9300是一个自己定义的机载导航数据库劳作&#xff08;不敢称为项目&#xff09;代号&#xff0c;其中3表示是第3种数据库。 多年前&#xff0c;对在役民航客机中的某型机载导航数据库的二进制文件进行分析&#xff0c;弄明白它的数据结构后做了几个工具&#xff0c…

仿真设计|基于51单片机的土壤温湿度监测及自动浇花系统仿真

目录 具体实现功能 设计介绍 51单片机简介 资料内容 仿真实现&#xff08;protues8.7&#xff09; 程序&#xff08;Keil5&#xff09; 全部内容 资料获取 具体实现功能 &#xff08;1&#xff09;DS18B20实时检测环境温度&#xff0c;LCD1602实时显示土壤温湿度&…

<使用生成式AI对四种冒泡排序实现形式分析解释的探讨整理>

<使用生成式AI对四种冒泡排序实现形式分析解释的探讨整理> 文章目录 <使用生成式AI对四种冒泡排序实现形式分析解释的探讨整理>1.冒泡排序实现形式总结1.1关于冒泡排序实现形式1的来源&#xff1a;1.2对四种排序实现形式使用AI进行无引导分析&#xff1a;1.3AI&…

正交阵的概念、性质与应用

正交阵是线性代数中一种重要的特殊矩阵&#xff0c;它在很多领域都有广泛的应用。 1. 概念 一个实数方阵 Q 被称为正交阵&#xff0c;如果它的转置等于它的逆矩阵&#xff1a; 这意味着&#xff1a; 其中&#xff0c;Q T 表示矩阵 Q 的转置&#xff0c;I 表示单位矩阵。 2…

Linux:磁盘管理

一、静态分区管理 静态的分区方法不可以动态的增加或减少分区的容量。 1、磁盘分区-fdisk 该命令是用于查看磁盘分区情况&#xff0c;和分区管理的命令 命令格式&#xff1a;fdisk [选项] 设备文件名常用命令&#xff1a; -h&#xff1a;查看分区信息 fdisk系统常用命令&…

GIT安装及集成到IDEA中操作步骤

最近深感GIT使用技能太差&#xff0c;我只会些皮毛&#xff0c;还是得看官网&#xff0c;总结一下常用的操作方法吧。 GIT环境配置到IDEA中安装 一、GIt的基本的安装 这个不在这里赘述了&#xff0c;自己装一个git吧 二、给IDEA指定本地GIT的安装路径 1、下图这个是我本地的…