.NET 小程序微信用戶支付

微信支付有兩種模式:微信用戶主動發起的支付、簽約委託支付協議後自動支付。php

自動支付又分爲兩種:首次支付時簽約、純簽約。前端

首次支付時簽約和純簽約在後續週期若須要發起自動扣款時,須要在應用服務中發起申請扣款,申請扣款不會當即到帳,有處理延時,可經過通知url接收到帳提醒;json

首次支付時簽約和純簽約均須要指定在商戶平臺中配置的模版id(plan_id),但普通商戶是沒有那個‘委託代扣模版’的菜單,若須要就要找串串開通,鄙視👎小程序

本次實現的是微信用戶主動發起的支付行爲扣費。後端

一、小程序端經過接口wx.requestPayment({})實現支付發起,拉取支付框。本請求接口有兩個很關鍵的參數package、paySign 。請看如下代碼:api

 wx.requestPayment({
              'timeStamp': result.timeStamp,//時間戳
              'nonceStr': result.nonceStr,//隨機數
              'package': result.package,//prepay_id=xxx
              'signType': result.signType,//簽名類型,通常爲MD5
              'paySign': result.paySign,//已簽名的參數串
              'success': function (res) {
                app.sysShowToast('充值成功!正在進行後臺續費操做,請稍後...', 'success',2000);
                //支付成功後,後臺續費保存
                that.buyCombo(comboId, outTradeNo);
              },
              'fail': function (res) {
                app.sysShowToast('充值失敗:' + JSON.stringify(res), 'fail', 2000);
              }
            })

這裏支付請求的參數我所有都是從後臺服務中處理好後返回到小程序前端的。個人後端請求代碼以下(僅參考):服務器

    wx.request({
      url: app.globalData.serverUrl + '/Weixin/WXPay',
      method: 'POST',
      data: {
        comboId: comboId,   /*套餐id*/
        openid: app.globalData.openId,
      },
      header: {
        'content-type': 'application/json'
      },
      success: function (res) {
        if (res.statusCode === 200) {
          if (res.data.IsSuccess)//成功
          {
            var result = JSON.parse(res.data.Result);
            var outTradeNo = result.outTradeNo;
            //拉取支付框
            wx.requestPayment({
              'timeStamp': result.timeStamp,//時間戳
              'nonceStr': result.nonceStr,//隨機數
              'package': result.package,//prepay_id=xxx
              'signType': result.signType,//簽名類型,通常爲MD5
              'paySign': result.paySign,//已簽名的參數串
              'success': function (res) {
                app.sysShowToast('充值成功!正在進行後臺續費操做,請稍後...', 'success',2000);
                //支付成功後,後臺續費保存
                that.buyCombo(comboId, outTradeNo);
              },
              'fail': function (res) {
                app.sysShowToast('充值失敗:' + JSON.stringify(res), 'fail', 2000);
              }
            })
          }
        }
        else{
          app.sysShowModal("充值失敗", "連接地址無效!")
        }
      },
      fail: function (err) {
        app.sysShowModal("鏈接錯誤", "沒法訪問到服務端或請求超時!")
      }
    })

補充一句:代碼中屢次出現的全局方法app.sysShowToast()、app.sysShowModal()微信

是我封裝好的,放置在app.js中。如下代碼中包含了對模態框、提示框的封裝,感興趣的朋友能夠直接拿去用session

//模態框
  sysShowModal: function (title, content, showCancel = false, pages = "", isNavigation = false, isTab = false) {
    var that=this;
    wx.showModal({
      title: title==null?'':title,
      content: content==null?'':content,
      showCancel: showCancel,
      success: function (res) {
        if (res.confirm) {
          if (isNavigation && isTab && !that.isEmpty(pages))
          {
            //跳轉到tab頁
            wx.switchTab({
              url: pages
            });
          }
          else if (isNavigation && !isTab && !that.isEmpty(pages)){
            //跳轉到指定頁
            wx.navigateTo({
              url: pages
            })
          }
        }
        else{
          app.sysShowModal('您已取消操做');
        }
      }
    });
  },
  //模態框(肯定後自動返回上一頁)
  sysShowModalBackLastPage: function (title, content,showCancel = false) {
    var that=this;
    wx.showModal({
      title: title == null ? '' : title,
      content: content == null ? '' : content,
      showCancel: showCancel,
      success: function (res) {
        if (res.confirm) {
          that.backLastPage();
        }
        else {
          wx.showToast({
            title: '您已取消操做',
            icon: 'none',
            //icon: 'warn',
            duration: 1000
          });
        }
      }
    });
  },
  //提示框
  sysShowToast: function (title, icon="none", duration = 1000, pages = "", isNavigation = false, isTab = false) {
    var that = this;
    wx.showToast({
      title: title,
      icon: icon,
      duration: duration, //彈出提示框時長
      mask: true,
      success(data) {
        setTimeout(function () {
          if (isNavigation && isTab && !that.isEmpty(pages)) {
            //跳轉到tab頁
            wx.switchTab({
              url: pages
            });
          }
          else if (isNavigation && !isTab && !that.isEmpty(pages)) {
            //跳轉到指定頁
            wx.navigateTo({
              url: pages
            })
          }
        }, duration) //延遲時間
      }
    });
  },
  //提示框(自動返回上一頁)
  sysShowToastBackLastPage: function (title, icon = "none",  duration = 1000){
    var that = this;
    wx.showToast({
      title: title,
      icon: icon,
      duration: duration, //彈出提示框時長
      mask: true,
      success(data) {
        setTimeout(function () {
          //自動回到上一頁
          that.backLastPage();
        }, duration) //延遲時間
      }
    });
  },
  //判斷字符串是否爲空的方法
  isEmpty:function (obj) {
      if(typeof obj == "undefined" || obj == null || obj == "" || obj == 'null') {
        return true;
      } else {
        return false;
      }
  },
  IsEmpty:function (obj) {
      if (typeof obj == "undefined" || obj == null || obj == "" || obj == 'null') {
        return true;
      } else {
        return false;
      }
  },
  //返回上一頁(並刷新返回的頁面)
  backLastPage: function ()
  {
    var pages = getCurrentPages();//當前頁面棧
    if (pages.length > 1) {
      var beforePage = pages[pages.length - 2];//獲取上一個頁面實例對象
      beforePage.onLoad();//觸發父頁面中的方法
    }
    wx.navigateBack({
      delta: 1
    });
  },
View Code

二、小程序的前端就是上面的代碼,關鍵在後端邏輯。app

後端處理思路及步驟:加工拼湊簽名串A->把簽名串A帶入微信統一下單接口得到預付款prepay_id->加工拼湊簽名串B獲得兩個關鍵參數package、paySign,和其餘參數一塊兒返回給小程序前端。爲實現預支付我創建了兩個類:一個基礎配置類、一個預支付實現類(繼承基礎配置類)。完整代碼以下:

基礎配置類:請本身配置相關變量爲自身小程序的數據

using System;
using System.Collections.Generic;
using System.Linq;
using System.Reflection;
using System.Security.Cryptography;
using System.Text;
using System.Threading.Tasks;
using System.Web;

namespace Easyman.BLL.WXService
{
    public class BaseService
    {
        /// <summary>
        /// AppID
        /// </summary>
        protected static string _appId = "wxxxxxxxxxxxxxxx";
        /// <summary>
        /// AppSecret
        /// </summary>
        protected static string _appSecret = "xxxxxxxxxxxxxxxxxxxxxxxxxxxx";
        /// <summary>
        /// 微信服務器提供的得到登陸後的用戶信息的接口
        /// </summary>
        protected static string _wxLoginUrl = "https://api.weixin.qq.com/sns/jscode2session?appid={0}&secret={1}&js_code={2}&grant_type=authorization_code";

        /// <summary>
        /// 微信商戶號
        /// </summary>
        protected static string _mch_id = "00000000";
        /// <summary>
        /// 微信商戶號api密匙
        /// </summary>
        protected static string _mchApiKey = "xxxxxxxxxxxxxxxxxxxxxxx";
        /// <summary>
        /// 通知地址
        /// </summary>
        protected static string _notify_url = "http://www.weixin.qq.com/wxpay/pay.php";
        /// <summary>
        /// 支付類型
        /// </summary>
        protected static string _trade_type = "JSAPI";
        /// <summary>
        /// 微信下單統一接口
        /// </summary>
        protected static string _payUrl = "https://api.mch.weixin.qq.com/pay/unifiedorder";
        /// <summary>
        /// 支付中籤約接口
        /// </summary>
        protected static string _signUrl = "https://api.mch.weixin.qq.com/pay/contractorder";
        protected static string _planId = "";//協議模板id,在‘商戶平臺->高級業務->委託代扣簽約管理’中去申請


        /// <summary>
        /// 生成訂單號
        /// </summary>
        /// <returns></returns>
        protected static string GetRandomTime()
        {
            Random rd = new Random();//用於生成隨機數
            string DateStr = DateTime.Now.ToString("yyyyMMddHHmmssMM");//日期
            string str = DateStr + rd.Next(10000).ToString().PadLeft(4, '0');//帶日期的隨機數
            return str;
        }

        /// <summary>
        /// 生成隨機串    
        /// </summary>
        /// <param name="length">字符串長度</param>
        /// <returns></returns>
        protected static string GetRandomString(int length)
        {
            const string key = "ABCDEFGHJKLMNPQRSTUVWXYZ23456789";
            if (length < 1)
                return string.Empty;

            Random rnd = new Random();
            byte[] buffer = new byte[8];

            ulong bit = 31;
            ulong result = 0;
            int index = 0;
            StringBuilder sb = new StringBuilder((length / 5 + 1) * 5);

            while (sb.Length < length)
            {
                rnd.NextBytes(buffer);

                buffer[5] = buffer[6] = buffer[7] = 0x00;
                result = BitConverter.ToUInt64(buffer, 0);

                while (result > 0 && sb.Length < length)
                {
                    index = (int)(bit & result);
                    sb.Append(key[index]);
                    result = result >> 5;
                }
            }
            return sb.ToString();
        }

        /// <summary>
        /// 獲取時間戳 GetTimeStamp
        /// </summary>
        /// <returns></returns>
        protected static long GetTimeStamp()
        {
            TimeSpan cha = (DateTime.Now - TimeZone.CurrentTimeZone.ToLocalTime(new System.DateTime(1970, 1, 1)));
            long t = (long)cha.TotalSeconds;
            return t;
        }

        /// <summary>
        /// MD5簽名方法  
        /// </summary>  
        /// <param name="inputText">加密參數</param>  
        /// <returns></returns>  
        protected static string MD5(string inputText)
        {
            System.Security.Cryptography.MD5 md5 = new MD5CryptoServiceProvider();
            byte[] fromData = System.Text.Encoding.UTF8.GetBytes(inputText);
            byte[] targetData = md5.ComputeHash(fromData);
            string byte2String = null;

            for (int i = 0; i < targetData.Length; i++)
            {
                byte2String += targetData[i].ToString("x2");
            }

            return byte2String;
        }
        /// <summary>
        /// HMAC-SHA256簽名方式
        /// </summary>
        /// <param name="message"></param>
        /// <param name="secret"></param>
        /// <returns></returns>
        protected static string HmacSHA256(string message, string secret)
        {
            secret = secret ?? "";
            var encoding = new System.Text.UTF8Encoding();
            byte[] keyByte = encoding.GetBytes(secret);
            byte[] messageBytes = encoding.GetBytes(message);
            using (var hmacsha256 = new HMACSHA256(keyByte))
            {
                byte[] hashmessage = hmacsha256.ComputeHash(messageBytes);
                return Convert.ToBase64String(hashmessage);
            }
        }

        /// <summary>
        /// 將Model對象轉化爲url參數形式
        /// </summary>
        /// <param name="obj"></param>
        /// <param name="url"></param>
        /// <returns></returns>
        protected static string ModelToUriParam(object obj)
        {
            PropertyInfo[] propertis = obj.GetType().GetProperties();
            StringBuilder sb = new StringBuilder();
            foreach (var p in propertis)
            {
                var v = p.GetValue(obj, null);
                if (v == null)
                    continue;

                sb.Append(p.Name);
                sb.Append("=");
                sb.Append(v.ToString());
                //sb.Append(HttpUtility.UrlEncode(v.ToString()));
                sb.Append("&");
            }
            sb.Remove(sb.Length - 1, 1);

            return sb.ToString();
        }
    }
}
View Code

預支付實現類:

using Easyman.Common.ApiRequest;
using Easyman.Common.FW;
using Newtonsoft.Json;
using Newtonsoft.Json.Linq;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Reflection;
using System.Text;
using System.Threading.Tasks;
using System.Xml;

namespace Easyman.BLL.WXService
{
    /// <summary>
    /// 微信支付
    /// </summary>
    public class WxPayService : BaseService
    {
        #region 1、微信用戶主動支付
        /// <summary>
        /// 微信用戶主動發起的支付(返回必要的參數:package、paySign)
        /// </summary>
        /// <param name="openid"></param>
        /// <param name="payFee"></param>
        /// <param name="clientId"></param>
        /// <param name="isSign"></param>
        /// <returns></returns>
        public static string GetPayParams(string openid, decimal merFee,string merBody,string merAttach ,string clientId = "139.196.212.68")
        {
            PaySign sign = GetPaySign(openid, merFee, merBody, merAttach, clientId);
            string signs = ModelToUriParam(sign) + "&key=" + _mchApiKey;
            string md5Signs = MD5(signs).ToUpper();//MD5簽名
            string body = GenerateBodyXml(sign, md5Signs);
            string res = Request.PostHttp(_payUrl, body);

            #region 獲得prepay_id
            //獲取xml數據
            XmlDocument doc = new XmlDocument();
            doc.LoadXml(res);
            //xml格式轉json
            string json = Newtonsoft.Json.JsonConvert.SerializeXmlNode(doc);
            JObject jo = (JObject)JsonConvert.DeserializeObject(json);
            string prepay_id = jo["xml"]["prepay_id"]["#cdata-section"].ToString();
            #endregion

            var resSign= new ResSign
            {
                appId = _appId,
                nonceStr = sign.nonce_str,
                package = "prepay_id=" + prepay_id,
                signType = "MD5",
                timeStamp = GetTimeStamp().ToString(),
                key = _mchApiKey
            };
            var pars= ModelToUriParam(resSign);

            return JSON.DecodeToStr(new
            {
                timeStamp = resSign.timeStamp,
                nonceStr = resSign.nonceStr,
                package = resSign.package,
                paySign = MD5(pars).ToUpper(),
                signType = resSign.signType,
                outTradeNo=sign.out_trade_no//商戶訂單號
            });
        }

        /// <summary>
        /// 組裝簽名對象
        /// </summary>
        /// <param name="openid"></param>
        /// <param name="clientId"></param>
        /// <param name="payFee"></param>
        /// <returns></returns>
        private static PaySign GetPaySign(string openid,decimal merFee, string merBody, string merAttach, string clientId)
        {
            PaySign paySign = new PaySign
            {
                appid = _appId,
                attach = merAttach,
                body = merBody,
                mch_id = _mch_id,
                nonce_str = GetRandomString(30),
                notify_url = _notify_url,
                openid = openid,
                out_trade_no = GetRandomTime(),
                spbill_create_ip = clientId,
                total_fee = (Math.Round(merFee * 100, 0)).ToString(),//轉化爲單位:分,且只能爲整型
                trade_type = _trade_type
            };
            return paySign;
        }
        /// <summary>
        /// 生成交易的xml
        /// </summary>
        /// <param name="obj"></param>
        /// <returns></returns>
        private static string GenerateBodyXml(object obj,string md5Signs)
        {
            PropertyInfo[] propertis = obj.GetType().GetProperties();
            StringBuilder sb = new StringBuilder();
            sb.Append("<xml>");
            foreach (var p in propertis)
            {
                var v = p.GetValue(obj, null);
                if (v == null)
                    continue;
                sb.AppendFormat("<{0}>{1}</{0}>", p.Name, v.ToString());
            }
            sb.AppendFormat("<sign>{0}</sign>", md5Signs);
            sb.Append("</xml>");

            return sb.ToString();
        }

        #region Model類

        /// <summary>
        /// 簽名類A(請注意,此類的屬性字段順序不可調整)
        /// 微信預支付前面規則,是按參數ASCII碼依次排列的,如下屬性已人爲排列
        /// </summary>
        public class PaySign
        {
            public string appid { get; set; }
            /// <summary>
            /// 附加數據(描述)
            /// </summary>
            public string attach { get; set; }
            /// <summary>
            /// 商品描述
            /// </summary>
            public string body { get; set; }
            /// <summary>
            /// 商戶號
            /// </summary>
            public string mch_id { get; set; }
            /// <summary>
            /// 小於32位的隨機數
            /// </summary>
            public string nonce_str { get; set; }
            /// <summary>
            /// 通知地址
            /// </summary>
            public string notify_url { get; set; }
            /// <summary>
            /// 微信用戶openid
            /// </summary>
            public string openid { get; set; }
            /// <summary>
            /// 商戶訂單號
            /// </summary>
            public string out_trade_no { get; set; }
            /// <summary>
            /// 客戶端ip
            /// </summary>
            public string spbill_create_ip { get; set; }
            /// <summary>
            /// 訂單金額
            /// </summary>
            public object total_fee { get; set; }
            /// <summary>
            /// 支付類型
            /// </summary>
            public string trade_type { get; set; }
        }

        /// <summary>
        /// 返回前端的簽名類B(請注意,此類的屬性字段順序不可調整)
        /// </summary>
        public class ResSign
        {
            public string appId { get; set; }
            /// <summary>
            /// 小於32位的隨機數
            /// </summary>
            public string nonceStr { get; set; }
            /// <summary>
            /// package
            /// </summary>
            public string package { get; set; }
            /// <summary>
            /// signType
            /// </summary>
            public string signType { get; set; }
            /// <summary>
            /// timeStamp
            /// </summary>
            public string timeStamp { get; set; }
            /// <summary>
            /// key
            /// </summary>
            public string key { get; set; }
        }
        #endregion
        #endregion
    }


}
View Code

預支付類中請求微信統一下單接口的post代碼以下:

 /// <summary>
        /// post請求
        /// </summary>
        /// <param name="url">請求url(不含參數)</param>
        /// <param name="body">請求body. 若是是soap"text/xml; charset=utf-8"則爲xml字符串;post的cotentType爲"application/x-www-form-urlencoded"則格式爲"roleId=1&uid=2"</param>
        /// <param name="timeout">等待時長(毫秒)</param>
        /// <param name="contentType">Content-type http標頭的值. post默認爲"text/xml;charset=UTF-8"</param>
        /// <returns></returns>
        public static string PostHttp(string url, string body,string contentType= "text/xml;charset=utf-8")
        {
            HttpWebRequest httpWebRequest = (HttpWebRequest)WebRequest.Create(url);

            httpWebRequest.ContentType = contentType;
            httpWebRequest.Method = "POST";
            //httpWebRequest.Timeout = timeout;//設置超時
            if (contentType.Contains("text/xml"))
            {
                httpWebRequest.Headers.Add("SOAPAction", "http://tempuri.org/mediate");
            }

            byte[] btBodys = Encoding.UTF8.GetBytes(body);
            httpWebRequest.ContentLength = btBodys.Length;
            httpWebRequest.GetRequestStream().Write(btBodys, 0, btBodys.Length);

            HttpWebResponse httpWebResponse;
            try
            {
                httpWebResponse = (HttpWebResponse)httpWebRequest.GetResponse();
            }
            catch (WebException ex)
            {
                httpWebResponse = (HttpWebResponse)ex.Response;
            }

            //HttpWebResponse httpWebResponse = (HttpWebResponse)httpWebRequest.GetResponse();
            StreamReader streamReader = new StreamReader(httpWebResponse.GetResponseStream(), Encoding.UTF8);
            string responseContent = streamReader.ReadToEnd();

            httpWebResponse.Close();
            streamReader.Close();
            httpWebRequest.Abort();
            httpWebResponse.Close();

            return responseContent;
        }
View Code

以上就是所有代碼,在支付實現過程當中碰到不少坑,在這裏作特別提示:

1)簽名串必須按照ASCII由小到大排序。

2)小程序前端的支付請求必定注意參數變量不要寫錯了(我在開發時把兩個變量值寫反了,報鑑權失敗 code=-1.好半天才發現寫錯了),下面是血的教訓截圖:

以上,但願能幫到你們。

相關文章
相關標籤/搜索