springboot整合pi支付开发

pi支付流程图:

  1. 使用Pi SDK功能发起支付
  2. 由 Pi SDK 自动调用的回调函数(让您的应用服务器知道它需要发出批准 API 请求)
  3. 从您的应用程序服务器到 Pi 服务器的 API 请求以批准付款(让 Pi 服务器知道您知道此付款)
  4. Pi浏览器向用户显示付款详细信息页面,我们正在等待用户签署交易
  5. 由 Pi SDK 自动调用的回调函数(让您的应用服务器知道它需要发出完整的 API 请求)
  6. 从您的应用服务器到 Pi 服务器的 API 请求以完成付款(让 Pi 服务器知道您已完成此付款)

支付流程

 引入依赖

  <dependency><groupId>com.squareup.okhttp3</groupId><artifactId>okhttp</artifactId><version>4.10.0-RC1</version></dependency><dependency><groupId>cn.hutool</groupId><artifactId>hutool-all</artifactId><version>5.8.0.M4</version></dependency><dependency><groupId>org.apache.httpcomponents</groupId><artifactId>httpclient</artifactId><version>4.5.13</version></dependency><dependency><groupId>commons-lang</groupId><artifactId>commons-lang</artifactId><version>2.6</version></dependency>

配置api密钥

import lombok.Data;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.annotation.Configuration;/*** 服务器端key* @author ThinkPad*/
@Configuration
@Data
public class CommonConfig {@Value("${sdk.serverAccessKey}")private String serverAccessKey;
}

 接收和返回数据对象

loginVO接收pi中心来的用户信息

import lombok.Data;/*** @author wzx* 登录数据封装类*/
@Data
public class LoginVO {private String userId;private String userName;private String accessToken;
}

paymentVO接收支付授权的信息

import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;import java.math.BigDecimal;/*** @author ThinkPad*/
@Data
@AllArgsConstructor
@NoArgsConstructor
public class PaymentVO {private String paymentId;// 交易金额private BigDecimal amount;// 名片对应的用户数据private String shopUserId;// 商品idprivate String shopId;// 当前账号用户的idprivate String userId;}

completeVO接收支付完成的信息

import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;/*** @author ThinkPad*/
@Data
@NoArgsConstructor
@AllArgsConstructor
public class CompleteVO {// PI支付IDprivate String paymentId;// txIdprivate String txId;// 订单ID【余额支付参数】private String orderId;// 支付方式:0:PI钱包 1:余额支付private String payType;
}

incompleteVO接收未完成订单的信息

/*** @author ThinkPad*/
@Data
@NoArgsConstructor
@AllArgsConstructor
public class IncompleteVO {private String identifier;private TransactionVO transaction;
}
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;/*** @author ThinkPad*/
@Data
@NoArgsConstructor
@AllArgsConstructor
public class TransactionVO {private String txid;private String _link;
}

工具类

发起http请求工具类

import org.apache.commons.lang.StringUtils;
import org.apache.http.HttpEntity;
import org.apache.http.ParseException;
import org.apache.http.client.methods.CloseableHttpResponse;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.client.methods.HttpPost;
import org.apache.http.entity.StringEntity;
import org.apache.http.impl.client.CloseableHttpClient;
import org.apache.http.impl.client.HttpClients;
import org.apache.http.util.EntityUtils;import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.URL;/*** @author Ashy.Cheung* @http 请求工具类* @date 2017.11.10*/
public class HttpClientUtil {public static String sendGet(String url) {CloseableHttpClient httpclient = HttpClients.createDefault();HttpGet httpget = new HttpGet(url);CloseableHttpResponse response = null;try {response = httpclient.execute(httpget);} catch (IOException e1) {e1.printStackTrace();}String result = null;try {HttpEntity entity = response.getEntity();if (entity != null) {result = EntityUtils.toString(entity);}} catch (ParseException | IOException e) {e.printStackTrace();} finally {try {response.close();} catch (IOException e) {e.printStackTrace();}}return result;}/**** @param url* @param charsetName 返回字符集* @return*/public static String sendGet(String url, String charsetName) {InputStream inputStream = null;HttpURLConnection urlConnection = null;try {URL url1 = new URL(url);urlConnection = (HttpURLConnection) url1.openConnection();// 将返回的输入流转换成字符串inputStream = urlConnection.getInputStream();// 指定编码格式if (StringUtils.isBlank(charsetName)) {charsetName = "UTF-8";}InputStreamReader inputStreamReader = new InputStreamReader(inputStream, charsetName);BufferedReader in = new BufferedReader(inputStreamReader);String jsonUserStr = in.readLine();return jsonUserStr;} catch (Exception e) {throw new RuntimeException(e);} finally {try {if (null != inputStream) {inputStream.close();}urlConnection.disconnect();} catch (Exception e) {}try {if (null != urlConnection) {urlConnection.disconnect();}} catch (Exception e) {}}}/*** 发送HttpPost请求,参数为String* 接收端以流形式接收*/public static String sendPost(String url, String param) {CloseableHttpClient httpclient = HttpClients.createDefault();StringEntity strEntity = null;try {strEntity = new StringEntity(param, "UTF-8");strEntity.setContentType("application/json");} catch (Exception e1) {e1.printStackTrace();}HttpPost httppost = new HttpPost(url);httppost.setEntity(strEntity);CloseableHttpResponse response = null;String result = null;try {response = httpclient.execute(httppost);HttpEntity entity1 = response.getEntity();result = EntityUtils.toString(entity1);} catch (IOException e) {//  e.printStackTrace();} finally {try {response.close();} catch (Exception e) {}}return result;}/*** 发送不带参数的HttpPost请求*/public static String sendPost(String url) {CloseableHttpClient httpclient = HttpClients.createDefault();HttpPost httppost = new HttpPost(url);CloseableHttpResponse response = null;try {response = httpclient.execute(httppost);} catch (IOException e) {e.printStackTrace();}HttpEntity entity = response.getEntity();String result = null;try {result = EntityUtils.toString(entity);} catch (ParseException | IOException e) {e.printStackTrace();} finally {try {response.close();} catch (Exception e) {}}return result;}}

 分布式锁工具类

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.data.redis.connection.RedisStringCommands;
import org.springframework.data.redis.connection.ReturnType;
import org.springframework.data.redis.core.RedisCallback;
import org.springframework.data.redis.core.RedisTemplate;
import org.springframework.data.redis.core.types.Expiration;
import org.springframework.stereotype.Component;import javax.annotation.Resource;
import java.nio.charset.StandardCharsets;
@Component
public class RedisLockUtil {private static final Logger log = LoggerFactory.getLogger(RedisLockUtil.class);@ResourceRedisTemplate<String, Object> redisTemplate;/*** 释放锁脚本,原子操作,lua脚本*/private static final String UNLOCK_LUA;static {StringBuilder sb = new StringBuilder();sb.append("if redis.call(\"get\",KEYS[1]) == ARGV[1] ");sb.append("then ");sb.append("    return redis.call(\"del\",KEYS[1]) ");sb.append("else ");sb.append("    return 0 ");sb.append("end ");UNLOCK_LUA = sb.toString();}/*** 获取分布式锁,原子操作** @param lockKey   锁* @param lockValue 唯一ID* @param leaseTime 过期时间 秒* @return 是否枷锁成功*/public  boolean tryLock(String lockKey, String lockValue, long leaseTime) {try {RedisCallback<Boolean> callback = (connection) -> connection.set(lockKey.getBytes(StandardCharsets.UTF_8),lockValue.getBytes(StandardCharsets.UTF_8), Expiration.seconds(leaseTime),RedisStringCommands.SetOption.SET_IF_ABSENT);return redisTemplate.execute(callback);} catch (Exception e) {log.error("redis lock error ,lock key: {}, value : {}, error info : {}", lockKey, lockValue, e);}return false;}/*** 释放锁** @param lockKey   锁* @param lockValue 唯一ID* @return 执行结果*/public  boolean unlock(String lockKey, String lockValue) {RedisCallback<Boolean> callback = (connection) -> connection.eval(UNLOCK_LUA.getBytes(), ReturnType.BOOLEAN, 1, lockKey.getBytes(StandardCharsets.UTF_8), lockValue.getBytes(StandardCharsets.UTF_8));return redisTemplate.execute(callback);}/*** 获取分布式锁,该方法不再使用** @param lockKey   锁* @param lockValue 唯一ID* @param waitTime  等待时间 秒* @param leaseTime 过期时间 秒* @return 是否枷锁成功*/@Deprecatedpublic   boolean tryLock(String lockKey, String lockValue, long waitTime, long leaseTime) {try {RedisCallback<Boolean> callback = (connection) -> connection.set(lockKey.getBytes(StandardCharsets.UTF_8),lockValue.getBytes(StandardCharsets.UTF_8), Expiration.seconds(leaseTime),RedisStringCommands.SetOption.SET_IF_ABSENT);return redisTemplate.execute(callback);} catch (Exception e) {log.error("redis lock error ,lock key: {}, value : {}, error info : {}", lockKey, lockValue, e);}return false;}
}

生成uuid工具类

import java.text.SimpleDateFormat;
import java.util.Date;public class UUID {public static String randomUUID() {SimpleDateFormat sdf = new SimpleDateFormat("yyyyMMdd'T'HH'H'mm'M'ss'S'SSS");String id = sdf.format(new Date()) + (int) ((Math.random() * 9 + 1) * 100000000) + (int) ((Math.random() * 9 + 1) * 10);return id;}public static String randomQr() {String id = (int) ((Math.random() * 9 + 1) * 1000) + "-" + (int) ((Math.random() * 9 + 1) * 1000) + "-" + (int) ((Math.random() * 9 + 1) * 1000);return id;}}

信息返回的枚举

import lombok.AllArgsConstructor;import lombok.Getter;/*** @author ThinkPad*/@Getter
@AllArgsConstructor
public enum PaymentEnum {PAYMENT_ENUM_1(1, "订单不存在","失败"),PAYMENT_ENUM_2(2,"订单不是待支付状态","失败"),PAYMENT_ENUM_3(3,"支付金额少于订单金额","失败"),PAYMENT_ENUM_4(4,"调用太快","失败"),PAYMENT_ENUM_5(5,"余额不足,请前往充值","失败"),PAYMENT_ENUM_6(6,"支付成功","成功"),PAYMENT_ENUM_7(7,"处理成功","失败"),PAYMENT_ENUM_8(8,"处理失败","失败");private final Integer code;private final String msg;private final String status;public static String getMsgByCode(Integer code) {for (PaymentEnum value : PaymentEnum.values()) {if (value.getCode().equals(code)) {return value.getMsg();}}return null;}public static String getStatusByCode(Integer code) {for (PaymentEnum value : PaymentEnum.values()) {if (value.getCode().equals(code)) {return value.getStatus() ;}}return null;}}

支付的controller层

 /*** 处理未完成的订单 (这部十分重要,会影响到后面的操作)*/@PostMapping("payOrder/incomplete")@ApiOperation("处理未完成的订单")@ApiImplicitParam(name = "Authorization", value = "传入你的令牌",required = true, dataType = "String",paramType="header")public ResponseVO incomplete(@RequestBody IncompleteVO incompleteVO) {try {return orderInfoService.incomplete(incompleteVO);} catch (Exception e) {log.error("报错如下:{}", e.getMessage());throw new BusinessException("支付失败,请联系后台人员"+e.getLocalizedMessage()+e.toString()+e.getCause().toString());}}/*** 前端请求支付授权,在本地订单创建后调*/@PostMapping("payOrder/approve")@ApiOperation("前端请求支付授权,在本地订单创建后调")@ApiImplicitParam(name = "Authorization", value = "传入你的令牌",required = true, dataType = "String",paramType="header")public ResponseVO<String> approve(@RequestBody PaymentVO paymentVO) {try {String orderId = orderInfoService.approve(paymentVO);return ResponseVO.getSuccessResponseVo(orderId);} catch (Exception e) {log.error("报错如下:{}", e.getMessage());throw new BusinessException("支付失败,请联系后台人员"+e.getLocalizedMessage()+e.toString()+e.getCause().toString());}}/*** 前端支付完成,余额支付直接调用此方法*/@PostMapping("payOrder/complete")@ApiOperation("前端支付完成,余额支付直接调用此方法")@ApiImplicitParam(name = "Authorization", value = "传入你的令牌",required = true, dataType = "String",paramType="header")public ResponseVO complete(@RequestBody CompleteVO completeVO) {try {return orderInfoService.complete(completeVO);} catch (Exception e) {log.error("报错如下:{}", e.getMessage());throw new BusinessException("支付失败,请联系后台人员"+e.getLocalizedMessage()+e.toString()+e.getCause().toString());}}/*** 取消支付,订单关闭*/@PostMapping("payOrder/cancelled")@ApiOperation("取消支付,订单关闭")@ApiImplicitParam(name = "Authorization", value = "传入你的令牌",required = true, dataType = "String",paramType="header")public ResponseVO<String> cancelled(@RequestBody String orderId) {try {Boolean order = orderInfoService.cancelled(orderId);
//            if (!order){throw  new BusinessException("取消订单失败");}return ResponseVO.getSuccessResponseVo("取消订单成功");} catch (Exception e) {log.error("报错如下:{}", e.getMessage());throw new BusinessException("取消失败,请联系后台人员"+e.getLocalizedMessage()+e.toString()+e.getCause().toString());}}

支付的service层

    /*** 请求支付授权,创建order。返回orderId* @param paymentVO* @return*/@Override@Transactional(rollbackFor = Exception.class)public String approve(PaymentVO paymentVO) {log.error("approve-------------------------------------------------------------");OrderInfo orderInfo;log.error("paymentVO----------------------------------"+paymentVO);//获取付款信息OkHttpClient client = new OkHttpClient();Request request = new Request.Builder().url("https://api.minepi.com/v2/payments/" + paymentVO.getPaymentId()).addHeader("Authorization", "Key " + commonConfig.getServerAccessKey()).build();try (Response response = client.newCall(request).execute()) {if (!response.isSuccessful()) {String string = response.body().string();JSONObject jsonObject1 = JSON.parseObject(string);log.error("!response-------------------------------------------------------------"+commonConfig.getServerAccessKey());throw new RuntimeException("payments error " + jsonObject1.getString("error_message"));}String string = response.body().string();log.error("response-------------------------------------------------------------"+string);JSONObject jsonObject1 = JSON.parseObject(string);//校验实际支付金额BigDecimal userFinalPrice = paymentVO.getAmount();if (userFinalPrice.compareTo(jsonObject1.getBigDecimal("amount")) < 0) {log.error(userFinalPrice+"response-------------------------------------------------------------"+jsonObject1.getBigDecimal("amount"));throw new RuntimeException("支付金额少于订单金额");}} catch (Exception e) {throw  new BusinessException("支付失败,请联系后台人员"+e.getLocalizedMessage()+e.toString()+e.getCause().toString());}OkHttpClient client1 = new OkHttpClient();//信息真实,通知PI我准备好了,可以付款了Request request1 = new Request.Builder().url("https://api.minepi.com/v2/payments/" + paymentVO.getPaymentId() + "/approve").addHeader("Content-Type", "application/json").addHeader("Access-Control-Allow-Origin", "*").addHeader("Authorization", "Key " + commonConfig.getServerAccessKey()).post(RequestBody.create("", MediaType.parse("application/json"))).build();try (Response response1 = client1.newCall(request1).execute()) {if (!response1.isSuccessful()) {throw new RuntimeException("approve error: ");}log.error("response1-------------------------------------------------------------");//更新支付报文
//                    tMerStoreGoodsOrderEntity.setPayOrderId(paymentDto.getPaymentId());
//                    tMerStoreGoodsOrderEntity.setPayStatusType("10007002");//支付中
//                    itMerStoreGoodsOrderService.updateById(tMerStoreGoodsOrderEntity);log.error("return-------------------------------------------------------------");} catch (RuntimeException | IOException e) {log.error("error-------------------------------------------------------------");e.printStackTrace();}// 生成订单orderInfo = new OrderInfo();orderInfo.setOrderId(StringUtil.generateShortId());orderInfo.setShopId(paymentVO.getShopId());orderInfo.setUserId(paymentVO.getUserId());orderInfo.setShopUserId(paymentVO.getShopUserId());orderInfo.setAmount(paymentVO.getAmount());orderInfoMapper.insert(orderInfo);log.error("生成订单-------------------------------------------------------------");return orderInfo.getOrderId();}/*** 前端支付完成,余额支付直接调用此方法*/@Override@Transactional(rollbackFor = Exception.class)public ResponseVO complete(CompleteVO completeVO) {String payType = completeVO.getPayType();log.error("complete------------------------------------------------------------"+completeVO);if ("1".equals(payType)) {//余额支付String orderId = completeVO.getOrderId();String lockName = "access:lock:complete:" + orderId;String lockId = UUID.randomUUID();if (!redisLockUtil.tryLock(lockName, lockId, 20L)) {// 调用太快return new ResponseVO(PaymentEnum.getStatusByCode(4),4,PaymentEnum.getMsgByCode(4));}// 获取订单信息OrderInfo orderInfo = orderInfoMapper.selectOne(new QueryWrapper<OrderInfo>().eq("order_id", orderId));if ((orderInfo.getOrderStatus() != 0)) {// 订单不是待支付状态return new ResponseVO(PaymentEnum.getStatusByCode(2),2,PaymentEnum.getMsgByCode(2));}String userId = orderInfo.getUserId();AccountInfo accountInfo = accountInfoMapper.selectOne(new QueryWrapper<AccountInfo>().eq("user_id", userId));BigDecimal balance = accountInfo.getPiBalance();if (balance.compareTo(orderInfo.getAmount()) < 0) {// 余额不足,请前往充值return new ResponseVO(PaymentEnum.getStatusByCode(5),5,PaymentEnum.getMsgByCode(5));}int update = orderInfoMapper.update(null,new UpdateWrapper<OrderInfo>().eq("order_id",orderId).set("order_status",1));balance=balance.subtract(orderInfo.getAmount());int update1 = accountInfoMapper.update(null, new UpdateWrapper<AccountInfo>().eq("user_id", userId).set("pi_balance", balance));// 支付成功return new ResponseVO(PaymentEnum.getStatusByCode(6),6,PaymentEnum.getMsgByCode(6));}//PI钱包支付String paymentId = completeVO.getPaymentId();//PI订单号String lockName = "access:lock:complete:" + paymentId;String lockId = UUID.randomUUID();log.error(paymentId+"-----------------"+lockName+"---------------------"+lockId);if (!redisLockUtil.tryLock(lockName, lockId, 20L)) {// 调用太快log.error("!RedisLockUtil---------------------------------------------------------调用太快");return new ResponseVO(PaymentEnum.getStatusByCode(4),4,PaymentEnum.getMsgByCode(4));}OrderInfo orderInfo = orderInfoMapper.selectOne(new QueryWrapper<OrderInfo>().eq("order_id", completeVO.getOrderId()));log.error("orderId--------------------------------------------------------------"+orderInfo);if (null == orderInfo) {// 订单不存在log.error("!orderinfo--------------------------------------------------------不存在");return new ResponseVO(PaymentEnum.getStatusByCode(1),1,PaymentEnum.getMsgByCode(1));}log.error("orderinfo------------------------------------------------------------------"+orderInfo);if (orderInfo.getOrderStatus() != 0) {// 订单不是待支付状态log.error("!order---------------------------------------------------------pay");return  new ResponseVO(PaymentEnum.getStatusByCode(2),2,PaymentEnum.getMsgByCode(2));}//通知PI完成交易JSONObject jsonObject = new JSONObject();jsonObject.put("txid", completeVO.getTxId());Map<String, String> heads = new HashMap<>();heads.put("Content-Type", "application/json;charset=UTF-8");heads.put("Authorization", "Key " + commonConfig.getServerAccessKey());log.error("pi-----------------------------------------"+jsonObject);try {HttpResponse response = HttpRequest.post("https://api.minepi.com/v2/payments/" + paymentId + "/complete").headerMap(heads, false).body(String.valueOf(jsonObject)).timeout(5 * 60 * 1000).execute();String body = response.body();JSONObject jsonObject1 = JSON.parseObject(body);String error = jsonObject1.getString("error");if (!StringUtils.isEmpty(error)) {log.error("!strinutils-----------------------------"+body);throw new RuntimeException("订单完成异常!");}orderInfo.setOrderStatus(1);// 更新订单orderInfoMapper.updateById(orderInfo);log.error("支付成功------------------------------------------------------");// 支付成功return  new ResponseVO(PaymentEnum.getStatusByCode(6),6,PaymentEnum.getMsgByCode(6));} catch (Exception e) {throw e;}}@Override@Transactional(rollbackFor = Exception.class)public Boolean cancelled(String orderId) {int update = orderInfoMapper.update(null, new UpdateWrapper<OrderInfo>().eq("order_id", orderId).set("order_status", 3));return update > 0;}@Overridepublic ResponseVO incomplete(IncompleteVO incompleteVO) {log.error("incomplete--------------------------------");try {//先处理未完成的订单String oldpaymentId = incompleteVO.getIdentifier();TransactionVO transaction = incompleteVO.getTransaction();log.error("?transation--------------------"+transaction);log.error("?oldpaymentId------------------"+oldpaymentId);if (null != transaction) {log.error("transation--------------------"+transaction);log.error("oldpaymentId------------------"+oldpaymentId);String txid = transaction.getTxid();String txURL = transaction.get_link();//                OrderInfo orderInfo = orderInfoMapper.selectOne(new QueryWrapper<OrderInfo>().eq("order_id", oldpaymentId));
//                if (null == orderInfo) {
//                    log.error("order-----------------null");
//                    throw new RuntimeException("旧订单不存在");
//                }
//
//                if (orderInfo.getOrderStatus()==1) {
//                    log.error("orderStatus---------------------"+orderInfo.getOrderStatus());
//                    throw new RuntimeException("订单是已支付状态");
//                }String get = HttpClientUtil.sendGet(txURL);JSONObject jsonObject1 = JSON.parseObject(get);String piOrderId = jsonObject1.getString("memo");//我方订单IDlog.error("memo---------------------"+piOrderId);JSONObject jsonObject = new JSONObject();jsonObject.put("txid", txid);Map<String, String> heads = new HashMap<>();heads.put("Content-Type", "application/json;charset=UTF-8");heads.put("Authorization", "Key " + commonConfig.getServerAccessKey());try {HttpResponse response = HttpRequest.post("https://api.minepi.com/v2/payments/" + piOrderId + "/complete").headerMap(heads, false).body(String.valueOf(jsonObject)).timeout(5 * 60 * 1000).execute();String body = response.body();JSONObject jsonObject2 = JSON.parseObject(body);String error = jsonObject2.getString("error");if (!StringUtils.isEmpty(error)) {log.error("!response------------------"+error);throw new RuntimeException("订单完成异常!");}return new ResponseVO(PaymentEnum.getStatusByCode(7),7,PaymentEnum.getMsgByCode(7));} catch (Exception e) {throw e;}}} catch (Exception e) {return new ResponseVO(PaymentEnum.getStatusByCode(8),8,PaymentEnum.getMsgByCode(8));}return new ResponseVO(PaymentEnum.getStatusByCode(8),8,PaymentEnum.getMsgByCode(8));}

 前端代码

前端路由 

API
// 授权
import request from "@/api/http";
import axios from "axios";// 支付授权
export function payAuth(data){return request({url: "/api/order/payOrder/approve",method: "post",data,});
}//未完成订单
export function payIncomplete(data){return request({url: "/api/order/payOrder/incomplete",method: "post",data,});
}//支付成功
export function payDone(data){return request({url: "/api/order/payOrder/complete",method: "post",data,});
}
//支付取消
export function payCancel(data){return request({url: "/api/order/payOrder/cancelled",method: "post",data,})
}

支付前端代码

 test(){const pay_message = this.pay_messagelet orderid = ''console.log({amount: pay_message.amount,shopUserId: pay_message.shopUserId,shopId: pay_message.shopId,userId: pay_message.userId})Pi.createPayment({// Amount of π to be paid:amount: 3.14,// An explanation of the payment - will be shown to the user:memo: "购买特殊数据", // e.g: "Digital kitten #1234",// An arbitrary developer-provided metadata object - for your own usage:metadata: { productID : 'apple_pie_1'  }, // e.g: { kittenId: 1234 }}, {// Callbacks you need to implement - read more about those in the detailed docs linked below:// 授权async onReadyForServerApproval(paymentId) {console.log('paymentId',paymentId)payAuth({paymentId: paymentId,amount: pay_message.amount,shopUserId: pay_message.shopUserId,shopId: pay_message.shopId,userId: pay_message.userId}).then((data) => {orderid = data.dataconsole.log('orderId',orderid)}).catch(error => {console.log(error)})},//支付成功onReadyForServerCompletion: function(paymentId, txid) {alert(1111)console.log(paymentId, 'paymentId', 'txid', txid,'orderid',orderid )payDone({paymentId: paymentId, txId: txid, orderId: orderid,payType:'0'}).then(res => {console.log(res)// if (res && res.code === 0) {//   this.payDoneJump();// }})},//支付取消onCancel: function(orderid) {console.log('onCancel' + orderid)payCancel(orderid).then((data) => {console.log(data)})},//支付失败onError: function(error, payment) {console.log('error:',error);console.log('payment:',payment)}});},

登录自动调用未支付订单,这个十分重要因为会影响支付授权。 

const loginFun = () => {Pi.init({ version: "2.0", sandbox: true });const scopes = ["payments", "username", "wallet_address"];function onIncompletePaymentFound(payment) {alert(1111111)console.log("payment", payment);return payIncomplete({identifier:payment.identifier,transaction:{_link:payment.transaction._link,txid:res.transaction.txid}})}Pi.authenticate(scopes, onIncompletePaymentFound).then(function (auth) {console.log("auth", auth);let userInfo = {accessToken: auth.accessToken,userId: auth.user.uid,userName: auth.user.username,};// userGetPush().then((data) => {//   console.log(data);//   userStore().userGetPush = data.data;// });Login(userInfo).then((data) => {console.log(data);if (data.status == "success") {// 将用户信息存入piniauserStore().userInfoChange(data.data);// 发布消息到socket Login() 存入userId// this.$socket.emit("login", data.data.userInfo.userId);router.push("/home");}});}).catch(function (error) {console.error(error);});
};

详细流程

使用Pi-SDK功能发起支付

 由Pi SDK自动调用的回调函数,发出支付批准请求

 

 路由到后端的支付授权接口

 后端服务器向Pi服务器发起支付授权

 @Override@Transactional(rollbackFor = Exception.class)public String approve(PaymentVO paymentVO) {log.error("approve-------------------------------------------------------------");OrderInfo orderInfo;log.error("paymentVO----------------------------------"+paymentVO);//获取付款信息OkHttpClient client = new OkHttpClient();Request request = new Request.Builder().url("https://api.minepi.com/v2/payments/" + paymentVO.getPaymentId()).addHeader("Authorization", "Key " + commonConfig.getServerAccessKey()).build();try (Response response = client.newCall(request).execute()) {if (!response.isSuccessful()) {String string = response.body().string();JSONObject jsonObject1 = JSON.parseObject(string);log.error("!response-------------------------------------------------------------"+commonConfig.getServerAccessKey());throw new RuntimeException("payments error " + jsonObject1.getString("error_message"));}String string = response.body().string();log.error("response-------------------------------------------------------------"+string);JSONObject jsonObject1 = JSON.parseObject(string);//校验实际支付金额BigDecimal userFinalPrice = paymentVO.getAmount();if (userFinalPrice.compareTo(jsonObject1.getBigDecimal("amount")) < 0) {log.error(userFinalPrice+"response-------------------------------------------------------------"+jsonObject1.getBigDecimal("amount"));throw new RuntimeException("支付金额少于订单金额");}} catch (Exception e) {throw  new BusinessException("支付失败,请联系后台人员"+e.getLocalizedMessage()+e.toString()+e.getCause().toString());}OkHttpClient client1 = new OkHttpClient();//信息真实,通知PI我准备好了,可以付款了Request request1 = new Request.Builder().url("https://api.minepi.com/v2/payments/" + paymentVO.getPaymentId() + "/approve").addHeader("Content-Type", "application/json").addHeader("Access-Control-Allow-Origin", "*").addHeader("Authorization", "Key " + commonConfig.getServerAccessKey()).post(RequestBody.create("", MediaType.parse("application/json"))).build();try (Response response1 = client1.newCall(request1).execute()) {if (!response1.isSuccessful()) {throw new RuntimeException("approve error: ");}log.error("response1-------------------------------------------------------------");//更新支付报文
//                    tMerStoreGoodsOrderEntity.setPayOrderId(paymentDto.getPaymentId());
//                    tMerStoreGoodsOrderEntity.setPayStatusType("10007002");//支付中
//                    itMerStoreGoodsOrderService.updateById(tMerStoreGoodsOrderEntity);log.error("return-------------------------------------------------------------");} catch (RuntimeException | IOException e) {log.error("error-------------------------------------------------------------");e.printStackTrace();}// 生成订单orderInfo = new OrderInfo();orderInfo.setOrderId(StringUtil.generateShortId());orderInfo.setShopId(paymentVO.getShopId());orderInfo.setUserId(paymentVO.getUserId());orderInfo.setShopUserId(paymentVO.getShopUserId());orderInfo.setAmount(paymentVO.getAmount());orderInfoMapper.insert(orderInfo);log.error("生成订单-------------------------------------------------------------");return orderInfo.getOrderId();}

PI游览器向用户显示付款详细信息页面,我们等待用户签署交易

 由Pi SDK自动调用完成的回调函数

 从你的后端服务器到Pi服务器的API请求以完成付款(让pi服务器知道你完成此付款)

 /*** 前端支付完成,余额支付直接调用此方法*/@Override@Transactional(rollbackFor = Exception.class)public ResponseVO complete(CompleteVO completeVO) {String payType = completeVO.getPayType();log.error("complete------------------------------------------------------------"+completeVO);if ("1".equals(payType)) {//余额支付String orderId = completeVO.getOrderId();String lockName = "access:lock:complete:" + orderId;String lockId = UUID.randomUUID();if (!redisLockUtil.tryLock(lockName, lockId, 20L)) {// 调用太快return new ResponseVO(PaymentEnum.getStatusByCode(4),4,PaymentEnum.getMsgByCode(4));}// 获取订单信息OrderInfo orderInfo = orderInfoMapper.selectOne(new QueryWrapper<OrderInfo>().eq("order_id", orderId));if ((orderInfo.getOrderStatus() != 0)) {// 订单不是待支付状态return new ResponseVO(PaymentEnum.getStatusByCode(2),2,PaymentEnum.getMsgByCode(2));}String userId = orderInfo.getUserId();AccountInfo accountInfo = accountInfoMapper.selectOne(new QueryWrapper<AccountInfo>().eq("user_id", userId));BigDecimal balance = accountInfo.getPiBalance();if (balance.compareTo(orderInfo.getAmount()) < 0) {// 余额不足,请前往充值return new ResponseVO(PaymentEnum.getStatusByCode(5),5,PaymentEnum.getMsgByCode(5));}int update = orderInfoMapper.update(null,new UpdateWrapper<OrderInfo>().eq("order_id",orderId).set("order_status",1));balance=balance.subtract(orderInfo.getAmount());int update1 = accountInfoMapper.update(null, new UpdateWrapper<AccountInfo>().eq("user_id", userId).set("pi_balance", balance));// 支付成功return new ResponseVO(PaymentEnum.getStatusByCode(6),6,PaymentEnum.getMsgByCode(6));}//PI钱包支付String paymentId = completeVO.getPaymentId();//PI订单号String lockName = "access:lock:complete:" + paymentId;String lockId = UUID.randomUUID();log.error(paymentId+"-----------------"+lockName+"---------------------"+lockId);if (!redisLockUtil.tryLock(lockName, lockId, 20L)) {// 调用太快log.error("!RedisLockUtil---------------------------------------------------------调用太快");return new ResponseVO(PaymentEnum.getStatusByCode(4),4,PaymentEnum.getMsgByCode(4));}OrderInfo orderInfo = orderInfoMapper.selectOne(new QueryWrapper<OrderInfo>().eq("order_id", completeVO.getOrderId()));log.error("orderId--------------------------------------------------------------"+orderInfo);if (null == orderInfo) {// 订单不存在log.error("!orderinfo--------------------------------------------------------不存在");return new ResponseVO(PaymentEnum.getStatusByCode(1),1,PaymentEnum.getMsgByCode(1));}log.error("orderinfo------------------------------------------------------------------"+orderInfo);if (orderInfo.getOrderStatus() != 0) {// 订单不是待支付状态log.error("!order---------------------------------------------------------pay");return  new ResponseVO(PaymentEnum.getStatusByCode(2),2,PaymentEnum.getMsgByCode(2));}//通知PI完成交易JSONObject jsonObject = new JSONObject();jsonObject.put("txid", completeVO.getTxId());Map<String, String> heads = new HashMap<>();heads.put("Content-Type", "application/json;charset=UTF-8");heads.put("Authorization", "Key " + commonConfig.getServerAccessKey());log.error("pi-----------------------------------------"+jsonObject);try {HttpResponse response = HttpRequest.post("https://api.minepi.com/v2/payments/" + paymentId + "/complete").headerMap(heads, false).body(String.valueOf(jsonObject)).timeout(5 * 60 * 1000).execute();String body = response.body();JSONObject jsonObject1 = JSON.parseObject(body);String error = jsonObject1.getString("error");if (!StringUtils.isEmpty(error)) {log.error("!strinutils-----------------------------"+body);throw new RuntimeException("订单完成异常!");}orderInfo.setOrderStatus(1);// 更新订单orderInfoMapper.updateById(orderInfo);log.error("支付成功------------------------------------------------------");// 支付成功return  new ResponseVO(PaymentEnum.getStatusByCode(6),6,PaymentEnum.getMsgByCode(6));} catch (Exception e) {throw e;}}

注意,如果用户有未处理的订单,会导致用户重新创建支付失败,需要有个接口去处理未完成的订单

前端一初始化就去执行处理未完成的订单

路由到后端的接口 

 

 后端接口代码

@Overridepublic ResponseVO incomplete(IncompleteVO incompleteVO) {log.error("incomplete--------------------------------");try {//先处理未完成的订单String oldpaymentId = incompleteVO.getIdentifier();TransactionVO transaction = incompleteVO.getTransaction();log.error("?transation--------------------"+transaction);log.error("?oldpaymentId------------------"+oldpaymentId);if (null != transaction) {log.error("transation--------------------"+transaction);log.error("oldpaymentId------------------"+oldpaymentId);String txid = transaction.getTxid();String txURL = transaction.get_link();//                OrderInfo orderInfo = orderInfoMapper.selectOne(new QueryWrapper<OrderInfo>().eq("order_id", oldpaymentId));
//                if (null == orderInfo) {
//                    log.error("order-----------------null");
//                    throw new RuntimeException("旧订单不存在");
//                }
//
//                if (orderInfo.getOrderStatus()==1) {
//                    log.error("orderStatus---------------------"+orderInfo.getOrderStatus());
//                    throw new RuntimeException("订单是已支付状态");
//                }String get = HttpClientUtil.sendGet(txURL);JSONObject jsonObject1 = JSON.parseObject(get);String piOrderId = jsonObject1.getString("memo");//我方订单IDlog.error("memo---------------------"+piOrderId);JSONObject jsonObject = new JSONObject();jsonObject.put("txid", txid);Map<String, String> heads = new HashMap<>();heads.put("Content-Type", "application/json;charset=UTF-8");heads.put("Authorization", "Key " + commonConfig.getServerAccessKey());try {HttpResponse response = HttpRequest.post("https://api.minepi.com/v2/payments/" + piOrderId + "/complete").headerMap(heads, false).body(String.valueOf(jsonObject)).timeout(5 * 60 * 1000).execute();String body = response.body();JSONObject jsonObject2 = JSON.parseObject(body);String error = jsonObject2.getString("error");if (!StringUtils.isEmpty(error)) {log.error("!response------------------"+error);throw new RuntimeException("订单完成异常!");}return new ResponseVO(PaymentEnum.getStatusByCode(7),7,PaymentEnum.getMsgByCode(7));} catch (Exception e) {throw e;}}} catch (Exception e) {return new ResponseVO(PaymentEnum.getStatusByCode(8),8,PaymentEnum.getMsgByCode(8));}return new ResponseVO(PaymentEnum.getStatusByCode(8),8,PaymentEnum.getMsgByCode(8));}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/97335.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

【排序算法】堆排序详解与实现

一、堆排序的思想 堆排序(Heapsort)是指利用堆积树&#xff08;堆&#xff09;这种数据结构所设计的一种排序算法&#xff0c;它是选择排序的一种。它是通过堆&#xff08;若不清楚什么是堆&#xff0c;可以看我前面的文章&#xff0c;有详细阐述&#xff09;来进行选择数据&am…

论文阅读-- A simple transmit diversity technique for wireless communications

一种简单的无线通信发射分集技术 论文信息&#xff1a; Alamouti S M. A simple transmit diversity technique for wireless communications[J]. IEEE Journal on selected areas in communications, 1998, 16(8): 1451-1458. 创新性&#xff1a; 提出了一种新的发射分集方…

八大排序java

冒泡排序 /*** 冒泡排序&#xff1a;* 比较相邻的元素。如果第一个比第二个大&#xff0c;就交换他们两个。* 对每一对相邻元素作同样的工作&#xff0c;从开始第一对到结尾的最后一对。这步做完后&#xff0c;最后的元素会是最大的数。* 针对所有的元素重复以上的步骤&#x…

WEB各类常用测试工具

一、单元测试/测试运行器 1、Jest 知名的 Java 单元测试工具&#xff0c;由 Facebook 开源&#xff0c;开箱即用。它在最基础层面被设计用于快速、简单地编写地道的 Java 测试&#xff0c;能自动模拟 require() 返回的 CommonJS 模块&#xff0c;并提供了包括内置的测试环境 …

华为OD机试 - 最小步骤数(Java 2023 B卷 100分)

目录 专栏导读一、题目描述二、输入描述三、输出描述四、解题思路五、Java算法源码六、效果展示1、输入&#xff1a;4 8 7 5 2 3 6 4 8 12、输出&#xff1a;23、说明&#xff1a;4、思路分析 华为OD机试 2023B卷题库疯狂收录中&#xff0c;刷题点这里 专栏导读 本专栏收录于《…

aarch64 平台 musl gcc 工具链手动编译方法

目标 手动编译一个 aarch64 平台的 musl gcc 工具链 musl libc 与 glibc、uclibc 等,都是 标准C 库, musl libc 是基于系统调用之上的 标准C 库,也就是用户态的 标准C 库。 musl libc 轻量、开源、免费,是一些 操作系统的选择,当前 Lite-OS 与 RT-Smart 等均采用自制的 mu…

【Vue面试题八】、为什么data属性是一个函数而不是一个对象?

文章底部有个人公众号&#xff1a;热爱技术的小郑。主要分享开发知识、学习资料、毕业设计指导等。有兴趣的可以关注一下。为何分享&#xff1f; 踩过的坑没必要让别人在再踩&#xff0c;自己复盘也能加深记忆。利己利人、所谓双赢。 面试官&#xff1a;为什么data属性是一个函…

Spring实例化源码解析之Custom Events上集(八)

Events使用介绍 在ApplicationContext中&#xff0c;事件处理通过ApplicationEvent类和ApplicationListener接口提供。如果将实现ApplicationListener接口的bean部署到上下文中&#xff0c;每当一个ApplicationEvent被发布到ApplicationContext时&#xff0c;该bean将被通知。…

使用企业订货系统后的效果|软件定制开发|APP小程序搭建

使用企业订货系统后的效果|软件定制开发|APP小程序搭建 企业订货系统是一种高效的采购管理系统&#xff0c;它可以帮助企业更好地管理采购流程&#xff0c;降低采购成本&#xff0c;提高采购效率。 可以帮助企业提高销售效率和降低成本的软件工具。使用该系统后&#xff0c;企业…

如何使用 Tensor.art 实现文生图

摘要&#xff1a;Tensor.art 是一个基于 AI 的文本生成图像工具。本文介绍了如何使用 Tensor.art 来实现文生图的功能。 正文&#xff1a; 文生图是指将文本转换为图像的技术。它具有广泛的应用&#xff0c;例如在广告、教育和娱乐等领域。 Tensor.art 是一个基于 AI 的文本…

【SA8295P 源码分析】103 - QNX DDR RAM 内存布局分析

【SA8295P 源码分析】103 - QNX DDR RAM 内存布局分析 一、SA8295P QNX RAM 内存布局 (16G DDR)1.1 DDR 汇总描述1.2 QNX Meta reserved memory, DDR Rank01.3 Reserved for qnx1.4 Android GVM SysRam 相关内存(可修改)1.5 Reserved for qnx(不要修改)1.6 QNX SysRam 相关内…

强制删除文件?正确操作方法分享!

“我昨天在删除文件时有个文件一直删除不掉。想用强制删除的方法来把它删掉&#xff0c;应该怎么操作呢&#xff1f;谁能教教我呀&#xff1f;” 在使用电脑的过程中&#xff0c;我们有时候可能会发现文件无论怎么删除都无法删掉&#xff0c;如果我们想要强制删除文件但不知道怎…

Leetcode hot 100之回溯O(N!):选择/DFS

目录 框架&#xff1a;排列/组合/子集 元素无重不可复选 全排列 子集 组合&#xff1a;[1, n] 中的 k 个数 分割成回文串 元素无重不可复选&#xff1a;排序&#xff0c;多条值相同的只遍历第一条 子集/组合 先进行排序&#xff0c;让相同的元素靠在一起&#xff0c;如…

前端代码格式化规范总结

在日常开发过程中&#xff0c;经常会碰到代码格式化不一致的问题&#xff0c;还要就是 js 代码语法错误等没有及时发行改正&#xff0c;下面就介绍一下如何使用eslint、prettier、husky、lint-staged、commitizen来规范代码格式和提高代码质量的方法。 目录 准备工作代码检测代…

VMProtect使用教程(VC++MFC中使用)

VMProtect使用教程(VCMFC中使用) VMProtect是一种商业级别的代码保护工具&#xff0c;可以用于保护VC MFC程序。以下是使用VMProtect保护VC MFC程序的步骤&#xff1a; 1. 下载并安装VMProtect,C包含库及目录。 2. 在VC MFC项目中添加VMProtectSDK.h头文件&#xff0c;并在需…

Photoshop 笔记

目录 1. Photoshop 笔记1.1. 创建 A4 大小图片 1. Photoshop 笔记 1.1. 创建 A4 大小图片 Photoshop 的高版本自带了 A4、A5、A3、B5、B4、B3、C4、C5 等, 也可以直接制作打印美国信纸尺寸、法律文件用低、小报用纸等。 方法是: 新建 > 打印, 然后选择就可以了。 如果使…

Android ncnn-android-yolov8-seg源码解析 : 实现人像分割

1. 前言 上篇文章&#xff0c;我们已经将人像分割的ncnn-android-yolov8-seg项目运行起来了&#xff0c;后续文章我们会抽取出Demo中的核心代码&#xff0c;在自己的项目中&#xff0c;来接入人体识别和人像分割功能。 先来看下效果&#xff0c;整个图像的是相机的原图&#…

番外--Task2:

任务&#xff1a;root与普通用户的互切&#xff08;区别&#xff09;&#xff0c;启动的多用户文本见面与图形界面的互切命令&#xff08;区别&#xff09;。 输入图示命令&#xff0c;重启后就由图形界面转成文本登录界面&#xff1b; 输入图示命令&#xff0c;重启后就由文本…

java实验(头歌)--类的继承以及抽象类的定义和使用

文章目录 第一题第二题第三题 第一题 import java.awt.*; import java.awt.geom.AffineTransform; import java.awt.geom.PathIterator; import java.awt.geom.Point2D; import java.awt.geom.Rectangle2D; import java.util.Scanner;//把main 函数的给替换了 public static vo…

MybatisPlus01

MybatisPlus01 1.MybatisPlus初体验 1.1首先要引入MybatisPlus的依赖 <dependency><groupId>com.baomidou</groupId><artifactId>mybatis-plus-boot-starter</artifactId><version>3.4.2</version></dependency>1.2定义Mapp…