Home Java javaTutorial Example analysis of calling WeChat payment function in Java

Example analysis of calling WeChat payment function in Java

Aug 20, 2017 am 09:11 AM
java Function Case Analysis

这篇文章主要介绍了Java编程调用微信支付功能的方法,结合实例形式详细分析了java微信支付功能的原理、操作流程及相关实现技巧,需要的朋友可以参考下

本文实例讲述了Java编程调用微信支付功能的方法。分享给大家供大家参考,具体如下:

从调用处开始

我的流程: 1.点击“支付”按钮,去后台 —-> 2.后台生成支付所需数据返回页面 —-> 3.页面点击“确认支付”调用微信支付js。完成支付功能

支付按钮


<p class="button" id="pay" onclick="payBox()">支付</p>
Copy after login

支付按钮js


function payBox(){
    //获得支付的钱数
    var money = $(".money input").val();
    //后台路径,加上参数
    location.href = "/XXX/XXX/XXXX/XXXX?money ="+money;
}
Copy after login

后台方法(例:index())

注释:

getPara( ) == request.getParameter(name);
setAttr( ) == request.setAttribute(name, value);
render() == 我现在所用框架返回页面的一种方法。

首先得OpenId;下面是具体方法。


public String getOpenId(){
  String code = getPara("code");
  String openid = "";
    if (StringUtils.isEmpty(openid) && !StringUtils.isEmpty(code)) {
      SnsAccessToken token = SnsAccessTokenApi.getSnsAccessToken("你的APPID","你的appsecret密码",
          code);
      openid = token.getOpenid();
    }
    getSession().setAttribute("openandid",openid);
    return openid;
}
public void index() throws Exception{
    String openid = getOpenId();
    //得到金额
    String money= getPara("money");
    Map<String ,String > map=new HashMap<String,String>();
    //获取随机串
    String nonceStr=UUID.randomUUID().toString().substring(0, 32);
    //可以是支付物品的订单号。一个号码,看自己怎么给
    String out_trade_no="123456789";
    //支付金额。微信默认支付是(1=0.01)的比例,下面是将金额换算成微信可识别的
    BigDecimal re1=new BigDecimal(expressCharge);
    BigDecimal re2=new BigDecimal(Float.toString(100.00f));
    Float aa = re1.multiply(re2).floatValue();
    String total_fee = String.valueOf(aa);
    String[] smill = total_fee.split("\\.");
    total_fee = smill[0];
    //微信的appid
    String appid="XXXXXXXXXXXXXXXXX";
    String mch_id="XXXXXXXXX";//商户号
    String body="xxxxxxx";//商品信息,可以自己起最好写英文
    //密匙,商户平台的支付API密匙,注意是商户平台,不是微信平台
    String key = "XXXXXXXXXXXXXXXXXXXXXXXXXXXX";
    long timestamp = System.currentTimeMillis() / 1000;
    map.put("appid", appid );
    map.put("mch_id", mch_id);
    map.put("nonce_str",nonceStr);
    map.put("body", body);
    map.put("out_trade_no", out_trade_no);
    map.put("total_fee", total_fee);
    map.put("spbill_create_ip",getRequest().getRemoteAddr());
    //这里是支付成功后返回的地址,微信会以XML形式放回数据,就是本篇文章的下一类(例:wxxml())方法名。
    map.put("notify_url", "http://www.XXXX.com/XXXX/XXXX/xxxx/wxxml");
    map.put("trade_type", "JSAPI");
    map.put("openid", openid);//传入OpenId
    //这里传入Map集合和key商户支付密匙
    String paySign=getPayCustomSign(map,key);
    map.put("sign",paySign);
    //将map转为XML格式
    String xml= ArrayToXml(map);
    //统一下单,这里不用改
    String url = "https://api.mch.weixin.qq.com/pay/unifiedorder";
    String xmlStr = HttpKit.post(url, xml);
    //prepayid由微信返回的 。
    String prepayid = "";
    if (xmlStr.indexOf("SUCCESS") != -1) {
      Map<String, String> map2 = doXMLParse(xmlStr);
      prepayid = (String) map2.get("prepay_id");
    }
    String paySign2=getPayCustomSign(signMap,key);
    setAttr("model", model);
    setAttr("appId", appid);
    setAttr("paytimestamp", String.valueOf(timestamp));
    setAttr("paynonceStr", nonceStr);
    setAttr("paypackage", "prepay_id="+prepayid);
    setAttr("paysignType","MD5");
    setAttr("paySign", paySign2);
    //去到确认支付页面,返回页面方式不同,(例:pay.html页面),下面
    render("/XXXX/pay.html");
}
/**
* 获取支付所需签名
* @param ticket
* @param timeStamp
* @param card_id
* @param code
* @return
* @throws Exception
*/
public static String getPayCustomSign(Map<String, String> bizObj,String key) throws Exception {
    String bizString = FormatBizQueryParaMap(bizObj, false);
    return sign(bizString, key);
}
/**
* 字典排序
* @param paraMap
* @param urlencode
* @return
* @throws Exception
*/
public static String FormatBizQueryParaMap(Map<String, String> paraMap,
  boolean urlencode) throws Exception {
    String buff = "";
    try {
      List<Map.Entry<String, String>> infoIds = new ArrayList<Map.Entry<String, String>>(paraMap.entrySet());
      Collections.sort(infoIds,
          new Comparator<Map.Entry<String, String>>() {
      public int compare(Map.Entry<String, String> o1,
         Map.Entry<String, String> o2) {
         return (o1.getKey()).toString().compareTo(
                  o2.getKey());
            }
          });
      for (int i = 0; i < infoIds.size(); i++) {
        Map.Entry<String, String> item = infoIds.get(i);
        //System.out.println(item.getKey());
        if (item.getKey() != "") {
          String key = item.getKey();
          String val = item.getValue();
          if (urlencode) {
            val = URLEncoder.encode(val, "utf-8");
          }
          buff += key + "=" + val + "&";
        }
      }
      if (buff.isEmpty() == false) {
        buff = buff.substring(0, buff.length() - 1);
      }
    } catch (Exception e) {
      throw new Exception(e.getMessage());
    }
    return buff;
}
//支付所需签名处调用此方法
public static String sign(String content, String key)
  throws Exception{
    String signStr = "";
    signStr = content + "&key=" + key;
    return MD5(signStr).toUpperCase();
}
//上一方法,MD5加密处理
public final static String MD5(String s) {
    char hexDigits[]={&#39;0&#39;,&#39;1&#39;,&#39;2&#39;,&#39;3&#39;,&#39;4&#39;,&#39;5&#39;,&#39;6&#39;,&#39;7&#39;,&#39;8&#39;,&#39;9&#39;,&#39;A&#39;,&#39;B&#39;,&#39;C&#39;,&#39;D&#39;,&#39;E&#39;,&#39;F&#39;};
    try {
      byte[] btInput = s.getBytes();
      MessageDigest mdInst = MessageDigest.getInstance("MD5");
      mdInst.update(btInput);
      byte[] md = mdInst.digest();
      int j = md.length;
      char str[] = new char[j * 2];
      int k = 0;
      for (int i = 0; i < j; i++) {
        byte byte0 = md[i];
        str[k++] = hexDigits[byte0 >>> 4 & 0xf];
        str[k++] = hexDigits[byte0 & 0xf];
      }
      return new String(str);
    } catch (Exception e) {
      e.printStackTrace();
      return null;
    }
}
//转为XML格式
public static String ArrayToXml(Map<String, String> arr) {
    String xml = "<xml>";
    Iterator<Entry<String, String>> iter = arr.entrySet().iterator();
    while (iter.hasNext()) {
      Entry<String, String> entry = iter.next();
      String key = entry.getKey();
      String val = entry.getValue();
      if (IsNumeric(val)) {
        xml += "<" + key + ">" + val + "</" + key + ">";
      } else
        xml += "<" + key + "><![CDATA[" + val + "]]></" + key + ">";
    }
    xml += "</xml>";
    return xml;
}
public static boolean IsNumeric(String str) {
    if (str.matches("\\d *")) {
      return true;
    } else {
      return false;
    }
}
//解析XML
private Map<String, String> doXMLParse(String xml)
    throws XmlPullParserException, IOException {
      InputStream inputStream = new ByteArrayInputStream(xml.getBytes());
      Map<String, String> map = null;
      XmlPullParser pullParser = XmlPullParserFactory.newInstance()
          .newPullParser();
      pullParser.setInput(inputStream, "UTF-8");// 为xml设置要解析的xml数据
      int eventType = pullParser.getEventType();
      while (eventType != XmlPullParser.END_DOCUMENT) {
        switch (eventType) {
        case XmlPullParser.START_DOCUMENT:
          map = new HashMap<String, String>();
          break;
        case XmlPullParser.START_TAG:
          String key = pullParser.getName();
          if (key.equals("xml"))
            break;
          String value = pullParser.nextText();
          map.put(key, value);
          break;
        case XmlPullParser.END_TAG:
          break;
        }
        eventType = pullParser.next();
      }
      return map;
}
Copy after login

pay页面(上面步骤执行完后去的页面)

此处是页面js代码,接受后台代码传回来的参数。现在用的是BSL模板引擎,参数可以以EL表达式方式接收。可先将后台传会的参数,放在几个input类型type=”hidden”标签标签中。


<input type="hidden" name="appId" value="${appId}" id="appid" />
Copy after login

js中得到值


var appid = $("#appid").val();
Copy after login

js引用


<script type="text/javascript" src="${staticPath}/front/js/weixin.js"></script>
Copy after login

下面是JS代码,由于是bsl,自己看着传参数吧,反正都是后台来的。


<p class="button" id="onlinePayNow">确认支付</p>
Copy after login


//先写一个点击事件,当点击id为onlinePayNow的按钮时,触发该事件。
$("#onlinePayNow").click(function getpay(){
  if (typeof WeixinJSBridge=="undefined") {
    if (document.addEventListener) {document.addEventListener(&#39;WeixinJSBridgeReady&#39;,onBridgeReady,false);
    }else if(document.attachEvent){document.attachEvent(&#39;WeixinJSBridgeReady&#39;,onBridgeReady);document.attachEvent(&#39;onWeixinJSBridgeReady&#39;,onBridgeReady);
    }
  }else{
    //如果报错,可用下面方法看看是不是参数缺少。
    /* alert(&#39;${appId}&#39;);
    alert(&#39;${paytimestamp}&#39;);
    alert(&#39;${paynonceStr}&#39;);
    alert(&#39;${paypackage}&#39;);
    alert(&#39;${paysignType}&#39;);
    alert(&#39;${paySign}&#39;); */
    //调用下面方法。开启微信支付。
    onBridgeReady();
  }
})
function onBridgeReady(){
  WeixinJSBridge.invoke(&#39;getBrandWCPayRequest&#39;, {
    "appId" : &#39;${appId}&#39;, //公众号名称,由商户传入
    "timeStamp" : &#39;${paytimestamp}&#39;, //时间戳,自1970年以来的秒数
    "nonceStr" : &#39;${paynonceStr}&#39;, //随机串
    "package" : &#39;${paypackage}&#39;,
    "signType" : &#39;${paysignType}&#39;, //微信签名方式:
    "paySign" : &#39;${paySign}&#39; //微信签名
  }, function(res) {
    //alert(res.err_msg); // 使用以上方式判断前端返回,微信团队郑重提示:res.err_msg将在用户支付成功后返
    if(res.err_msg == "get_brand_wcpay_request:ok"){
    //支付成功,完成后去到哪个页面。
    window.location.href="/XXXX/xxxx.html" rel="external nofollow" ;
    }
  });
}
Copy after login

在微信公众平台配置,支付授权目录。

授权目录建议:

http://www.XXXX.com/XXXX/xxx/index/

我觉得最好写后台是action地址就写Action地址,Controller就写Controller地址,如果有Spring注解,就写注解后名称。

我所导入的包(java后台,就是index方法。)


import java.io.ByteArrayInputStream;
import java.io.IOException;
import java.io.InputStream;
import java.math.BigDecimal;
import java.net.URLEncoder;
import java.security.MessageDigest;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.HashMap;
import java.util.Iterator;
import java.util.List;
import java.util.Map;
import java.util.Map.Entry;
import java.util.UUID;
import org.xmlpull.v1.XmlPullParser;
import org.xmlpull.v1.XmlPullParserException;
import org.xmlpull.v1.XmlPullParserFactory;
import com.jfinal.kit.HttpKit;
import com.uitrs.express.common.Constants;
Copy after login

The above is the detailed content of Example analysis of calling WeChat payment function in Java. For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Perfect Number in Java Perfect Number in Java Aug 30, 2024 pm 04:28 PM

Guide to Perfect Number in Java. Here we discuss the Definition, How to check Perfect number in Java?, examples with code implementation.

Weka in Java Weka in Java Aug 30, 2024 pm 04:28 PM

Guide to Weka in Java. Here we discuss the Introduction, how to use weka java, the type of platform, and advantages with examples.

Smith Number in Java Smith Number in Java Aug 30, 2024 pm 04:28 PM

Guide to Smith Number in Java. Here we discuss the Definition, How to check smith number in Java? example with code implementation.

Java Spring Interview Questions Java Spring Interview Questions Aug 30, 2024 pm 04:29 PM

In this article, we have kept the most asked Java Spring Interview Questions with their detailed answers. So that you can crack the interview.

Break or return from Java 8 stream forEach? Break or return from Java 8 stream forEach? Feb 07, 2025 pm 12:09 PM

Java 8 introduces the Stream API, providing a powerful and expressive way to process data collections. However, a common question when using Stream is: How to break or return from a forEach operation? Traditional loops allow for early interruption or return, but Stream's forEach method does not directly support this method. This article will explain the reasons and explore alternative methods for implementing premature termination in Stream processing systems. Further reading: Java Stream API improvements Understand Stream forEach The forEach method is a terminal operation that performs one operation on each element in the Stream. Its design intention is

TimeStamp to Date in Java TimeStamp to Date in Java Aug 30, 2024 pm 04:28 PM

Guide to TimeStamp to Date in Java. Here we also discuss the introduction and how to convert timestamp to date in java along with examples.

Java Program to Find the Volume of Capsule Java Program to Find the Volume of Capsule Feb 07, 2025 am 11:37 AM

Capsules are three-dimensional geometric figures, composed of a cylinder and a hemisphere at both ends. The volume of the capsule can be calculated by adding the volume of the cylinder and the volume of the hemisphere at both ends. This tutorial will discuss how to calculate the volume of a given capsule in Java using different methods. Capsule volume formula The formula for capsule volume is as follows: Capsule volume = Cylindrical volume Volume Two hemisphere volume in, r: The radius of the hemisphere. h: The height of the cylinder (excluding the hemisphere). Example 1 enter Radius = 5 units Height = 10 units Output Volume = 1570.8 cubic units explain Calculate volume using formula: Volume = π × r2 × h (4

How to Run Your First Spring Boot Application in Spring Tool Suite? How to Run Your First Spring Boot Application in Spring Tool Suite? Feb 07, 2025 pm 12:11 PM

Spring Boot simplifies the creation of robust, scalable, and production-ready Java applications, revolutionizing Java development. Its "convention over configuration" approach, inherent to the Spring ecosystem, minimizes manual setup, allo

See all articles