当前位置:   article > 正文

Java接入微信支付超级详细教程——从入门到精通_java开发公网使用微信支付需要做什么

java开发公网使用微信支付需要做什么

一、准备开发所需的账号以及配置信息
解释:想要接入微信支付我们需要两个玩意 ,一个是公众号/小程序/企业微信(开发用的),一个是微信支付商户(收钱用的)

1、前往:https://mp.weixin.qq.com/ (微信公众平台)注册一个应用,类型只能是:公众号/小程序/企业微信,注意:订阅号不支持微信支付接口,注册完成需要完成”微信认证“(微信需要收取300元)

2、前往:https://pay.weixin.qq.com(微信支付商户平台)注册一个商户,支付成功后的钱就会在这个账号里面

上面两个平台注册完成之后就需要把配置信息拿到了:

在这里插入图片描述

 图1

​ 1、APPID:应用id也就是 公众号/小程序的ID ,查看 ”图1“

​ 2、Api_key: 应用密钥,查看 ”图1“

​ 3、mch_Id:商户ID (收钱的商家ID),查看 ”图2“

在这里插入图片描述

二、准备环境

项目采用SpringBoot

微信支付有两种版本:V3和V2,本文的接入版本为V2

1、导入jar包

1.1微信支付jar包

  1. <!-- 微信支付 SDK -->
  2. <dependency>
  3. <groupId>com.github.wxpay</groupId>
  4. <artifactId>wxpay-sdk</artifactId>
  5. <version>0.0.3</version>
  6. </dependency>

微信支付有两种版本:V3和V2,本文的接入版本为V2

1.2导入hutool工具类jar包

  1. <!-- hutool -->
  2. <dependency>
  3. <groupId>cn.hutool</groupId>
  4. <artifactId>hutool-all</artifactId>
  5. <version>5.7.2</version>
  6. </dependency>

2、设置开发参数

在application.yml,设置号开发参数在这里插入图片描述

  1. pay:
  2. appid: wxea266524343a9 #微信公众号appid
  3. api_key: gwxkjfewfabcrxgrawgs #公众号设置的api密钥
  4. mch_id: 1603131282 #微信商户平台 商户id

3、参数注入到payProperties类中

![image-20220916153709516](微信支付.assets/image-20220916153709516.png

  1. package com.maomao.pay.common;
  2. import lombok.Data;
  3. import org.springframework.boot.context.properties.ConfigurationProperties;
  4. import org.springframework.context.annotation.Configuration;
  5. import org.springframework.stereotype.Component;
  6. /**
  7. * 微信支付配置
  8. * @author shuqingyou 2022/9/16
  9. */
  10. @Data
  11. @Component
  12. @Configuration
  13. @ConfigurationProperties(prefix = "pay")
  14. public class payProperties {
  15. //微信公众号appid
  16. private String appid;
  17. //公众号设置的api密钥
  18. private String api_key;
  19. //#微信商户平台 商户id
  20. private String mch_id;
  21. }

4、微信支付接口Url地址列表

  1. package com.maomao.pay.common.utils;
  2. /**
  3. * 微信支付接口Url列表
  4. * @author shuqingyou 2022/9/16
  5. */
  6. public class WeChatPayUrl {
  7. //统一下单预下单接口url
  8. public static final String Uifiedorder = "https://api.mch.weixin.qq.com/pay/unifiedorder";
  9. //订单状态查询接口URL
  10. public static final String Orderquery = "https://api.mch.weixin.qq.com/pay/orderquery";
  11. //订单申请退款
  12. public static final String Refund = "https://api.mch.weixin.qq.com/secapi/pay/refund";
  13. //付款码 支付
  14. public static final String MicroPay = "https://api.mch.weixin.qq.com/pay/micropay";
  15. //微信网页授权 获取“code”请求地址
  16. public static final String GainCodeUrl = "https://open.weixin.qq.com/connect/oauth2/authorize";
  17. //微信网页授权 获取“code” 回调地址
  18. public static final String GainCodeRedirect_uri = "http://i5jmxe.natappfree.cc/boss/WeChatPayMobile/SkipPage.html";
  19. }

5、自定义微信支付工具类

  1. package com.maomao.pay.common.utils;
  2. import org.springframework.util.StringUtils;
  3. import javax.net.ssl.HttpsURLConnection;
  4. import javax.servlet.http.HttpServletRequest;
  5. import java.io.*;
  6. import java.net.URL;
  7. /**
  8. * 自定义微信支付工具类
  9. */
  10. public class WxChatPayCommonUtil {
  11. /**
  12. * 发送 http 请求
  13. * @param requestUrl 请求路径
  14. * @param requestMethod 请求方式(GET/POST/PUT/DELETE/...)
  15. * @param outputStr 请求参数体
  16. * @return 结果信息
  17. */
  18. public static String httpsRequest(String requestUrl, String requestMethod, String outputStr) {
  19. try {
  20. URL url = new URL(requestUrl);
  21. HttpsURLConnection conn = (HttpsURLConnection) url.openConnection();
  22. conn.setDoOutput(true);
  23. conn.setDoInput(true);
  24. conn.setUseCaches(false);
  25. // 设置请求方式(GET/POST)
  26. conn.setRequestMethod(requestMethod);
  27. conn.setRequestProperty("content-type", "application/x-www-form-urlencoded");
  28. // 当outputStr不为null时向输出流写数据
  29. if (null != outputStr) {
  30. OutputStream outputStream = conn.getOutputStream();
  31. // 注意编码格式
  32. outputStream.write(outputStr.getBytes("UTF-8"));
  33. outputStream.close();
  34. }
  35. // 从输入流读取返回内容
  36. InputStream inputStream = conn.getInputStream();
  37. InputStreamReader inputStreamReader = new InputStreamReader(inputStream, "utf-8");
  38. BufferedReader bufferedReader = new BufferedReader(inputStreamReader);
  39. String str = null;
  40. StringBuffer buffer = new StringBuffer();
  41. while ((str = bufferedReader.readLine()) != null) {
  42. buffer.append(str);
  43. }
  44. // 释放资源
  45. bufferedReader.close();
  46. inputStreamReader.close();
  47. inputStream.close();
  48. inputStream = null;
  49. conn.disconnect();
  50. return buffer.toString();
  51. } catch (Exception e) {
  52. e.printStackTrace();
  53. }
  54. return null;
  55. }
  56. /**
  57. * 获取ip
  58. * @param request 请求
  59. * @return ip 地址
  60. */
  61. public static String getIp(HttpServletRequest request) {
  62. if (request == null) {
  63. return "";
  64. }
  65. String ip = request.getHeader("X-Requested-For");
  66. if (StringUtils.isEmpty(ip) || "unknown".equalsIgnoreCase(ip)) {
  67. ip = request.getHeader("X-Forwarded-For");
  68. }
  69. if (StringUtils.isEmpty(ip) || "unknown".equalsIgnoreCase(ip)) {
  70. ip = request.getHeader("Proxy-Client-IP");
  71. }
  72. if (StringUtils.isEmpty(ip) || "unknown".equalsIgnoreCase(ip)) {
  73. ip = request.getHeader("WL-Proxy-Client-IP");
  74. }
  75. if (StringUtils.isEmpty(ip) || "unknown".equalsIgnoreCase(ip)) {
  76. ip = request.getHeader("HTTP_CLIENT_IP");
  77. }
  78. if (StringUtils.isEmpty(ip) || "unknown".equalsIgnoreCase(ip)) {
  79. ip = request.getHeader("HTTP_X_FORWARDED_FOR");
  80. }
  81. if (StringUtils.isEmpty(ip) || "unknown".equalsIgnoreCase(ip)) {
  82. ip = request.getRemoteAddr();
  83. }
  84. return ip;
  85. }
  86. /**
  87. * 从流中读取微信返回的xml数据
  88. * @param httpServletRequest
  89. * @return
  90. * @throws IOException
  91. */
  92. public static String readXmlFromStream(HttpServletRequest httpServletRequest) throws IOException {
  93. InputStream inputStream = httpServletRequest.getInputStream();
  94. BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(inputStream));
  95. final StringBuffer sb = new StringBuffer();
  96. String line = null;
  97. try {
  98. while ((line = bufferedReader.readLine()) != null) {
  99. sb.append(line);
  100. }
  101. } finally {
  102. bufferedReader.close();
  103. inputStream.close();
  104. }
  105. return sb.toString();
  106. }
  107. /**
  108. * 设置返回给微信服务器的xml信息
  109. * @param returnCode
  110. * @param returnMsg
  111. * @return
  112. */
  113. public static String setReturnXml(String returnCode, String returnMsg) {
  114. return "<xml><return_code><![CDATA[" + returnCode + "]]></return_code><return_msg><![CDATA[" + returnMsg + "]]></return_msg></xml>";
  115. }
  116. }

三、预下单
本项目返回参数为了方便我都是用的Map(实际开发中禁用),我这是为了方便不想写实体类,嘿嘿…

要完成支付那肯定我们需要先下一笔订单把,没订单客户咋付钱,所以先“预下单”

1、微信支付预下单实体类

官方文档:https://pay.weixin.qq.com/wiki/doc/api/native_sl.php?chapter=9_1

  1. package com.maomao.pay.model;
  2. import lombok.Data;
  3. import lombok.experimental.Accessors;
  4. /**
  5. * 微信支付预下单实体类
  6. * @author shuqingyou 2022/9/16
  7. */
  8. @Data
  9. @Accessors(chain = true)
  10. public class WeChatPay {
  11. //返回状态码 此字段是通信标识,非交易标识,交易是否成功需要查看result_code来判断
  12. public String return_code;
  13. //返回信息 当return_code为FAIL时返回信息为错误原因 ,例如 签名失败 参数格式校验错误
  14. private String return_msg;
  15. //公众账号ID 调用接口提交的公众账号ID
  16. private String appid;
  17. //商户号 调用接口提交的商户号
  18. private String mch_id;
  19. //api密钥 详见:https://pay.weixin.qq.com/index.php/extend/employee
  20. private String api_key;
  21. //设备号 自定义参数,可以为请求支付的终端设备号等
  22. private String device_info;
  23. //随机字符串 5K8264ILTKCH16CQ2502SI8ZNMTM67VS 微信返回的随机字符串
  24. private String nonce_str;
  25. //签名 微信返回的签名值,详见签名算法:https://pay.weixin.qq.com/wiki/doc/api/native.php?chapter=4_3
  26. private String sign;
  27. //业务结果 SUCCESS SUCCESS/FAIL
  28. private String result_code;
  29. //错误代码 当result_code为FAIL时返回错误代码,详细参见下文错误列表
  30. private String err_code;
  31. //错误代码描述 当result_code为FAIL时返回错误描述,详细参见下文错误列表
  32. private String err_code_des;
  33. //交易类型 JSAPI JSAPI -JSAPI支付 NATIVE -Native支付 APP -APP支付 说明详见;https://pay.weixin.qq.com/wiki/doc/api/native.php?chapter=4_2
  34. private String trade_type;
  35. //预支付交易会话标识 微信生成的预支付会话标识,用于后续接口调用中使用,该值有效期为2小时
  36. private String prepay_id;
  37. //二维码链接 weixin://wxpay/bizpayurl/up?pr=NwY5Mz9&groupid=00 trade_type=NATIVE时有返回,此url用于生成支付二维码,然后提供给用户进行扫码支付。注意:code_url的值并非固定,使用时按照URL格式转成二维码即可
  38. private String code_url;
  39. //商品描述 商品简单描述,该字段请按照规范传递,具体请见 https://pay.weixin.qq.com/wiki/doc/api/native.php?chapter=4_2
  40. private String body;
  41. //商家订单号 商户系统内部订单号,要求32个字符内,只能是数字、大小写字母_-|* 且在同一个商户号下唯一。详见商户订单号 https://pay.weixin.qq.com/wiki/doc/api/native.php?chapter=4_2
  42. private String out_trade_no;
  43. //标价金额 订单总金额,单位为分,详见支付金额 https://pay.weixin.qq.com/wiki/doc/api/native.php?chapter=4_2
  44. private String total_fee;
  45. //终端IP 支持IPV4和IPV6两种格式的IP地址。用户的客户端IP
  46. private String spbill_create_ip;
  47. //通知地址 异步接收微信支付结果通知的回调地址,通知url必须为外网可访问的url,不能携带参数。公网域名必须为https,如果是走专线接入,使用专线NAT IP或者私有回调域名可使用http
  48. private String notify_url;
  49. //子商户号 sub_mch_id 非必填(商户不需要传入,服务商模式才需要传入) 微信支付分配的子商户号
  50. private String sub_mch_id;
  51. //附加数据,在查询API和支付通知中原样返回,该字段主要用于商户携带订单的自定义数据
  52. private String attach;
  53. //商户系统内部的退款单号,商户系统内部唯一,只能是数字、大小写字母_-|*@ ,同一退款单号多次请求只退一笔。
  54. private String out_refund_no;
  55. //退款总金额,单位为分,只能为整数,可部分退款。详见支付金额 https://pay.weixin.qq.com/wiki/doc/api/native_sl.php?chapter=4_2
  56. private String refund_fee;
  57. //退款原因 若商户传入,会在下发给用户的退款消息中体现退款原因 注意:若订单退款金额≤1元,且属于部分退款,则不会在退款消息中体现退款原因
  58. private String refund_desc;
  59. //交易结束时间 订单失效时间,格式为yyyyMMddHHmmss,如2009年12月27日9点10分10秒表示为20091227091010。其他详见时间规则 注意:最短失效时间间隔必须大于5分钟
  60. private String time_expire;
  61. //用户标识 trade_type=JSAPI,此参数必传,用户在主商户appid下的唯一标识。openid和sub_openid可以选传其中之一,如果选择传sub_openid,则必须传sub_appid。下单前需要调用【网页授权获取用户信息: https://developers.weixin.qq.com/doc/offiaccount/OA_Web_Apps/Wechat_webpage_authorization.html 】接口获取到用户的Openid。
  62. private String openid;
  63. }

2、预下单接口封装服务类

解释:

​ 微信支付的交易类型有好几种方式:官方文档(https://pay.weixin.qq.com/wiki/doc/api/native.php?chapter=4_2)

​ JsApi支付(在微信客户端里面调整的支付,场景示例:用户在微信app里面触发的支付就叫 “JsApi”)

​ Native支付(二维码扫一扫支付,场景示例:电脑网址点击付款生成二维码图片,用户使用”微信扫一扫“功能进 行付款这个就叫 “Native”)

​ APP支付(手机app跳转到APP支付,场景示例:客户在开发者的app上面点击付款,跳转到微信app进行支 付,支付成功再跳回开发者的app)

​ MWEB支付(H5支付,场景示例:手机浏览器中的网站,跳转到微信APP进行付款,付款成功,跳回浏览器)

  1. package com.maomao.pay.web.service;
  2. import cn.hutool.core.util.ObjectUtil;
  3. import com.github.wxpay.sdk.WXPayConstants;
  4. import com.github.wxpay.sdk.WXPayUtil;
  5. import com.maomao.pay.common.utils.WeChatPayUrl;
  6. import com.maomao.pay.common.utils.WxChatPayCommonUtil;
  7. import com.maomao.pay.model.WeChatPay;
  8. import java.text.DecimalFormat;
  9. import java.util.HashMap;
  10. import java.util.Map;
  11. import java.util.SortedMap;
  12. import java.util.TreeMap;
  13. /**
  14. * 微信支付接口封装服务
  15. * @author shuqingyou 2022/9/16
  16. */
  17. public class WeChatPayService {
  18. private static final DecimalFormat df = new DecimalFormat("#");
  19. /**
  20. * 微信支付统一预下单接口 请查看接口规则 https://pay.weixin.qq.com/wiki/doc/api/native_sl.php?chapter=9_1
  21. * shuqingyou 2022/9/16
  22. * @param weChatPay 参数值appid 商户id等等
  23. * @return Map<String, Object> NATIVE支付则返回二维码扫描地址
  24. * @throws Exception
  25. */
  26. public static Map<String, Object> Unifiedorder(WeChatPay weChatPay) throws Exception {
  27. Map<String, Object> ResultMap = new HashMap<String, Object>();
  28. //todo 创建请求参数
  29. SortedMap<String, String> req = new TreeMap<String, String>();
  30. req.put("appid", weChatPay.getAppid()); //公众号
  31. req.put("mch_id", weChatPay.getMch_id()); // 商户号
  32. req.put("nonce_str", WXPayUtil.generateNonceStr()); // 32位随机字符串
  33. req.put("body", weChatPay.getBody()); // 商品描述
  34. req.put("out_trade_no", weChatPay.getOut_trade_no()); // 商户订单号
  35. req.put("total_fee", df.format(Double.parseDouble(weChatPay.getTotal_fee()) * 100)); // 标价金额(分)
  36. req.put("spbill_create_ip", weChatPay.getSpbill_create_ip()); // 终端IP
  37. req.put("notify_url", weChatPay.getNotify_url()); // 回调地址
  38. req.put("trade_type", weChatPay.getTrade_type()); // 交易类型
  39. req.put("attach", weChatPay.getAttach()); // 签名
  40. if (ObjectUtil.isNotEmpty(weChatPay.getSub_mch_id())) {
  41. //todo 服务商模式
  42. req.put("sub_mch_id", weChatPay.getSub_mch_id());//子商户号 微信支付 分配的子商户号
  43. }
  44. if (ObjectUtil.isNotEmpty(weChatPay.getTime_expire())) {
  45. //todo 设置订单结束时间
  46. //交易结束时间 订单失效时间,格式为yyyyMMddHHmmss,如2009年12月27日9点10分10秒表示为20091227091010。
  47. req.put("time_expire", weChatPay.getTime_expire());
  48. }
  49. if (ObjectUtil.isNotEmpty(weChatPay.getOpenid())) {
  50. //todo JSAPI支付
  51. req.put("openid", weChatPay.getOpenid());//用户标识 trade_type=JSAPI,此参数必传,用户在主商户appid下的唯一标识。openid和sub_openid可以选传其中之一,如果选择传sub_openid,则必须传sub_appid。下单前需要调用【网页授权获取用户信息: https://developers.weixin.qq.com/doc/offiaccount/OA_Web_Apps/Wechat_webpage_authorization.html 】接口获取到用户的Openid。
  52. }
  53. req.put("sign", WXPayUtil.generateSignature(req, weChatPay.getApi_key(), WXPayConstants.SignType.MD5)); // 签名
  54. //todo 生成要发送的 xml
  55. String xmlBody = WXPayUtil.generateSignedXml(req, weChatPay.getApi_key());
  56. System.err.println(String.format("微信支付预下单请求 xml 格式:\n%s", xmlBody));
  57. //todo 发送 POST 请求 统一下单 API 并携带 xmlBody 内容,然后获得返回接口结果
  58. String result = WxChatPayCommonUtil.httpsRequest(WeChatPayUrl.Uifiedorder, "POST", xmlBody);
  59. System.err.println(String.format("%s", result));
  60. //todo 将返回结果从 xml 格式转换为 map 格式
  61. Map<String, String> WxResultMap = WXPayUtil.xmlToMap(result);
  62. //todo 判断通信状态 此字段是通信标识,非交易标识
  63. if (ObjectUtil.isNotEmpty(WxResultMap.get("return_code")) && WxResultMap.get("return_code").equals("SUCCESS")) {
  64. //todo 业务结果
  65. if (WxResultMap.get("result_code").equals("SUCCESS")) {
  66. //todo 预下单成功
  67. ResultMap.put("code", 0);
  68. ResultMap.put("msg", "预下单成功");
  69. //微信订单号
  70. ResultMap.put("out_trade_no", weChatPay.getOut_trade_no());
  71. switch (WxResultMap.get("trade_type")) {
  72. case "NATIVE":
  73. //二维码地址
  74. ResultMap.put("QrCode", WxResultMap.get("code_url"));
  75. break;
  76. case "MWEB":
  77. //二维码地址
  78. ResultMap.put("mweb_url", WxResultMap.get("mweb_url"));
  79. break;
  80. case "JSAPI":
  81. //预支付交易会话标识 微信生成的预支付回话标识,用于后续接口调用中使用,该值有效期为2小时
  82. ResultMap.put("prepay_id", WxResultMap.get("prepay_id"));
  83. break;
  84. }
  85. } else {
  86. //todo 下单失败
  87. ResultMap.put("code", 2);
  88. ResultMap.put("msg", WxResultMap.get("err_code_des"));
  89. }
  90. } else {
  91. //todo 通信异常
  92. ResultMap.put("code", 2);
  93. ResultMap.put("msg", WxResultMap.get("return_msg"));//当return_code为FAIL时返回信息为错误原因 ,例如 签名失败 参数格式校验错误
  94. }
  95. return ResultMap;
  96. }
  97. }

这样接口层就写好了,接下来可以使用 进行调用了

3、测试调用“预下单”

本次交易类型为:NATIVE-二维码支付

参数疑惑解释:

​ Notify_url:此参数为回调通知地址(公网必须可以访问),当这笔订单用户支付成功之后,”微信“会异步请求你这个地址告诉你 某个订单支付成功了。这个后面会讲到怎么写这个接口,这里只是简单解释一下

​ Sub_mch_id:子商户的商户号(真正收钱的商家),这个参数只在”服务商模式“下需要传输,不懂什么是”服务商模式“看下方文章

​ 第一篇:https://kf.qq.com/touch/wxappfaq/1707193mAZRN170719ZfAZRV.html?platform=14

​ 第二篇:https://pay.weixin.qq.com/wiki/doc/apiv3_partner/terms_definition/chapter1_1.shtml#part-2

​ 如果你不是“服务商模式”,这个字段注释掉就行了

  1. package com.maomao.pay;
  2. import cn.hutool.core.util.IdUtil;
  3. import cn.hutool.json.JSONUtil;
  4. import com.github.wxpay.sdk.WXPayUtil;
  5. import com.maomao.pay.common.payProperties;
  6. import com.maomao.pay.model.WeChatPay;
  7. import com.maomao.pay.web.service.WeChatPayService;
  8. import lombok.extern.slf4j.Slf4j;
  9. import org.junit.jupiter.api.Test;
  10. import org.springframework.boot.test.autoconfigure.web.servlet.AutoConfigureMockMvc;
  11. import org.springframework.boot.test.context.SpringBootTest;
  12. import org.springframework.test.context.junit4.SpringRunner;
  13. import org.springframework.test.context.web.WebAppConfiguration;
  14. import javax.annotation.Resource;
  15. import java.util.HashMap;
  16. import java.util.Map;
  17. /**
  18. * 测试类
  19. * @author shuqingyou 2022/9/17
  20. */
  21. @SpringBootTest
  22. @Slf4j
  23. public class weChatPayTest {
  24. @Resource
  25. private payProperties payProperties;
  26. /**
  27. * 微信支付 统一预下单接口
  28. * 测试接口
  29. */
  30. @Test
  31. public void createUnifiedorderTest() {
  32. Map<String, Object> ResultMap = new HashMap<String, Object>();
  33. try {
  34. WeChatPay weChatPay = new WeChatPay();
  35. weChatPay.setAppid(payProperties.getAppid())//公众号appid
  36. .setMch_id(payProperties.getMch_id()) // 商户号
  37. .setApi_key(payProperties.getApi_key())//api密钥
  38. .setNonce_str(WXPayUtil.generateNonceStr())// 32位随机字符串
  39. .setBody("小米MIX3 12+568国行陶瓷黑")// 商品描述
  40. .setTotal_fee("0.01") //标价金额
  41. .setOut_trade_no(IdUtil.simpleUUID())// 商户订单号 唯一
  42. .setSpbill_create_ip("10.1.1.10")// 终端IP
  43. .setNotify_url("https://www.baidu.com")//异步回调地址
  44. .setTrade_type("NATIVE") // 交易类型 JSAPI--JSAPI支付(或小程序支付)、NATIVE--Native支付、APP--app支付,MWEB--H5支付
  45. //.setSub_mch_id("1609469848")//子商户号 微信支付 分配的子商户号(服务商模式的时候填入)
  46. .setAttach("附加数据NO.1");//附加数据,在查询API和支付通知中原样返回,该字段主要用于商户携带订单的自定义数据
  47. ResultMap = WeChatPayService.Unifiedorder(weChatPay);
  48. log.info("返回结果:{}",JSONUtil.toJsonStr(ResultMap));
  49. } catch (Exception e) {
  50. ResultMap.put("code", 2);
  51. ResultMap.put("msg", "系统异常错误代码:" + e.getMessage());
  52. e.printStackTrace();
  53. }
  54. }
  55. }

3.1返回结果

  1. {
  2. "msg":"预下单成功",
  3. "code":0,
  4. "QrCode":"weixin://wxpay/bizpayurl?pr=e7lEkHezz",//二维码地址
  5. "out_trade_no":"a1fa1f29a4e6402296eae4c8323c6120"//商户平台订单号(非微信平台订单号)
  6. }

四、查询订单交易状态
官方文档:https://pay.weixin.qq.com/wiki/doc/api/native.php?chapter=9_2

上面我们已经完成了“下单”操作,那现在我们要来完成“查询订单交易状态”的操作,在我们下单成功之后我们肯定要查询这个订单交易成功了没有对吧,要不然客户也不知道这个订单是支付成功了还是失败了。

1、将下方代码放入 com.maomao.pay.web.service.WeChatPayService中

  1. /**
  2. * 查询微信支付订单状态
  3. * shuqingyou 2022/9/16
  4. * @param weChatPay 参数值appid 商户id等等
  5. * @return 支付状态
  6. */
  7. public static Map<String, Object> QueryPayStatus(WeChatPay weChatPay) throws Exception {
  8. Map<String, Object> ResultMap = new HashMap<String, Object>();
  9. //todo 创建请求参数
  10. SortedMap<String, String> req = new TreeMap<String, String>();
  11. req.put("appid", weChatPay.getAppid()); // 公众号ID
  12. req.put("mch_id", weChatPay.getMch_id()); // 商户号
  13. req.put("out_trade_no", weChatPay.getOut_trade_no());//商户订单号
  14. req.put("nonce_str", weChatPay.getNonce_str());// 随机字符串
  15. if (ObjectUtil.isNotEmpty(weChatPay.getSub_mch_id())) {
  16. req.put("sub_mch_id", weChatPay.getSub_mch_id());//子商户号 微信支付 分配的子商户号(服务商模式的时候填入)
  17. }
  18. req.put("sign", WXPayUtil.generateSignature(req, weChatPay.getApi_key(), WXPayConstants.SignType.MD5));
  19. //todo 生成要发送的 xml
  20. String xmlBody = WXPayUtil.generateSignedXml(req, weChatPay.getApi_key());
  21. System.err.println(String.format("查询订单支付状态 xml 格式:\n%s", xmlBody));
  22. //todo 调用查询订单支付状态 API
  23. String result = WxChatPayCommonUtil.httpsRequest(WeChatPayUrl.Orderquery, "POST", xmlBody);
  24. //todo 返回解析后的 map 数据
  25. Map<String, String> WxResultMap = WXPayUtil.xmlToMap(result);
  26. //todo 判断通信状态 此字段是通信标识,非交易标识
  27. if (ObjectUtil.isNotEmpty(WxResultMap.get("return_code")) && WxResultMap.get("return_code").equals("SUCCESS")) {
  28. //todo 业务结果
  29. if (WxResultMap.get("result_code").equals("SUCCESS")) {
  30. //todo 状态查询成功
  31. ResultMap.put("code", 0);
  32. ResultMap.put("daata", WxResultMap);
  33. switch (WxResultMap.get("trade_state")) {
  34. case "SUCCESS":
  35. ResultMap.put("OrderCode", WxResultMap.get("trade_state"));//订单交易状态code
  36. ResultMap.put("msg", "支付成功");
  37. ResultMap.put("out_trade_no", WxResultMap.get("out_trade_no"));//商户订单号
  38. ResultMap.put("time_end", WxResultMap.get("time_end"));//支付完成时间
  39. ResultMap.put("attach", WxResultMap.get("attach"));//下单时候传过去的附加数据
  40. break;
  41. case "REFUND":
  42. ResultMap.put("msg", "转入退款");
  43. break;
  44. case "NOTPAY":
  45. ResultMap.put("msg", "未支付");
  46. break;
  47. case "CLOSED":
  48. ResultMap.put("msg", "已关闭");
  49. break;
  50. case "REVOKED":
  51. ResultMap.put("msg", "已撤销(刷卡支付)");
  52. break;
  53. case "USERPAYING":
  54. ResultMap.put("msg", "用户支付中");
  55. break;
  56. case "PAYERROR":
  57. ResultMap.put("msg", "支付失败(其他原因,如银行返回失败)");
  58. break;
  59. case "ACCEPT":
  60. ResultMap.put("msg", "已接收,等待扣款");
  61. break;
  62. }
  63. } else {
  64. //todo 下单失败
  65. ResultMap.put("code", 2);
  66. ResultMap.put("msg", WxResultMap.get("err_code_des"));
  67. }
  68. } else {
  69. //todo 通信异常
  70. ResultMap.put("code", 2);
  71. ResultMap.put("msg", WxResultMap.get("return_msg"));//当return_code为FAIL时返回信息为错误原因 ,例如 签名失败 参数格式校验错误
  72. }
  73. System.out.println(String.format("%s", WxResultMap));
  74. return ResultMap;
  75. }

2、调用“查询交易状态”接口

将下方代码放入com.maomao.pay.weChatPayTest,运行

  1. /**
  2. * 查询微信订单交易状态
  3. */
  4. @Test
  5. public void QueryPayStatus() {
  6. Map<String, Object> ResultMap = new HashMap<String, Object>();
  7. try {
  8. //todo // 商户订单号 唯一
  9. String out_trade_no = "a1fa1f29a4e6402296eae4c8323c6120";
  10. WeChatPay weChatPay = new WeChatPay();
  11. weChatPay.setAppid(payProperties.getAppid())//公众号appid
  12. .setMch_id(payProperties.getMch_id()) // 商户号
  13. .setApi_key(payProperties.getApi_key())//api密钥
  14. .setNonce_str(WXPayUtil.generateNonceStr())// 32位随机字符串
  15. .setOut_trade_no(out_trade_no);// 商户订单号 唯一
  16. //.setSub_mch_id("1603126310");//子商户号 微信支付 分配的子商户号(服务商模式的时候填入)
  17. /**查询订单交易状态**/
  18. ResultMap=WeChatPayService.QueryPayStatus(weChatPay);
  19. log.info("返回结果:{}",JSONUtil.toJsonStr(ResultMap));
  20. } catch (Exception e) {
  21. e.printStackTrace();
  22. }
  23. }

2.1返回结果

  1. {
  2. "msg":"未支付",
  3. "code":0,
  4. "daata":{
  5. "nonce_str":"w1EBrnqCnoZl0aWM",
  6. "trade_state":"NOTPAY",
  7. "sign":"3BC73DB4205FBA7F835FD534C921BC2F",
  8. "return_msg":"OK",
  9. "mch_id":"1603076382",
  10. "sub_mch_id":"1603126310",
  11. "sub_appid":"wx609af6beda27e69d",
  12. "device_info":"",
  13. "out_trade_no":"a1fa1f29a4e6402296eae4c8323c6120",
  14. "appid":"wxea266a95de9e87a9",
  15. "total_fee":"1",
  16. "trade_state_desc":"订单未支付",
  17. "result_code":"SUCCESS",
  18. "return_code":"SUCCESS"
  19. }
  20. }

五、前端整合调用支付

效果图:在这里插入图片描述

1、接口代码

  1. package com.maomao.pay.web.controller;
  2. import cn.hutool.core.util.IdUtil;
  3. import com.github.wxpay.sdk.WXPayUtil;
  4. import com.maomao.pay.common.payProperties;
  5. import com.maomao.pay.common.utils.WxChatPayCommonUtil;
  6. import com.maomao.pay.model.WeChatPay;
  7. import com.maomao.pay.web.service.WeChatPayService;
  8. import org.springframework.web.bind.annotation.RequestMapping;
  9. import org.springframework.web.bind.annotation.ResponseBody;
  10. import org.springframework.web.bind.annotation.RestController;
  11. import lombok.extern.slf4j.Slf4j;
  12. import javax.annotation.Resource;
  13. import javax.servlet.http.HttpServletRequest;
  14. import javax.servlet.http.HttpServletResponse;
  15. import java.util.HashMap;
  16. import java.util.Map;
  17. /**
  18. * 微信支付控制层
  19. * @author shuqingyou 2022/9/17
  20. */
  21. @RestController
  22. @RequestMapping(value = "/WeiXinPayController")
  23. @Slf4j
  24. public class WeiXinPayController {
  25. @Resource
  26. private payProperties payProperties;
  27. /**
  28. * 微信支付 统一预下单接口
  29. * @author shuqingyou 2022/9/17
  30. */
  31. @RequestMapping(value = "/createNative")
  32. public Map<String, Object> createNative(HttpServletRequest request) {
  33. Map<String, Object> ResultMap = new HashMap<String, Object>();
  34. try {
  35. WeChatPay weChatPay = new WeChatPay();
  36. weChatPay.setAppid(payProperties.getAppid())//公众号appid
  37. .setMch_id(payProperties.getMch_id()) // 商户号
  38. .setApi_key(payProperties.getApi_key())//api密钥
  39. .setNonce_str(WXPayUtil.generateNonceStr())// 32位随机字符串
  40. .setBody("小米MIX3 12+568国行陶瓷黑")// 商品描述
  41. .setTotal_fee("0.01") //标价金额
  42. .setOut_trade_no(IdUtil.simpleUUID())// 商户订单号 唯一
  43. .setSpbill_create_ip(WxChatPayCommonUtil.getIp(request))// 终端IP
  44. .setNotify_url("https://www.baidu.com")//异步回调地址
  45. .setTrade_type("NATIVE") // 交易类型 JSAPI--JSAPI支付(或小程序支付)、NATIVE--Native支付、APP--app支付,MWEB--H5支付
  46. .setSub_mch_id("1609469848")//子商户号 微信支付 分配的子商户号(服务商模式的时候填入)
  47. .setAttach("shuqingyou");//附加数据,在查询API和支付通知中原样返回,该字段主要用于商户携带订单的自定义数据
  48. return WeChatPayService.Unifiedorder(weChatPay);
  49. } catch (Exception e) {
  50. ResultMap.put("code", 2);
  51. ResultMap.put("msg", "系统异常错误代码:" + e.getMessage());
  52. e.printStackTrace();
  53. }
  54. return ResultMap;
  55. }
  56. /**
  57. * 查询微信订单交易状态
  58. * @author shuqingyou 2022/9/17
  59. * @param request
  60. * @param response
  61. * @return
  62. */
  63. @RequestMapping(value = "/QueryPayStatus")
  64. @ResponseBody
  65. public Map<String, Object> QueryPayStatus(HttpServletRequest request, HttpServletResponse response) {
  66. Map<String, Object> ResultMap = new HashMap<String, Object>();
  67. try {
  68. //todo // 商户订单号 唯一
  69. String out_trade_no = request.getParameter("out_trade_no");
  70. WeChatPay weChatPay = new WeChatPay();
  71. weChatPay.setAppid(payProperties.getAppid())//公众号appid
  72. .setMch_id(payProperties.getMch_id()) // 商户号
  73. .setApi_key(payProperties.getApi_key())//api密钥
  74. .setNonce_str(WXPayUtil.generateNonceStr())// 32位随机字符串
  75. .setOut_trade_no(out_trade_no)// 商户订单号 唯一
  76. .setSub_mch_id("1609469848");//子商户号 微信支付 分配的子商户号(服务商模式的时候填入)
  77. /**查询订单交易状态**/
  78. return WeChatPayService.QueryPayStatus(weChatPay);
  79. } catch (Exception e) {
  80. ResultMap.put("code", 2);
  81. ResultMap.put("msg", "系统异常错误代码:" + e.getMessage());
  82. e.printStackTrace();
  83. }
  84. return ResultMap;
  85. }
  86. }

2、前端代码

  1. <!DOCTYPE html>
  2. <html lang="en">
  3. <head>
  4. <meta charset="UTF-8">
  5. <title>二维码付款</title>
  6. <script type="text/javascript" src="js/jquery-1.11.2.min.js"></script>
  7. <script type="text/javascript" src="js/jquery.qrcode.min.js"></script>
  8. </head>
  9. <body>
  10. <a href="javascript:void(0);" onclick="WeChatPay()">点击生成付款二维码(微信)</a>
  11. <div id="Orcode_div" style="height: 165px;width: 165px"></div>
  12. </body>
  13. <script type="application/javascript">
  14. var basePath="http://127.0.0.1:1688"
  15. //商户订单号
  16. var outTradeNo;
  17. //定时任务
  18. var WeChatPayTrade;
  19. //记录是否通知页面“用户已扫码”
  20. var WeChatPayFindNumber = true
  21. //微信商家唯一订单编号
  22. var WeChatPayOut_trade_no;
  23. /**
  24. * 微信支付分割线
  25. * sqy 2022/9/16
  26. */
  27. //支付宝预下单
  28. function WeChatPay() {
  29. $.ajax({
  30. url: basePath + '/WeiXinPayController/createNative',
  31. method: 'post',
  32. async: false, //是否异步请求 默认truefalse为同步请求 ,true为异步请求)
  33. dataType: 'JSON',
  34. success: function (res) {
  35. if (res.code == 0) {
  36. //商户订单编号
  37. WeChatPayOut_trade_no = res.out_trade_no;
  38. //创建订单二维码
  39. createQrcode(res.QrCode);
  40. } else {
  41. alert(res.msg)
  42. }
  43. }
  44. })
  45. }
  46. /**
  47. * 查询微信交易状态
  48. */
  49. function findWeChatPay_trade() {
  50. WeChatPayTrade = setInterval(function () {
  51. console.log("每3秒执行一次");
  52. $.ajax({
  53. url: basePath + '/WeiXinPayController/QueryPayStatus',
  54. method: 'post',
  55. async: false, //是否异步请求 默认truefalse为同步请求 ,true为异步请求)
  56. data: {
  57. "out_trade_no": WeChatPayOut_trade_no
  58. },
  59. dataType: 'JSON',
  60. success: function (res) {
  61. if (res.code == 0 && res.OrderCode == "USERPAYING") {
  62. //订单已经创建但未支付(用户扫码后但是未支付)
  63. if (WeChatPayFindNumber) {
  64. console.log("用户已扫码但是未支付");
  65. WeChatPayFindNumber = false;
  66. }
  67. } else if (res.code == 0 && res.OrderCode == "SUCCESS") {
  68. //阻止定时
  69. window.clearInterval(WeChatPayTrade);
  70. alert("订单已支付,感谢支持。。。");
  71. }
  72. }
  73. })
  74. }, 3000);
  75. }
  76. var qRCode;
  77. //生成付款二维码
  78. function createQrcode(url) {
  79. if (qRCode != undefined && qRCode != '') {
  80. //清空之前的二维码
  81. $("#Orcode_div canvas").remove()
  82. $("#yes_qrcode").hide();
  83. }
  84. //生成二维码放入”Orcode_div“ div
  85. qRCode = $('#Orcode_div').qrcode({
  86. width: 168, //宽度
  87. height: 168, //高度
  88. text: url
  89. });
  90. if (url.indexOf("weixin") > -1) {
  91. findWeChatPay_trade();
  92. }
  93. }
  94. </script>
  95. </html>

完成上面的代码,简单的一个支付实现就完成了。

六、异步回调通知
官方文档:https://pay.weixin.qq.com/wiki/doc/api/native.php?chapter=9_7&index=8

上诉代码,我们已经弄完了前端和后端的交互流程,前端页面也告诉了用户这笔订单的状态。但是。。。。。但是… ,我们后端不知道啊,我这么说你们肯定有疑问了,-那我们刚刚不是有一个“查询交易状态”的接口不是已经知道用户支付成功了吗?,为什么还要弄一个异步回调接口呢。你要是这么想的话,那你就肤浅了。。。。

1、什么是异步回调接口???

答:在一笔订单支付成功之后微信会告诉你的服务器这笔订单支付成功了,然后你就需要根据你的项目业务逻辑进行处理,该发货的发货,该退款的退款(比如用户重复支付),所以你需要写一个接口放到你们项目中,让微信来调用你的接口就行了。

2、为什么我们要弄一个异步回调接口???

答:前面我们有一个“查询交易状态”的接口,但是你有没有发现这个接口是要你的服务器去主动调用微信的接口的,而且最开始触发这个调用的是前端触发的,这样假如用户再下单了之后把这个页面给关掉了呢,那是不是“查询交易状态”的这个接口是不是就不会触发了,不会触发是不是就导致了服务器不知道这个订单有没有支付成功了(用户钱就白给了。。。)。那有些人可能还想到了,每次我订单下单完成之后,我服务器定时去调用微信接口不就行了吗?这也是个法子但是这样服务器就肯定吃不消了啊,一个用户就要弄一个定时用户,那要是用户多了怎么办呢,所以说这个方法行不通服务器会受不了滴。

注意:回调的接口地址必须是公网可以进行访问的,如果开发中您的项目公网没有办法访问的话,微信是无法调用的。所以我们需要弄一个内网穿透,各位可以参考下面的几个网站:

​ 1、花生壳:https://hsk.oray.com/(免费)

​ 2、natapp:https://natapp.cn(免费),但是每次启动域名会变

1、回调接口服务层

解析微信返回的数据、验证签名

将下方代码放入:com.maomao.pay.web.service.WeChatPayService

  1. /**
  2. * 微信支付异步回调通知接口
  3. * shuqingyou 2022/9/16
  4. * @param request 请求对象
  5. * @param api_key api密钥
  6. * @return
  7. * @throws Exception
  8. */
  9. public static Map<String, Object> WeChatPayCallback(HttpServletRequest request, String api_key) throws Exception {
  10. Map<String, Object> ResultMap = new HashMap<String, Object>();
  11. //todo 解析到微信返回过来的xml数据
  12. String WxPayxmlData = WxChatPayCommonUtil.readXmlFromStream(request);
  13. //todo xml转Map
  14. Map<String, String> WxResultMap = WXPayUtil.xmlToMap(WxPayxmlData);
  15. //todo 验证签名
  16. boolean SignStatus = WXPayUtil.isSignatureValid(WxResultMap, api_key);
  17. if (SignStatus) {
  18. //验证成功
  19. //要返回给微信的xml数据
  20. String returnWeChat = WxChatPayCommonUtil.setReturnXml("SUCCESS", "OK");
  21. ResultMap.put("Verify", "YES");
  22. ResultMap.put("returnWeChat", returnWeChat);
  23. ResultMap.put("data", WxResultMap);
  24. } else {
  25. //验证失败(表示可能接口被他人调用 需要留意)
  26. ResultMap.put("Verify", "NO");
  27. ResultMap.put("msg", "验签失败。");
  28. }
  29. return ResultMap;
  30. }

2、回调接口控制层

将下方代码放入:com.maomao.pay.web.controller.WeiXinPayController

注意:在微信回调完成之后,你需要将参数“returnWeChat”里面的数据返回给微信以告诉微信,你的服务器收到了它的回调,要不然微信会重复调用您的这个接口(24小时内),除非你回一个正确的数据

returnWeChat实例值:

  1. <xml>
  2. <return_code><![CDATA[SUCCESS]]></return_code>
  3. <return_msg><![CDATA[OK]]></return_msg>
  4. </xml>

3、预下单接口设置回调地址

在“预下单”接口控制层传入,回调地址(公网可以访问),也可以放入 yml文件中通过payProperties类进行注入(我这里就不演示了)在这里插入图片描述

4、演示效果

走到这里就代表回调处理成功了,这样子你的真个流程就走完了。

在这里你需要做”验签“保证系统的安全性,防止不法分子仿造数据调用你的接口。记住处理你的项目业务逻辑的代码只能再这里进行,不要去“查询交易状态”接口中进行,要保证系统的安全性以及一致性,要不然用户支付成功了,你最后没给别人发货,那谁还敢用你的平台,其次当如果一个回调过来了,你要先查一下这个订单有没有支付过,如果是重复支付那你就要给用户进行退款处理。(退款的代码我就不放在这里演示了),我会放在项目源码里面。在这里插入图片描述

 

 

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/羊村懒王/article/detail/169122?site
推荐阅读
相关标签
  

闽ICP备14008679号