本文着重点:小程序码的获取与使用,另由于小程序后端能力统统由原项目提供,是无法使用腾讯的本身的云开发的,此处采用服务端 API 的方式调用 。
一、小程序码
微信官方提供了三种获取小程序码的接口:createQRCode
, get
和 getUnlimited
。createQRCode 和 get 算是一类,前者生成二维码后者生成小程序码。他们的特性概括来说就是:永久有效,有数量限制(合计 10 万个),接受的自定义参数较长(128 字节)。自然是不能满足业务需求啦,所以我们使用的是 getUnlimited
,特点是无限数量,缺点是只能携带 32 字节的自定义参数(而且还限制类型)。
1.access_token
在正式的获取小程序码前,我们还需要获取到一个名为 access_token
的参数,它是小程序全局唯一后台接口调用凭据,调用绝大多数后台接口时都需使用。可以通过 getAccessToken
接口获取。
请求地址GET https://api.weixin.qq.com/cgi-bin/token?grant_type=client_credential&appid=APPID&secret=APPSECRET
|
它的有效期是 2 个小时,重复获取将导致上次获取的 access_token 失效。
2.getUnlimited
请求地址POST https://api.weixin.qq.com/wxa/getwxacode?access_token=ACCESS_TOKEN
|
属性 | 类型 | 必填 | 默认值 | 说明 |
---|
access_token | string | 是 | | 接口调用凭证 |
scene | string | 是 | | 最大 32 个可见字符。支持数字,英文和字符:!#$&'()*+,/:;=?@-._~ |
page | string | 否 | 主页 | 必须是已经发布的小程序存在的页面 |
width | number | 否 | 430 | 二维码的宽度,单位 px,最小 280px,最大 1280px |
二、微信小程序
小程序端只需要在页面的 onLoad
中读取即可:
读取传参onLoad: function (options) { const comCodeScene = decodeURIComponent(options.scene || ''); }
|
三、获取小程序码
完!你问我其它的代码嘞?本宝宝本项目只负责前端哈哈哈哈哈
一个简单的 Java 版本获取小程序码的实现
获取小程序码
public String getWx2d(CmmTenant tenant) { String base64Code = null; String createQrCodeUrl = "https://api.weixin.qq.com/wxa/getwxacodeunlimit?access_token=" + getToken(); JSONObject createQrParam = new JSONObject(); createQrParam.put("scene", "scene=" + tenant.getDomainName()); createQrParam.put("width", "280");
PrintWriter out = null; InputStream in = null; try { URL realUrl = new URL(createQrCodeUrl); URLConnection conn = realUrl.openConnection(); conn.setRequestProperty("accept", "*/*"); conn.setRequestProperty("connection", "Keep-Alive"); conn.setRequestProperty("user-agent", "Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.1;SV1)"); conn.setDoOutput(true); conn.setDoInput(true); out = new PrintWriter(conn.getOutputStream()); out.print(createQrParam); out.flush(); in = conn.getInputStream(); byte[] data = null; try { ByteArrayOutputStream swapStream = new ByteArrayOutputStream(); byte[] buff = new byte[100]; int rc = 0; while ((rc = in.read(buff, 0, 100)) > 0) { swapStream.write(buff, 0, rc); } data = swapStream.toByteArray(); } catch (IOException e) { e.printStackTrace(); } finally { if (in != null) { try { in.close(); } catch (IOException e) { e.printStackTrace(); } } } base64Code = new String(Objects.requireNonNull(Base64.encodeBase64(data))); System.out.println(base64Code); } catch (Exception e) { System.out.println("发送 POST 请求出现异常!" + e); e.printStackTrace(); }
finally { try { if (out != null) { out.close(); } if (in != null) { in.close(); } } catch (IOException ex) { ex.printStackTrace(); } } log.info("base64Code=" + base64Code); return base64Code; }
|