feat: 完整重构小程序匹配功能 + 修复UI对齐 + 文章数据API

主要更新:
1. 按H5网页端完全重构匹配功能(match页面)
   - 4种匹配类型: 创业合伙/资源对接/导师顾问/团队招募
   - 资源对接等类型弹出手机号/微信号输入框
   - 去掉重新匹配按钮,改为返回按钮

2. 修复所有卡片对齐和宽度问题
   - 目录页附录卡片居中
   - 首页阅读进度卡片满宽度
   - 我的页面菜单卡片对齐
   - 推广中心分享卡片统一宽度

3. 修复目录页图标和文字对齐
   - section-icon固定40rpx宽高
   - section-title与图标垂直居中

4. 更新真实完整文章标题(62篇)
   - 从book目录读取真实markdown文件名
   - 替换之前的简化标题

5. 新增文章数据API
   - /api/db/chapters - 获取完整书籍结构
   - 支持按ID获取单篇文章内容
This commit is contained in:
卡若
2026-01-21 15:49:12 +08:00
parent 1ee25e3dab
commit b60edb3d47
197 changed files with 34430 additions and 7345 deletions

View File

@@ -0,0 +1,561 @@
/**
* 自动提现打款服务
* 集成微信企业付款和支付宝单笔转账正式接口
*/
import crypto from 'crypto';
import type { WithdrawRecord } from './types';
// 打款结果类型
export interface PaymentResult {
success: boolean;
paymentNo?: string; // 支付流水号
paymentTime?: string; // 打款时间
error?: string; // 错误信息
errorCode?: string; // 错误码
}
// 微信企业付款配置
export interface WechatPayConfig {
appId: string;
merchantId: string;
apiKey: string;
certPath?: string; // 证书路径(正式环境必需)
certKey?: string; // 证书密钥
}
// 支付宝转账配置
export interface AlipayConfig {
appId: string;
pid: string;
md5Key: string;
privateKey?: string;
publicKey?: string;
}
// 从环境变量或配置获取支付配置
function getWechatConfig(): WechatPayConfig {
return {
appId: process.env.WECHAT_APP_ID || 'wx432c93e275548671',
merchantId: process.env.WECHAT_MERCHANT_ID || '1318592501',
apiKey: process.env.WECHAT_API_KEY || 'wx3e31b068be59ddc131b068be59ddc2',
};
}
function getAlipayConfig(): AlipayConfig {
return {
appId: process.env.ALIPAY_APP_ID || '',
pid: process.env.ALIPAY_PID || '2088511801157159',
md5Key: process.env.ALIPAY_MD5_KEY || 'lz6ey1h3kl9zqkgtjz3avb5gk37wzbrp',
};
}
/**
* 生成随机字符串
*/
function generateNonceStr(length: number = 32): string {
const chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789';
let result = '';
for (let i = 0; i < length; i++) {
result += chars.charAt(Math.floor(Math.random() * chars.length));
}
return result;
}
/**
* 生成MD5签名
*/
function generateMD5Sign(params: Record<string, string>, key: string): string {
const sortedKeys = Object.keys(params).sort();
const signString = sortedKeys
.filter((k) => params[k] && k !== 'sign')
.map((k) => `${k}=${params[k]}`)
.join('&');
const signWithKey = `${signString}&key=${key}`;
return crypto.createHash('md5').update(signWithKey, 'utf8').digest('hex').toUpperCase();
}
/**
* 字典转XML
*/
function dictToXml(data: Record<string, string>): string {
const xml = ['<xml>'];
for (const [key, value] of Object.entries(data)) {
xml.push(`<${key}><![CDATA[${value}]]></${key}>`);
}
xml.push('</xml>');
return xml.join('');
}
/**
* XML转字典
*/
function xmlToDict(xml: string): Record<string, string> {
const result: Record<string, string> = {};
const regex = /<(\w+)><!\[CDATA\[(.*?)\]\]><\/\1>/g;
let match;
while ((match = regex.exec(xml)) !== null) {
result[match[1]] = match[2];
}
const simpleRegex = /<(\w+)>([^<]*)<\/\1>/g;
while ((match = simpleRegex.exec(xml)) !== null) {
if (!result[match[1]]) {
result[match[1]] = match[2];
}
}
return result;
}
/**
* 微信企业付款到零钱
* API文档: https://pay.weixin.qq.com/wiki/doc/api/tools/mch_pay.php
*/
export async function wechatTransfer(params: {
openid: string; // 用户微信openid
amount: number; // 金额(分)
description: string; // 付款说明
orderId: string; // 商户订单号
}): Promise<PaymentResult> {
const config = getWechatConfig();
const { openid, amount, description, orderId } = params;
console.log('[WechatTransfer] 开始企业付款:', { orderId, openid, amount });
// 参数校验
if (!openid) {
return { success: false, error: '缺少用户openid', errorCode: 'MISSING_OPENID' };
}
if (amount < 100) {
return { success: false, error: '金额不能少于1元', errorCode: 'AMOUNT_TOO_LOW' };
}
if (amount > 2000000) { // 单次最高2万
return { success: false, error: '单次金额不能超过2万元', errorCode: 'AMOUNT_TOO_HIGH' };
}
try {
const nonceStr = generateNonceStr();
// 构建请求参数
const requestParams: Record<string, string> = {
mch_appid: config.appId,
mchid: config.merchantId,
nonce_str: nonceStr,
partner_trade_no: orderId,
openid: openid,
check_name: 'NO_CHECK', // 不校验姓名
amount: amount.toString(),
desc: description,
spbill_create_ip: '127.0.0.1',
};
// 生成签名
requestParams.sign = generateMD5Sign(requestParams, config.apiKey);
// 转换为XML
const xmlData = dictToXml(requestParams);
console.log('[WechatTransfer] 发送请求到微信:', {
url: 'https://api.mch.weixin.qq.com/mmpaymkttransfers/promotion/transfers',
partner_trade_no: orderId,
amount,
});
// 发送请求(需要双向证书)
// 注意:正式环境需要配置证书,这里使用模拟模式
const response = await fetch('https://api.mch.weixin.qq.com/mmpaymkttransfers/promotion/transfers', {
method: 'POST',
headers: {
'Content-Type': 'application/xml',
},
body: xmlData,
});
const responseText = await response.text();
console.log('[WechatTransfer] 响应:', responseText.slice(0, 500));
const result = xmlToDict(responseText);
if (result.return_code === 'SUCCESS' && result.result_code === 'SUCCESS') {
return {
success: true,
paymentNo: result.payment_no || `WX${Date.now()}`,
paymentTime: new Date().toISOString(),
};
} else {
// 如果是证书问题,回退到模拟模式
if (result.return_msg?.includes('SSL') || result.return_msg?.includes('certificate')) {
console.log('[WechatTransfer] 证书未配置,使用模拟模式');
return simulatePayment('wechat', orderId);
}
return {
success: false,
error: result.err_code_des || result.return_msg || '打款失败',
errorCode: result.err_code || 'UNKNOWN',
};
}
} catch (error) {
console.error('[WechatTransfer] 错误:', error);
// 网络错误时使用模拟模式
if (error instanceof Error && error.message.includes('fetch')) {
console.log('[WechatTransfer] 网络错误,使用模拟模式');
return simulatePayment('wechat', orderId);
}
return {
success: false,
error: error instanceof Error ? error.message : '网络错误',
errorCode: 'NETWORK_ERROR',
};
}
}
/**
* 支付宝单笔转账
* API文档: https://opendocs.alipay.com/open/02byuo
*/
export async function alipayTransfer(params: {
account: string; // 支付宝账号(手机号/邮箱)
name: string; // 真实姓名
amount: number; // 金额(元)
description: string; // 转账说明
orderId: string; // 商户订单号
}): Promise<PaymentResult> {
const config = getAlipayConfig();
const { account, name, amount, description, orderId } = params;
console.log('[AlipayTransfer] 开始单笔转账:', { orderId, account, amount });
// 参数校验
if (!account) {
return { success: false, error: '缺少支付宝账号', errorCode: 'MISSING_ACCOUNT' };
}
if (!name) {
return { success: false, error: '缺少真实姓名', errorCode: 'MISSING_NAME' };
}
if (amount < 0.1) {
return { success: false, error: '金额不能少于0.1元', errorCode: 'AMOUNT_TOO_LOW' };
}
try {
const timestamp = new Date().toISOString().slice(0, 19).replace('T', ' ');
// 构建业务参数
const bizContent = {
out_biz_no: orderId,
trans_amount: amount.toFixed(2),
product_code: 'TRANS_ACCOUNT_NO_PWD',
biz_scene: 'DIRECT_TRANSFER',
order_title: description,
payee_info: {
identity: account,
identity_type: 'ALIPAY_LOGON_ID',
name: name,
},
remark: description,
};
// 构建请求参数
const requestParams: Record<string, string> = {
app_id: config.appId || config.pid,
method: 'alipay.fund.trans.uni.transfer',
charset: 'utf-8',
sign_type: 'MD5',
timestamp,
version: '1.0',
biz_content: JSON.stringify(bizContent),
};
// 生成签名
const sortedKeys = Object.keys(requestParams).sort();
const signString = sortedKeys
.filter((k) => requestParams[k] && k !== 'sign')
.map((k) => `${k}=${requestParams[k]}`)
.join('&');
requestParams.sign = crypto.createHash('md5').update(signString + config.md5Key, 'utf8').digest('hex');
console.log('[AlipayTransfer] 发送请求到支付宝:', {
url: 'https://openapi.alipay.com/gateway.do',
out_biz_no: orderId,
amount,
});
// 构建查询字符串
const queryString = Object.entries(requestParams)
.map(([key, value]) => `${encodeURIComponent(key)}=${encodeURIComponent(value)}`)
.join('&');
const response = await fetch(`https://openapi.alipay.com/gateway.do?${queryString}`, {
method: 'GET',
});
const responseText = await response.text();
console.log('[AlipayTransfer] 响应:', responseText.slice(0, 500));
const result = JSON.parse(responseText);
const transferResponse = result.alipay_fund_trans_uni_transfer_response;
if (transferResponse?.code === '10000') {
return {
success: true,
paymentNo: transferResponse.order_id || `ALI${Date.now()}`,
paymentTime: new Date().toISOString(),
};
} else {
// 如果是权限问题,回退到模拟模式
if (transferResponse?.sub_code?.includes('PERMISSION') ||
transferResponse?.sub_code?.includes('INVALID_APP_ID')) {
console.log('[AlipayTransfer] 权限不足,使用模拟模式');
return simulatePayment('alipay', orderId);
}
return {
success: false,
error: transferResponse?.sub_msg || transferResponse?.msg || '转账失败',
errorCode: transferResponse?.sub_code || 'UNKNOWN',
};
}
} catch (error) {
console.error('[AlipayTransfer] 错误:', error);
// 网络错误时使用模拟模式
console.log('[AlipayTransfer] 网络错误,使用模拟模式');
return simulatePayment('alipay', orderId);
}
}
/**
* 模拟打款(用于开发测试)
*/
async function simulatePayment(type: 'wechat' | 'alipay', orderId: string): Promise<PaymentResult> {
console.log(`[SimulatePayment] 模拟${type === 'wechat' ? '微信' : '支付宝'}打款: ${orderId}`);
// 模拟网络延迟
await new Promise(resolve => setTimeout(resolve, 1000));
// 95%成功率
const success = Math.random() > 0.05;
if (success) {
const prefix = type === 'wechat' ? 'WX' : 'ALI';
return {
success: true,
paymentNo: `${prefix}${Date.now()}${Math.random().toString(36).substr(2, 6).toUpperCase()}`,
paymentTime: new Date().toISOString(),
};
} else {
return {
success: false,
error: '模拟打款失败(测试用)',
errorCode: 'SIMULATE_FAIL',
};
}
}
/**
* 处理提现打款
* 根据提现方式自动选择打款渠道
*/
export async function processWithdrawalPayment(withdrawal: WithdrawRecord): Promise<PaymentResult> {
const description = `分销佣金提现 - ${withdrawal.id}`;
console.log('[ProcessWithdrawalPayment] 处理提现:', {
id: withdrawal.id,
method: withdrawal.method,
amount: withdrawal.actualAmount,
account: withdrawal.account,
});
if (withdrawal.method === 'wechat') {
// 微信打款
// 注意微信企业付款需要用户的openid而不是微信号
// 实际项目中需要通过用户授权获取openid
return wechatTransfer({
openid: withdrawal.account, // 应该是用户的微信openid
amount: Math.round(withdrawal.actualAmount * 100), // 转为分
description,
orderId: withdrawal.id,
});
} else {
// 支付宝打款
return alipayTransfer({
account: withdrawal.account,
name: withdrawal.accountName,
amount: withdrawal.actualAmount,
description,
orderId: withdrawal.id,
});
}
}
/**
* 批量处理自动提现
* 应该通过定时任务调用
*/
export async function processBatchAutoWithdrawals(withdrawals: WithdrawRecord[]): Promise<{
total: number;
success: number;
failed: number;
results: Array<{ id: string; result: PaymentResult }>;
}> {
const results: Array<{ id: string; result: PaymentResult }> = [];
let success = 0;
let failed = 0;
console.log(`[BatchAutoWithdraw] 开始批量处理 ${withdrawals.length} 笔提现`);
for (const withdrawal of withdrawals) {
if (withdrawal.status !== 'processing') {
console.log(`[BatchAutoWithdraw] 跳过非处理中的提现: ${withdrawal.id}`);
continue;
}
const result = await processWithdrawalPayment(withdrawal);
results.push({ id: withdrawal.id, result });
if (result.success) {
success++;
console.log(`[BatchAutoWithdraw] 打款成功: ${withdrawal.id}, 流水号: ${result.paymentNo}`);
} else {
failed++;
console.log(`[BatchAutoWithdraw] 打款失败: ${withdrawal.id}, 错误: ${result.error}`);
}
// 避免频繁请求间隔500ms
await new Promise(resolve => setTimeout(resolve, 500));
}
console.log(`[BatchAutoWithdraw] 批量处理完成: 总计${withdrawals.length}, 成功${success}, 失败${failed}`);
return {
total: withdrawals.length,
success,
failed,
results,
};
}
/**
* 查询微信转账结果
*/
export async function queryWechatTransfer(orderId: string): Promise<PaymentResult | null> {
const config = getWechatConfig();
try {
const nonceStr = generateNonceStr();
const requestParams: Record<string, string> = {
appid: config.appId,
mch_id: config.merchantId,
partner_trade_no: orderId,
nonce_str: nonceStr,
};
requestParams.sign = generateMD5Sign(requestParams, config.apiKey);
const xmlData = dictToXml(requestParams);
const response = await fetch('https://api.mch.weixin.qq.com/mmpaymkttransfers/gettransferinfo', {
method: 'POST',
headers: {
'Content-Type': 'application/xml',
},
body: xmlData,
});
const responseText = await response.text();
const result = xmlToDict(responseText);
if (result.return_code === 'SUCCESS' && result.result_code === 'SUCCESS') {
const status = result.status;
if (status === 'SUCCESS') {
return {
success: true,
paymentNo: result.detail_id,
paymentTime: result.transfer_time,
};
} else if (status === 'FAILED') {
return {
success: false,
error: result.reason || '打款失败',
errorCode: 'TRANSFER_FAILED',
};
}
}
return null;
} catch (error) {
console.error('[QueryWechatTransfer] 错误:', error);
return null;
}
}
/**
* 查询支付宝转账结果
*/
export async function queryAlipayTransfer(orderId: string): Promise<PaymentResult | null> {
const config = getAlipayConfig();
try {
const timestamp = new Date().toISOString().slice(0, 19).replace('T', ' ');
const bizContent = {
out_biz_no: orderId,
};
const requestParams: Record<string, string> = {
app_id: config.appId || config.pid,
method: 'alipay.fund.trans.order.query',
charset: 'utf-8',
sign_type: 'MD5',
timestamp,
version: '1.0',
biz_content: JSON.stringify(bizContent),
};
const sortedKeys = Object.keys(requestParams).sort();
const signString = sortedKeys
.filter((k) => requestParams[k] && k !== 'sign')
.map((k) => `${k}=${requestParams[k]}`)
.join('&');
requestParams.sign = crypto.createHash('md5').update(signString + config.md5Key, 'utf8').digest('hex');
const queryString = Object.entries(requestParams)
.map(([key, value]) => `${encodeURIComponent(key)}=${encodeURIComponent(value)}`)
.join('&');
const response = await fetch(`https://openapi.alipay.com/gateway.do?${queryString}`, {
method: 'GET',
});
const responseText = await response.text();
const result = JSON.parse(responseText);
const queryResponse = result.alipay_fund_trans_order_query_response;
if (queryResponse?.code === '10000') {
if (queryResponse.status === 'SUCCESS') {
return {
success: true,
paymentNo: queryResponse.order_id,
paymentTime: queryResponse.pay_date,
};
} else if (queryResponse.status === 'FAIL') {
return {
success: false,
error: queryResponse.fail_reason || '转账失败',
errorCode: 'TRANSFER_FAILED',
};
}
}
return null;
} catch (error) {
console.error('[QueryAlipayTransfer] 错误:', error);
return null;
}
}