微信公众平台jsapi开发教程(3)页面初步接入微信jsapi

来源:互联网 发布:centos ssh key登录 编辑:程序博客网 时间:2024/05/16 07:50

参数名描述appId应用ID 登录微信公众号管理平台可查询timestamp 必填,生成签名的时间戳  nonceStr必填,生成签名的随机串  signature必填,签名,见附录1 

上述表格中的参数,我们在前一章节已经说的很明白,之所以做出一个表格是因为如果想要成功接入微信jsapi这四个参数是凭证,也就是相当于一个门必须要有四把钥匙才能打开,缺一不可 。

接下来的案例采用java的servlet做的跳转页面,没有用到springMVC,大家可把请求的路径更换成controller路径即可。

WxJsAPIServlet代码:

package com.test;/*** * V型知识库 www.vxzsk.com */import java.io.IOException;import java.io.PrintWriter;import java.util.Map; import javax.servlet.ServletException;import javax.servlet.http.HttpServlet;import javax.servlet.http.HttpServletRequest;import javax.servlet.http.HttpServletResponse; import com.test.util.JsapiTicketUtil;import com.test.util.Sign;public class WxJsAPIServlet extends HttpServlet {/**     * Constructor of the object.     */    public WxJsAPIServlet() {        super();    }/**     * Destruction of the servlet. <br>     */    public void destroy() {        super.destroy(); // Just puts "destroy" string in log        // Put your code here    }     /**     * The doGet method of the servlet. <br>     *     * This method is called when a form has its tag value method equals to get.     *      * @param request the request send by the client to the server     * @param response the response send by the server to the client     * @throws ServletException if an error occurred     * @throws IOException if an error occurred     */    public void doGet(HttpServletRequest request, HttpServletResponse response)            throws ServletException, IOException {        System.out.println("wxJSAPI====================");        String jsapi_ticket =JsapiTicketUtil.getJSApiTicket();;        Map<String,String> map = Sign.sign(jsapi_ticket, "http://www.vxzsk.com/weChat/wxJsAPIServlet");        String timestamp = map.get("timestamp");        String nonceStr = map.get("nonceStr");        String signature = map.get("signature");        String appId = "应用Id";        request.setAttribute("appId", appId);        request.setAttribute("timestamp", timestamp);        request.setAttribute("signature",signature);        request.setAttribute("nonceStr", nonceStr);        request.getRequestDispatcher("jsapi/jsapi.jsp").forward(request, response);                      }     /**     * The doPost method of the servlet. <br>     *     * This method is called when a form has its tag value method equals to post.     *      * @param request the request send by the client to the server     * @param response the response send by the server to the client     * @throws ServletException if an error occurred     * @throws IOException if an error occurred     */    public void doPost(HttpServletRequest request, HttpServletResponse response)            throws ServletException, IOException {       this.doGet(request, response);       }/**     * Initialization of the servlet. <br>     *     * @throws ServletException if an error occurs     */    public void init() throws ServletException {        // Put your code here    }}


第44行是生成 jsapi_ticket的工具类,在下面有贴出工具类的代码。

第45行 Sign类的sign方法,把表格中的最后三个参数封装放到Map集合中了。其中参数就是请求的servlet地址并跳转到调用微信jsapi的jsp界面。

第49行 appId替换成你自己的应用id,如果不知道应用id 可登陆微信公众平台管理中心查询。

servlet对应的web.xml代码


<servlet>    <description>This is the description of my J2EE component</description>    <display-name>This is the display name of my J2EE component</display-name>    <servlet-name>WxJsAPIServlet</servlet-name>    <servlet-class>com.test.WxJsAPIServlet</servlet-class>  </servlet><servlet-mapping>    <servlet-name>WxJsAPIServlet</servlet-name>    <url-pattern>/wxJsAPIServlet</url-pattern>  </servlet-mapping>


生成签名算法类Sign代码:
package com.test.util;/*** * V型知识库 www.vxzsk.com */import java.util.UUID;import java.util.Map;import java.util.HashMap;import java.util.Formatter;import java.security.MessageDigest;import java.security.NoSuchAlgorithmException;import java.io.UnsupportedEncodingException;    public class Sign {    public static Map<String, String> sign(String jsapi_ticket, String url) {        Map<String, String> ret = new HashMap<String, String>();        String nonce_str = create_nonce_str();        String timestamp = create_timestamp();        String string1;        String signature = "";         //注意这里参数名必须全部小写,且必须有序        string1 = "jsapi_ticket=" + jsapi_ticket +                  "&noncestr=" + nonce_str +                  "×tamp=" + timestamp +                  "&url=" + url;        System.out.println(string1);         try        {            MessageDigest crypt = MessageDigest.getInstance("SHA-1");            crypt.reset();            crypt.update(string1.getBytes("UTF-8"));            signature = byteToHex(crypt.digest());        }        catch (NoSuchAlgorithmException e)        {            e.printStackTrace();        }        catch (UnsupportedEncodingException e)        {            e.printStackTrace();        }         ret.put("url", url);        ret.put("jsapi_ticket", jsapi_ticket);        ret.put("nonceStr", nonce_str);        ret.put("timestamp", timestamp);        ret.put("signature", signature);         return ret;    }     private static String byteToHex(final byte[] hash) {        Formatter formatter = new Formatter();        for (byte b : hash)        {            formatter.format("%02x", b);        }        String result = formatter.toString();        formatter.close();        return result;    }     private static String create_nonce_str() {        return UUID.randomUUID().toString();    }     private static String create_timestamp() {        return Long.toString(System.currentTimeMillis() / 1000);    }    public static void main(String[] args) {        String jsapi_ticket =JsapiTicketUtil.getJSApiTicket();        // 注意 URL 一定要动态获取,不能 hardcode        String url = "http://www.vxzsk.com/xx/x.do";//url是你请求的一个action或者controller地址,并且方法直接跳转到使用jsapi的jsp界面        Map<String, String> ret = sign(jsapi_ticket, url);        for (Map.Entry entry : ret.entrySet()) {            System.out.println(entry.getKey() + ", " + entry.getValue());        }    };}



生成jsapi_ticket参数的工具类JsapiTicketUtil代码

package com.test.util;import java.io.BufferedReader;import java.io.IOException;import java.io.InputStreamReader;import java.net.MalformedURLException;import java.net.URL;import java.net.URLConnection; import net.sf.json.JSONObject;import com.test.weixin.TestAcessToken;/*** * @author V型知识库  www.vxzsk.com * */public class JsapiTicketUtil {         /***     * 模拟get请求     * @param url     * @param charset     * @param timeout     * @return     */     public static String sendGet(String url, String charset, int timeout)      {        String result = "";        try        {          URL u = new URL(url);          try          {            URLConnection conn = u.openConnection();            conn.connect();            conn.setConnectTimeout(timeout);            BufferedReader in = new BufferedReader(new InputStreamReader(conn.getInputStream(), charset));            String line="";            while ((line = in.readLine()) != null)            {                           result = result + line;            }            in.close();          } catch (IOException e) {            return result;          }        }        catch (MalformedURLException e)        {          return result;        }               return result;      }     /***      * 获取acess_token       * 来源www.vxzsk.com      * @return      */     public static String getAccessToken(){            String appid="你公众号基本设置里的应用id";//应用ID            String appSecret="你公众号基本设置里的应用密钥";//(应用密钥)            String url ="https://api.weixin.qq.com/cgi-bin/token?grant_type=client_credential&appid="+appid+"&secret="+appSecret+"";            String backData=TestAcessToken.sendGet(url, "utf-8", 10000);            String accessToken = (String) JSONObject.fromObject(backData).get("access_token");              return accessToken;     }          /***      * 获取jsapiTicket      * 来源 www.vxzsk.com      * @return      */    public static String getJSApiTicket(){         //获取token        String acess_token= JsapiTicketUtil.getAccessToken();        String urlStr = "https://api.weixin.qq.com/cgi-bin/ticket/getticket?access_token="+acess_token+"&type=jsapi";          String backData=TestAcessToken.sendGet(urlStr, "utf-8", 10000);          String ticket = (String) JSONObject.fromObject(backData).get("ticket");          return  ticket;                 }           public static void main(String[] args) {        String jsapiTicket = JsapiTicketUtil.getJSApiTicket();        System.out.println("调用微信jsapi的凭证票为:"+jsapiTicket);     } }



上述代码中有个获取access_token的方法,请读者更换自己的参数即可

jsapi.jsp代码

<%@ page language="java" import="java.util.*" pageEncoding="utf-8"%><%String path = request.getContextPath();String basePath = request.getScheme()+"://"+request.getServerName()+":"+request.getServerPort()+path+"/";%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"><html>  <head>    <base href="<%=basePath%>">         <title>微信jsapi测试-V型知识库</title>    <meta name="viewport" content="width=320.1,initial-scale=1,minimum-scale=1,maximum-scale=1,user-scalable=no">   <script src="http://res.wx.qq.com/open/js/jweixin-1.1.0.js"> </script>        </head>     <body>     <center><h3>欢迎来到微信jsapi测试界面-V型知识库</h3></center>  <br>     <p>timestamp:${ timestamp}</p>       <p>nonceStr:${ nonceStr}</p>            <p>signature:${ signature}</p>       <p>appId:${ appId}</p>                        <input type="button" value="upload" onclick="uploadImg();"/>      <input type="button" value="获取当前位置" onclick="getLocation();"/>    <br>        <script type="text/javascript">     wx.config({      debug: true, // 开启调试模式,调用的所有api的返回值会在客户端alert出来,若要查看传入的参数,可以在pc端打开,参数信息会通过log打出,仅在pc端时才会打印。      appId: '${appId}', // 必填,公众号的唯一标识      timestamp: '${ timestamp}' , // 必填,生成签名的时间戳      nonceStr: '${ nonceStr}', // 必填,生成签名的随机串      signature: '${ signature}',// 必填,签名,见附录1      jsApiList: ['chooseImage','getLocation','openLocation'] // 必填,需要使用的JS接口列表,所有JS接口列表见附录2  });     wx.ready(function(){      alert("ready");  });     wx.error(function (res) {  alert("调用微信jsapi返回的状态:"+res.errMsg);});      function uploadImg() {      wx.checkJsApi({          jsApiList: ['chooseImage','openLocation','getLocation'], // 需要检测的JS接口列表,所有JS接口列表见附录2,          success: function(res) {              // 以键值对的形式返回,可用的api值true,不可用为false              // 如:{"checkResult":{"chooseImage":true},"errMsg":"checkJsApi:ok"}              alert(res);              wx.chooseImage({                    count: 1, // 默认9                    sizeType: ['original', 'compressed'], // 可以指定是原图还是压缩图,默认二者都有                    sourceType: ['album', 'camera'], // 可以指定来源是相册还是相机,默认二者都有                    success: function (res) {                      var localIds = res.localIds; // 返回选定照片的本地ID列表,localId可以作为img标签的src属性显示图片                      alert(localIds);                    }                  });          }      });  }           function getLocation() {             var latitude = "";      var longitude = "";             wx.getLocation({          type: 'gcj02', // 默认为wgs84的gps坐标,如果要返回直接给openLocation用的火星坐标,可传入'gcj02'          success: function (res) {              latitude = res.latitude; // 纬度,浮点数,范围为90 ~ -90              longitude = res.longitude; // 经度,浮点数,范围为180 ~ -180。              var speed = res.speed; // 速度,以米/每秒计              var accuracy = res.accuracy; // 位置精度                                            wx.openLocation({                  latitude: latitude, // 纬度,浮点数,范围为90 ~ -90                  longitude: longitude, // 经度,浮点数,范围为180 ~ -180。                  name: '你当前的位置', // 位置名                  address: 'currentLocation', // 地址详情说明                  scale: 26, // 地图缩放级别,整形值,范围从1~28。默认为最大                  infoUrl: '' // 在查看位置界面底部显示的超链接,可点击跳转              });                         }      });                       }          </script>      </body></html>


测试场景:打开微信公众号,点击菜单回复带有请求servlet地址,跳转到jsapi.jsp界面链接地址,然后界面会弹出调用微信jsapi成功或失败的窗口信息.
效果如下:





0 0
原创粉丝点击