开发指引
更新时间:2025.01.061. 接口规则
为了在保证支付安全的前提下,带给商户简单、一致且易用的开发体验,我们推出了全新的微信支付APIv3接口。该版本API的具体规则请参考“APIv3接口规则”
2. 开发环境搭建
JAVA
2.1.1. 使用条件
WechatPay merchant account
Java 1.8 or later
Maven or Gradle;
0.4.6 or later version of the Java httpClient SDK
2.1.2. 安装
Gradle:在你的 build.gradle 文件中加入如下的依赖
1implementation 'com.github.wechatpay-apiv3:wechatpay-apache-httpclient:0.4.7'
Maven:在 pom.xml 文件中加入以下依赖
1<dependency> 2<groupId>com.github.wechatpay-apiv3</groupId> 3<artifactId>wechatpay-apache-httpclient</artifactId> 4<version>0.4.7</version> 5</dependency>
2.1.3. 初始化
用WechatPayHttpClientBuilder初始化创建一个httpClient,httpClient将被用于发送请求调用微信支付接口。 用CertificatesManager初始化一个verifier实例,用于验证签名。
1 private CloseableHttpClient httpClient; 2 private CertificatesManager certificatesManager; 3 private Verifier verifier; 4 5 @Before 6 //initialize verifier and build httpClient 7 public void setup() throws GeneralSecurityException, IOException, HttpCodeException, NotFoundException { 8 9 PrivateKey merchantPrivateKey = PemUtil.loadPrivateKey(privateKey); 10 certificatesManager = CertificatesManager.getInstance(); 11 certificatesManager.putMerchant(merchantId, new WechatPay2Credentials(merchantId, 12 new PrivateKeySigner(merchantSerialNumber, merchantPrivateKey)), 13 apiV3Key.getBytes(StandardCharsets.UTF_8)); 14 verifier = certificatesManager.getVerifier(merchantId); 15 WechatPayHttpClientBuilder builder = WechatPayHttpClientBuilder.create() 16 .withMerchant(merchantId, merchantSerialNumber, merchantPrivateKey) 17 .withValidator(new WechatPay2Validator(verifier)); 18 httpClient = builder.build(); 19 } 20
2.1.4. 通用功能
敏感信息加密
1 @Test 2 public void encryptedTest() throws IllegalBlockSizeException { 3 String text = "helloWorld"; 4 String transformation = "RSA/ECB/PKCS1Padding"; 5 String encryptedText = RsaCryptoUtil.encrypt(text, verifier.getValidCertificate(), transformation); 6 System.out.println(encryptedText); 7 }
敏感信息解密
1 @Test 2 public void decryptedTest() throws BadPaddingException { 3 String encryptedText = OBTgun4jiN13n3nmSg8v0MNDMy3mbs380yq4GrgO8vwCqXnvrWxwo3jUCNY2UY7MIOtv/SD8ke64MxcSB0hn5EzKv1LOLprI3NvvmNLS4C3SBulxpZG62RYp1+8FgwAI4M//icXvjtZWVH4KVDg=="; 4 String transformation = "RSA/ECB/PKCS1Padding"; 5 String decryptedText = RsaCryptoUtil.decrypt(encryptedText, PemUtil.loadPrivateKey(privateKey), transformation); 6 assert("helloWorld".equals(decryptedText)); 7 }
Golang
2.2.1. 使用条件
WechatPay merchant account
GO SDK 0.2.13 or later version
2.2.2. 安装
1. 使用 Go Modules 管理你的项目
如果你的项目还不是使用 Go Modules 做依赖管理,在项目根目录下执行:
go mod init
2. 无需 clone 仓库中的代码,直接在项目目录中执行:
go get -u github.com/wechatpay-apiv3/wechatpay-go
来添加依赖,完成 go.mod 修改与 SDK 下载
2.2.3. 初始化
初始化Client并向Client中加载商户号,私钥,API V3 key,商户证书和序列号, 用于之后发送接口请求。
1import ( 2 "context" 3 "crypto/rand" 4 "crypto/rsa" 5 "crypto/x509" 6 "encoding/base64" 7 "fmt" 8 "github.com/wechatpay-apiv3/wechatpay-go/core" 9 "github.com/wechatpay-apiv3/wechatpay-go/core/option" 10 "github.com/wechatpay-apiv3/wechatpay-go/utils" 11 "log" 12 "net/http" 13) 14 15var ( 16 mchID = "" // merchant id 17 mchCertificateSerialNumber = "" // merchant certificate serial number 18 mchAPIv3Key = "" // merchant api v3 key 19 header = make(http.Header) 20 ctx = context.Background() 21 cert *x509.Certificate 22 mchPrivateKey *rsa.PrivateKey 23 client *core.Client 24 err error 25) 26 27func setup() { 28 //Load platform certificate 29 cert, err = utils.LoadCertificateWithPath("Path/To/Platform/Cert") 30 if err != nil { 31 log.Fatal(err) 32 } 33 // Load private key 34 mchPrivateKey, err = utils.LoadPrivateKeyWithPath("Path/To/Private/Key") 35 if err != nil { 36 log.Fatal("load merchant private key error") 37 } 38 // Initialize client which is capable to update platform certificate periodically 39 opts := []core.ClientOption{ 40 option.WithWechatPayAutoAuthCipher(mchID, mchCertificateSerialNumber, mchPrivateKey, mchAPIv3Key), 41 } 42 client, err = core.NewClient(ctx, opts...) 43 if err != nil { 44 log.Fatalf("new wechat pay client err:%s", err) 45 } 46}
2.2.4. 通用功能
敏感信息加密
1func Encryption(t *testing.T) { 2 var testRSACryptoUtilMchCertificateStr = `-----BEGIN CERTIFICATE----- 3 -----END CERTIFICATE-----` 4 testRSACryptoUtilCertificate, _ = LoadCertificate(testRSACryptoUtilMchCertificateStr) 5 const message = "hello world" 6 7 // 使用OAEP padding方式对证书加密 8 ciphertext, _ := EncryptOAEPWithCertificate(message, testRSACryptoUtilCertificate) 9 10 // 使用PKCS1 padding对证书加密 11 ciphertext, _ := EncryptPKCS1v15WithCertificate(message, testRSACryptoUtilCertificate) 12}
敏感信息解密
1func TestDecryption(t *testing.T) { 2 var testRSACryptoUtilPrivateKeyStr = `-----BEGIN PRIVATE KEY----- 3-----END PRIVATE KEY-----` 4 testRSACryptoUtilPrivateKey, _ = LoadPrivateKey(testingKey(testRSACryptoUtilPrivateKeyStr)) 5 const ciphertext = "" 6 7 // 使用PKCS1 padding进行私钥解密 8 decryptMessage, _ := DecryptPKCS1v15(ciphertext, testRSACryptoUtilPrivateKey) 9 10 // 使用OAEP padding方式私钥解密 11 decryptMessage, _ := DecryptOAEP(ciphertext, testRSACryptoUtilPrivateKey) 12}
PHP
2.3.1. 使用条件
Guzzle 7.0,PHP >= 7.2.5
Guzzle 6.5,PHP >= 7.1.2
项目已支持 PHP 8。
2.3.2. 安装
推荐使用 PHP 包管理工具 Composer 安装 SDK:
composer require wechatpay/wechatpay
2.3.3. 初始化
初始化Client并向Client中加载商户号,私钥,API V3 key,商户证书和序列号, 用于之后发送接口请求。
1require_once('vendor/autoload.php'); 2 3use WeChatPay\Builder; 4use WeChatPay\Crypto\Rsa; 5use WeChatPay\Util\PemUtil; 6 7$merchantId = '190000****'; 8$merchantPrivateKeyFilePath = 'file:///path/to/merchant/apiclient_key.pem'; 9$merchantPrivateKeyInstance = Rsa::from($merchantPrivateKeyFilePath, Rsa::KEY_TYPE_PRIVATE); 10$merchantCertificateSerial = '3775B6A45ACD588826D15E583A95F5DD********'; 11$platformCertificateFilePath = 'file:///path/to/wechatpay/cert.pem'; 12$platformPublicKeyInstance = Rsa::from($platformCertificateFilePath, Rsa::KEY_TYPE_PUBLIC); 13$platformCertificateSerial = PemUtil::parseCertificateSerialNo($platformCertificateFilePath); 14 15// init a API V3 instance 16$instance = Builder::factory([ 17 'mchid' => $merchantId, 18 'serial' => $merchantCertificateSerial, 19 'privateKey' => $merchantPrivateKeyInstance, 20 'certs' => [ 21 $platformCertificateSerial => $platformPublicKeyInstance, 22 ], 23]); 24
2.3.4. 通用功能
敏感信息加密
1 $encryptor = static function(string $msg) use ($platformPublicKeyInstance): string { 2 return Rsa::encrypt($msg, $platformPublicKeyInstance, OPENSSL_PKCS1_PADDING); 3 }; 4 $encryptedMsg = $encryptor('HelloWorld');
敏感信息解密
1 $decryptor = static function(string $msg) use ($merchantPrivateKeyInstance): string { 2 return Rsa::decrypt($msg, $merchantPrivateKeyInstance, OPENSSL_PKCS1_PADDING); 3 }; 4 $decryptedMsg = $decryptor('ciphertext');
3. 业务时序图
3.1. 业务时序图
免密支付:
验密支付:
3.2. API接入示例
文档展示了如何使用微信支付服务端 SDK 快速接入扫码支付产品,完成与微信支付对接的部分。
|
3.2.1 下单
步骤说明:通过本接口提交微信支付付款码支付订单,需要扫描用户付款码后调用。
代码示例 - JAVA:
1 2 @Test 3 //Call Quick Pay Order API 4 public void quickPayOrderTest() throws IOException { 5 String requestBody = String.join("\n" , 6 "{" , 7 "'sp_appid': 'wxdace645e0bc2c424'," , 8 "'sp_mchid': '10000100'," , 9 "'sub_mchid': '20000100'," , 10 "'out_trade_no': '20150806125346'," , 11 "'merchant_category_code': '4111'," , 12 "'payer': {" , 13 "'auth_code': '134650720866361395'" , 14 "}," , 15 "'trade_type': 'MICROPAY'," , 16 "'amount': {" , 17 "'total': 1," , 18 "'currency': 'HKD'" , 19 "}," , 20 "'attach': 'Payment Test'," , 21 "'description': 'Image Store - Tencent Building in Shenzhen - QQ Doll'," , 22 "'goods_tag': '1234'," , 23 "'limit_pay': 'no_credit'," , 24 "'detail': {" , 25 "'cost_price': 1," , 26 "'receipt_id': '1234'," , 27 "'goods_detail': [{" , 28 "'goods_id': 'iphone6s_16G'," , 29 "'wxpay_goods_id': '3405'," , 30 "'goods_name': 'iPhone6s 16G'," , 31 "'quantity': 1," , 32 "'price': 1" , 33 "}]" , 34 "}," , 35 "'scene_info': {" , 36 "'payer_client_ip': '14.23.150.211'," , 37 "'device_ip': '59.37.125.32'," , 38 "'device_id': '013467007045764'," , 39 "'operator_id': 'P001'," , 40 "'store_info': {" , 41 "'id': 'SZTX001'," , 42 "'name': 'Tencent Building Branch'," , 43 "'address': 'Nanshan District, Shenzhen, Guangdong'" , 44 "}" , 45 "}" , 46 "}").replace("'","\""); 47 HttpPost httpPost = new HttpPost("https://apihk.mch.weixin.qq.com/v3/global/micropay/transactions/pay"); 48 httpPost.addHeader("Accept", "application/json"); 49 httpPost.addHeader("Content-type", "application/json; charset=utf-8"); 50 httpPost.setEntity(new StringEntity(requestBody)); 51 CloseableHttpResponse response = httpClient.execute(httpPost); 52 //Process the response 53 }
示例代码 - GO:
1func quickPayOrder() { 2 requestBody := `{ 3 "sp_appid": "wxdace645e0bc2c424", 4 "sp_mchid": "10000100", 5 "sub_mchid": "20000100", 6 "out_trade_no": "20150806125346", 7 "merchant_category_code": "4111", 8 "payer": { 9 "auth_code": "134650720866361395" 10 }, 11 "trade_type": "MICROPAY", 12 "amount": { 13 "total": 1, 14 "currency": "HKD" 15 }, 16 "attach": "Payment Test", 17 "description": "Image Store - Tencent Building in Shenzhen - QQ Doll", 18 "goods_tag": "1234", 19 "limit_pay": "no_credit", 20 "detail": { 21 "cost_price": 1, 22 "receipt_id": "1234", 23 "goods_detail": [{ 24 "goods_id": "iphone6s_16G", 25 "wxpay_goods_id": "3405", 26 "goods_name": "iPhone6s 16G", 27 "quantity": 1, 28 "price": 1 29 }] 30 }, 31 "scene_info": { 32 "payer_client_ip": "14.23.150.211", 33 "device_ip": "59.37.125.32", 34 "device_id": "013467007045764", 35 "operator_id": "P001", 36 "store_info": { 37 "id": "SZTX001", 38 "name": "Tencent Building Branch", 39 "address": "Nanshan District, Shenzhen, Guangdong" 40 } 41 } 42}` 43 result, err := client.Post(ctx, "https://apihk.mch.weixin.qq.com/v3/global/micropay/transactions/pay", requestBody) 44 if err != nil { 45 // Process error 46 } 47 log.Printf("status=%d resp=%s", result.Response.StatusCode, result.Response.Body) 48}
示例代码 - PHP:
1// Call QuickPay Order API 2public function quickPayOrder($instance){ 3 try { 4 $resp = $instance 5 ->chain('/v3/global/micropay/transactions/pay') 6 ->post(['json' => [ 7 'sp_appid' => 'wxdace645e0bc2c424', 8 'sp_mchid' => '10000100', 9 'sub_mchid' => '20000100', 10 'out_trade_no' => '20150806125346', 11 'merchant_category_code' => '4111', 12 'payer' => [ 13 'auth_code'=> '134650720866361395', 14 ], 15 'trade_type' => 'MICROPAY', 16 'amount' => [ 17 'total' => 1, 18 'currency' => 'USD' 19 ], 20 'attach' => 'QR code test', 21 'description' => 'Image形象店-深圳腾大-QQ公仔', 22 'goods_tag' => '1234', 23 'limit_pay' => 'no_credit' 24 ]]); 25 26 echo $resp->getStatusCode(), PHP_EOL; 27 echo $resp->getBody(), PHP_EOL; 28} catch (Exception $e) { 29 // EXception handling 30 echo $e->getMessage(), PHP_EOL; 31 if ($e instanceof \GuzzleHttp\Exception\RequestException && $e->hasResponse()) { 32 $r = $e->getResponse(); 33 echo $r->getStatusCode() . ' ' . $r->getReasonPhrase(), PHP_EOL; 34 echo $r->getBody(), PHP_EOL, PHP_EOL, PHP_EOL; 35 } 36 echo $e->getTraceAsString(), PHP_EOL; 37 } 38}
重要参数:
out_trade_no: 商户系统内部订单号 |
auth_code: 扫码支付授权码,即用户打开微信钱包显示的支付对应的数字 |
其他重要参数请前往提交付款码支付API文档页面参考。
3.2.2 查询订单
步骤说明:商户在用户下单一定时间后,需主动进行查单以确认订单状态。
代码示例 - JAVA:
1 @Test 2 //Call query order API 3 public void queryOrderTest() throws IOException { 4 HttpGet httpGet = new HttpGet("https://apihk.mch.weixin.qq.com/v3/global/transactions/id/" + 5 "4200123456789000?sub_mchid=100012321&sp_mchid=1900000000"); 6 httpGet.addHeader("Accept", "application/json"); 7 httpGet.addHeader("Content-type", "application/json; charset=utf-8"); 8 CloseableHttpResponse response = httpClient.execute(httpGet); 9 //Process the response 10 }
示例代码 - GO:
1//Call query order API 2func queryOrder() { 3 result, err := client.Get(ctx, "https://apihk.mch.weixin.qq.com/v3/global/transactions/id/4200000000000000?sub_mchid=100012321&sp_mchid=1900000000") 4 if err != nil { 5 // Process error 6 } 7 log.Printf("status=%d resp=%s", result.Response.StatusCode, result.Response.Body) 8}
示例代码 - PHP:
1// Call query order API 2public function queryOrder($instance) 3{ 4 try { 5 $resp = $instance 6 ->v3->global->transactions->outTradeNo->_out_trade_no_ 7 ->get([ 8 'query' => [ 9 'sp_mchid' => '1900000000', 10 'sub_mchid' => '100012321', 11 ], 12 'out_trade_no' => 'YX0001' 13 ] 14 ); 15 16 echo $resp->getStatusCode(), PHP_EOL; 17 echo $resp->getBody(), PHP_EOL; 18 } catch (Exception $e) { 19 // Exception handling 20 } 21}
重要参数:
id: 微信支付订单号 |
out_trade_no:商户内部订单号 |
可以用上述任一订单号进行查询。其他重要参数请前往查询订单API文档页面参考。
3.2.3 申请退款
步骤说明:支付完成支付状态为SUCCESS后,可以调用该接口提交退款请求。
代码示例 - JAVA:
1 @Test 2 //Call Refund API 3 public void refundTest() throws IOException { 4 String refundBody = String.join("\n" , 5 "{" , 6 "'sp_appid': 'wx2421b1c4370ec43b', " , 7 "'sp_mchid': '10000100'," , 8 "'sub_mchid': '20000100'," , 9 "'transaction_id': '1008450740201411110005820873'," , 10 "'out_refund_no': 'R20150806125346'," , 11 " 'amount' : {" , 12 " 'refund': 5," , 13 " 'total':10," , 14 " 'currency':'HKD'" , 15 " }," , 16 " 'reason': 'The item has been sold out.'," , 17 " 'source': 'REFUND_SOURCE_UNSETTLED_FUNDS'" , 18 "}").replace("'","\""); 19 HttpPost httpPost = new HttpPost("https://apihk.mch.weixin.qq.com/v3/global/refunds"); 20 httpPost.addHeader("Accept", "application/json"); 21 httpPost.addHeader("Content-type", "application/json; charset=utf-8"); 22 httpPost.setEntity(new StringEntity(refundBody)); 23 CloseableHttpResponse response = httpClient.execute(httpPost); 24 //Process the response 25 } 26
示例代码 - GO:
1func refund() { 2 refundRequestBody := `{ 3 "sp_appid": "wx2421b1c4370ec43b", 4 "sp_mchid": "10000100", 5 "sub_mchid": "20000100", 6 "transaction_id": "1008450740201411110005820873", 7 "out_refund_no": "R20150806125346", 8 "amount" : { 9 "refund": 50, 10 "total":100, 11 "currency":"HKD" 12 }, 13 "reason": "The item has been sold out", 14 "source": "REFUND_SOURCE_UNSETTLED_FUNDS" 15}` 16 result, err := client.Post(ctx, "https://apihk.mch.weixin.qq.com/v3/global/refunds", refundRequestBody) 17 if err != nil { 18 // Process error 19 } 20 log.Printf("status=%d resp=%s", result.Response.StatusCode, result.Response.Body) 21}
示例代码 - PHP:
1// Call Refund API 2public function refundOrder($instance){ 3 try { 4 $resp = $instance 5 ->chain('v3/global/refunds') 6 ->post(['json' => [ 7 'sp_appid' => 'wxdace12300000000', 8 'sp_mchid' => '1900000000', 9 'sub_mchid' => '100012321', 10 'out_trade_no' => 'YX0001', 11 "out_refund_no"=> "REFUNDYX0001", 12 'amount' => [ 13 'refund' => 1, 14 'total' => 1, 15 'currency' => 'USD' 16 ] 17 ]]); 18 echo $resp->getStatusCode(), PHP_EOL; 19 echo $resp->getBody(), PHP_EOL; 20 } catch (Exception $e) { 21 // Exception handling 22 } 23}
重要参数:
out_trade_no: 商户内部订单号 |
transaction_id: 微信订单号 |
out_refund_no: 商户内部退款单号,应与订单号一一对应 |
notify_url: 退款结果接收地址 |
其他重要参数请前往申请退款API文档页面参考。
3.2.4 查询单笔退款
步骤说明:提交退款申请后,通过调用该接口查询退款状态。
代码示例 - JAVA:
1 @Test 2 //Call Query Refund API 3 public void querySingleRefundTest() throws IOException { 4 HttpGet httpGet = new HttpGet("https://apihk.mch.weixin.qq.com/v3/global/refunds/out-refund-no/RYX001?sub_mchid=100012321&sp_mchid=1900000000"); 5 httpGet.addHeader("Accept", "application/json"); 6 httpGet.addHeader("Content-type", "application/json; charset=utf-8"); 7 CloseableHttpResponse response = httpClient.execute(httpGet); 8 //Process the response 9 } 10
示例代码 - GO:
1//Query single refund API 2func querySingleRefund() { 3 result, err := client.Get(ctx, "https://apihk.mch.weixin.qq.com/v3/global/refunds/out-refund-no/REFUNDYX001?sub_mchid=100012321&sp_mchid=1900000000") 4 if err != nil { 5 // Process error 6 } 7 log.Printf("status=%d resp=%s", result.Response.StatusCode, result.Response.Body) 8}
示例代码 - PHP:
1// Call Query Refund API 2public function queryRefund($instance){ 3 try { 4 $resp = $instance 5 ->v3->global->refunds->outRefundNo->_out_refund_no_ 6 ->get([ 7 'query' => [ 8 'sp_mchid' => '1900000000', 9 'sub_mchid'=> '100012321' 10 ], 11 'out_refund_no' => 'REFUNDYX0001' 12 ]); 13 14 echo $resp->getStatusCode(), PHP_EOL; 15 echo $resp->getBody(), PHP_EOL; 16 } catch (Exception $e) { 17 // Exception handling 18 } 19}
重要参数:
out_trade_no: 商户内部订单号 |
refund_id:微信支付退款单号 |
其他重要参数请前往查询单笔退款API文档页面参考。
3.2.5 查询所有退款
步骤说明:提交退款申请后,通过调用该接口查询一笔订单下对应的全部退款信息。
代码示例 - JAVA:
1 @Test 2 //Call Query All Refund API 3 public void queryAllRefundTest() throws IOException { 4 HttpGet httpGet = new HttpGet("https://apihk.mch.weixin.qq.com/v3/global/refunds" + 5 "?out_trade_no=YX202111100020&count=10&offset=0&sp_mchid=1900000000&sub_mchid=100012321"); 6 httpGet.addHeader("Accept", "application/json"); 7 httpGet.addHeader("Content-type", "application/json; charset=utf-8"); 8 CloseableHttpResponse response = httpClient.execute(httpGet); 9 //Process the response 10 } 11
示例代码 - GO:
1//Query all refund API 2func queryAllRefund() { 3 result, err := client.Get(ctx, "https://apihk.mch.weixin.qq.com/v3/global/refunds/out-refund-no/out_trade_no=YX001&count=10&offset=0&sp_mchid=1900000000&sub_mchid=100012321") 4 if err != nil { 5 // Process error 6 } 7 log.Printf("status=%d resp=%s", result.Response.StatusCode, result.Response.Body) 8}
示例代码 - PHP:
1// Call Query All Refund API 2public function queryAllRefund($instance){ 3 try { 4 $resp = $instance 5 ->v3->global->refunds 6 ->get([ 7 'query' => [ 8 'out_trade_no' => 'YX001', 9 'count' => 10, 10 'offset' => 0, 11 'sp_mchid' => '1900000000', 12 'sub_mchid'=> '100012321' 13 ] 14 ]); 15 16 echo $resp->getStatusCode(), PHP_EOL; 17 echo $resp->getBody(), PHP_EOL; 18 } catch (Exception $e) { 19 // Exception handling 20 } 21}
重要参数:
out_trade_no: 商户内部订单号 |
transaction_id: 微信订单号 |
offset: 分页起始位置 |
count: 单页返回的记录数,最大20条记录. |
其他重要参数请前往查询所有退款API文档页面参考。
3.2.6 下载对账单
步骤说明:商户每天可以通过调用该接口可以下载历史交易账单,通过对帐单核对后可以校对更正支付信息。
代码示例 - JAVA:
1 2 @Test 3 //Downloading Reconciliation API 4 public void downloadReconTest() throws IOException { 5 HttpGet httpGet = new HttpGet("https://apihk.mch.weixin.qq.com/v3/global/statements?date=20220401&mchid=1900000000"); 6 httpGet.addHeader("Accept", "application/json"); 7 httpGet.addHeader("Content-type", "application/json; charset=utf-8"); 8 CloseableHttpResponse response = httpClient.execute(httpGet); 9 //Process the response 10 } 11
示例代码 - GO:
1//Download recon file API 2func downloadReconFile() { 3 result, err := client.Get(ctx, "https://apihk.mch.weixin.qq.com/v3/global/statements?date=20220401&mchid=1900000000") 4 if err != nil { 5 // Process error 6 } 7 log.Printf("status=%d resp=%s", result.Response.StatusCode, result.Response.Body) 8}
示例代码 - PHP:
1//Downloading Reconciliation API 2public function downloadReconFile($instance){ 3 try { 4 $resp = $instance 5 ->v3->global->statements 6 ->get([ 7 'query' => [ 8 'date' => '20220401', 9 'mchid' => '1900000000' 10 ] 11 ]); 12 13 echo $resp->getStatusCode(), PHP_EOL; 14 echo $resp->getBody(), PHP_EOL; 15 } catch (Exception $e) { 16 // Exception handling 17 } 18}
重要参数:
date: 账单日期, 格式:20180103 |
其他重要参数请前往下载对账单API文档页面参考。
3.2.7 撤销订单
步骤说明:下单超过5分钟后,可以调用该接口对下单未支付的订单进行关单操作,以便商户更换订单号重新下单发起支付或商户系统退出不再受理后避免用户继续支付。
代码示例 - JAVA:
1 2 @Test 3 //Call revoke order API 4 public void RevokeOrderTest() throws IOException { 5 String revokeBody = String.join("\n" , 6 "{" , 7 " 'sp_mchid': '10000100'," , 8 " 'sub_mchid': '20000100'" , 9 "}").replace("'","\""); 10 HttpPost httpPost = new HttpPost("https://apihk.mch.weixin.qq.com/v3/global/micropay/transactions/out-trade-no/YX001/reverse"); 11 httpPost.addHeader("Accept", "application/json"); 12 httpPost.addHeader("Content-type", "application/json; charset=utf-8"); 13 httpPost.setEntity(new StringEntity(revokeBody)); 14 CloseableHttpResponse response = httpClient.execute(httpPost); 15 //Process the response 16 } 17
示例代码 - GO:
1//Call revoke order API 2func revokeOrder() { 3 revokeOrderBody := `{ 4 "sp_mchid": "10000100", 5 "sub_mchid": "20000100" 6 }` 7 result, err := client.Post(ctx, "https://apihk.mch.weixin.qq.com/v3/global/micropay/transactions/out-trade-no/YX001/close", revokeOrderBody) 8 if err != nil { 9 // Process error 10 } 11 log.Printf("status=%d resp=%s", result.Response.StatusCode, result.Response.Body) 12}
示例代码 - PHP:
1// Call Revoke order API 2public function revokeOrder($instance){ 3 try { 4 $resp = $instance 5 ->v3->global->micropay->transactions->outTradeNo->_out_trade_no_->reverse 6 ->post(['json' => [ 7 'sp_mchid' => '10000100', 8 'sub_mchid' => '20000100' 9 ], 10 'out_trade_no' => 'YX0001' 11 ]); 12 13 echo $resp->getStatusCode(), PHP_EOL; 14 echo $resp->getBody(), PHP_EOL; 15 } catch (Exception $e) { 16 // Exception handling 17 } 18}
重要参数:
out_trade_no: 商户内部订单号 |
transaction_id: 微信支付订单号 |
out_refund_no: 商户内部退款单号,应与订单号一一对应 |
notify_url: 退款结果接收地址 |
可以用上述任一订单号进行查询。其他重要参数请前往撤销订单API文档页面参考。
3.2.8 下载平台证书
步骤说明:在调用其他接口之前,需要调用该接口下载平台证书用于对返回消息进行验签和返回消息中的加密字段进行解密。
代码示例 - JAVA:
1 @Test 2 //Call certificate downloading API 3 public void certDownloadingTest() throws IOException { 4 HttpGet httpGet = new HttpGet("https://apihk.mch.weixin.qq.com/v3/global/certificates"); 5 httpGet.addHeader("Accept", "application/json"); 6 httpGet.addHeader("Content-type", "application/json; charset=utf-8"); 7 8 CloseableHttpResponse response = httpClient.execute(httpGet); 9 //Process the response 10//Get the response body: EntityUtils.toString(response.getEntity()); 11//Get the response status code: response.getStatusLine().getStatusCode(); 12 13 //Instead of calling the API to download platform certificate, 14 //We also recommend use the certificateMenager to get the valid certificate 15 verifier.getValidCertificate(); 16 }
示例代码 - GO:
1//Calling download certificate API 2func downloadCert() { 3 result, err := client.Get((ctx, "https://apihk.mch.weixin.qq.com/v3/global/certificates")) 4 if err != nil { 5 if core.IsAPIError(err, "INVALID_REQUEST") { 6 //Process invalid request 7 } 8 // Process other error 9 } 10 log.Printf("status=%d resp=%s", result.Response.StatusCode, result.Response.Body) 11}
示例代码 - PHP:
1// Call download certificate API 2public function downloadCert($instance){ 3 $resp = $instance->chain('v3/global/certificates')->get( 4 ['debug' => true] // debug mode,https://docs.guzzlephp.org/en/stable/request-options.html#debug 5 ); 6 echo $resp->getBody(), PHP_EOL; 7}
重要参数:无
其他重要参数请前往下载平台证书API文档页面参考。
3.2.9 退款通知
步骤说明:退款状态改变后,微信会把相关退款结果发送给商户。
|
3.2.9.1 通知规则
退款状态改变后,微信会把相关退款结果发送给商户。
对后台通知交互时,如果微信收到应答不是成功或超时,微信认为通知失败,微信会通过一定的策略定期重新发起通知,尽可能提高通知的成功率,但微信不保证通知最终能成功。 (通知频率为15s/15s/30s/3m/10m/20m/30m/30m/30m/60m/3h/3h/3h/6h/6h - 总计 24h4m)
3.2.9.2 通知报文
退款结果通知是以“POST”方法访问商户设置的通知url,通知的数据以“JSON”格式通过请求主体(BODY)传输。通知的数据包括了加密的退款结果详情。
下面详细描述证书解密的流程
1、从商户平台上获取商户的密钥,记为“key”。
2、针对“algorithm”中描述的算法(目前为AEAD_AES_256_GCM),取得对应的参数“nonce”和“associated_data”。
3、使用“key”、“nonce”和“associated_data”对数据密文“ciphertext”进行解密(需要先对ciphertext做base64解码,然后再解密),得到证书内容
|
3.2.9.3 通知签名
加密不能保证通知请求来自微信。微信会对发送给商户的通知进行签名,并将签名值放在通知的HTTP头Wechatpay-Signature。商户应当验证签名,以确认请求来自微信,而不是其他的第三方。签名验证的算法请参考《微信支付API V3签名验证》。
3.2.9.4 回调示例
退款通知
1{ 2 "id": "EV-2018022511223320873", 3 "create_time": "2018-06-08T10:34:56+08:00", 4 "resource_type": "encrypt-resource", 5 "event_type": "REFUND.SUCCESS", 6 "summary": "退款成功", 7 "resource": { 8 "original_type": "refund", 9 "algorithm": "AEAD_AES_256_GCM", 10 "ciphertext": "...", 11 "associated_data": "", 12 "nonce": "..." 13 } 14}
商户对resource对象进行解密后,得到的资源对象示例
1{ 2 "sp_mchid": "1900000100", 3 "sub_mchid": "1900000109", 4 "transaction_id": "1008450740201411110005820873", 5 "out_trade_no": "20150806125346", 6 "refund_id": "50200207182018070300011301001", 7 "out_refund_no": "7752501201407033233368018", 8 "refund_status": "SUCCESS", 9 "success_time": "2018-06-08T10:34:56+08:00", 10 "recv_account": "招商银行信用卡0403", 11 "fund_source": "REFUND_SOURCE_UNSETTLED_FUNDS", 12 "amount" : { 13 "total": 528800, 14 "currency": "HKD", 15 "refund": 528800, 16 "payer_total": 528800, 17 "payer_refund": 528800, 18 "payer_currency": "HKD", 19 "exchange_rate" : { 20 "type": "SETTLEMENT_RATE", 21 "rate": 100000000 22 } 23 } 24}
3.2.9.5 通知应答
退款通知http应答码为200或204才会当作正常接收,当回调处理异常时,应答的HTTP状态码应为500,或者4xx。
|
其他重要参数请前往退款通知API文档页面参考。
3.2.10 查询资金结算明细
步骤说明:商户在交易完结之后,可按结算日期查询已结算资金明细(sette_state为SETTLED),也可以查询未结算资金明细(sette_state为UNSETTLE)。
|
代码示例 - JAVA:
1 @Test 2 //Query Settlement API 3 public void querySettlementTest() throws IOException { 4 HttpGet httpGet = new HttpGet("https://apihk.mch.weixin.qq.com/v3/global/settle/settlements" + 5 "?sub_mchid=100012321&settle_state=SETTLED&settle_start_date=20221225" + 6 "&settle_end_date=20221226&offset=10&limit=5"); 7 httpGet.addHeader("Accept", "application/json"); 8 httpGet.addHeader("Content-type", "application/json; charset=utf-8"); 9 CloseableHttpResponse response = httpClient.execute(httpGet); 10 //Process the response 11 }
示例代码 - GO:
1//Query settlement API 2func querySettlement() { 3 result, err := client.Get(ctx, "https://apihk.mch.weixin.qq.com/v3/global/settle/settlements?sub_mchid=100012321&settle_state=SETTLED&settle_start_date=20221225&settle_end_date=20221226&offset=10&limit=5") 4 if err != nil { 5 // Process error 6 } 7 log.Printf("status=%d resp=%s", result.Response.StatusCode, result.Response.Body) 8}
示例代码 - PHP:
1//Querying Settlement Info API 2public function querySettlementInfo($instance){ 3 try { 4 $resp = $instance 5 ->v3->global->settle->settlements 6 ->get(['query' => [ 7 'sub_mchid' => '100012321', 8 'settle_state' => 'SETTLED', 9 'settle_start_date' => '20221225', 10 'settle_end_date' => '20221226', 11 'offset' => '10', 12 'limit' => '5' 13 ]]); 14 15 echo $resp->getStatusCode(), PHP_EOL; 16 echo $resp->getBody(), PHP_EOL; 17 } catch (\Exception $e) { 18 // Exception handling 19 } 20}
重要参数:
settle_state: 资金结算状态,枚举值: |
SETTLED:已结算 |
UNSETTLE:未结算 |
其他重要参数请前往查询资金结算明细API文档页面参考。