update pay function

This commit is contained in:
2025-11-22 09:27:12 +08:00
parent 092c86f3d2
commit eceb2e7da0
4 changed files with 315 additions and 3 deletions

70
fix-cors-auth.sh Normal file
View File

@@ -0,0 +1,70 @@
#!/bin/bash
echo "========================================="
echo "修复 CORS 和认证问题"
echo "========================================="
cd /home/ubuntu/vf_react/src/views/AgentChat/neuratalk
# 1. 修改环境配置 - 重要:通过域名访问,这样 Cookie 才能共享
echo "[1] 更新环境配置..."
cat > .env.local << 'EOF'
# 通过域名访问,避免跨域和 Cookie 问题
NEXT_PUBLIC_API_URL=https://valuefrontier.cn
NEXT_PUBLIC_MAIN_APP_URL=https://valuefrontier.cn
SESSION_COOKIE_NAME=session
PORT=3000
EOF
echo "✓ 环境配置已更新"
cat .env.local
# 2. 更新 Next.js 配置
echo ""
echo "[2] 更新 Next.js 配置..."
cat > next.config.js << 'EOF'
/** @type {import('next').NextConfig} */
const nextConfig = {
// 生产环境配置 basePath
basePath: process.env.NODE_ENV === 'production' ? '/ai-chat' : '',
assetPrefix: process.env.NODE_ENV === 'production' ? '/ai-chat' : '',
reactStrictMode: true,
poweredByHeader: false,
outputFileTracingRoot: '/home/ubuntu/vf_react/src/views/AgentChat/neuratalk',
// API 重写 - 开发环境使用
async rewrites() {
// 生产环境不需要重写,直接通过域名访问
if (process.env.NODE_ENV === 'production') {
return [];
}
return [
{
source: '/api/:path*',
destination: 'http://localhost:5001/api/:path*',
},
{
source: '/mcp/:path*',
destination: 'http://localhost:8900/:path*',
},
];
},
images: {
domains: ['valuefrontier.cn', 'localhost', '49.232.185.254'],
},
};
module.exports = nextConfig;
EOF
echo "✓ Next.js 配置已更新"
echo ""
echo "========================================="
echo "请重启 Next.js"
echo "1. 按 Ctrl+C 停止当前服务"
echo "2. 运行: npm run dev"
echo "========================================="

144
simple-solution.sh Normal file
View File

@@ -0,0 +1,144 @@
#!/bin/bash
echo "========================================="
echo "简单解决方案 - 跳过认证检查"
echo "========================================="
cd /home/ubuntu/vf_react/src/views/AgentChat/neuratalk
# 临时方案:先跳过认证,直接测试功能
cat > components/Chat/MCPChatSimple.tsx << 'EOF'
'use client';
import React, { useState, useRef, useEffect } from 'react';
import { mcpService } from '../../services/mcp-real';
export default function MCPChatSimple() {
const [messages, setMessages] = useState([]);
const [input, setInput] = useState('');
const [isLoading, setIsLoading] = useState(false);
const handleSend = async () => {
if (!input.trim() || isLoading) return;
const userMessage = {
id: Date.now().toString(),
role: 'user',
content: input,
timestamp: new Date(),
};
setMessages(prev => [...prev, userMessage]);
setInput('');
setIsLoading(true);
try {
// 直接调用 MCP
const response = await fetch('/mcp/chat', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({
messages: [{ role: 'user', content: input }],
stream: false,
}),
});
const data = await response.json();
setMessages(prev => [
...prev,
{
id: (Date.now() + 1).toString(),
role: 'assistant',
content: data.response || data.message || '没有回复',
timestamp: new Date(),
},
]);
} catch (error) {
console.error('Error:', error);
setMessages(prev => [
...prev,
{
id: Date.now().toString(),
role: 'system',
content: '错误: ' + error.message,
timestamp: new Date(),
},
]);
} finally {
setIsLoading(false);
}
};
return (
<div className="flex h-screen bg-gray-50">
<div className="flex-1 flex flex-col">
<div className="flex-1 overflow-y-auto p-4 space-y-4">
<h2 className="text-2xl font-bold">AI Chat (测试模式 - 无认证)</h2>
{messages.map(msg => (
<div
key={msg.id}
className={\`flex \${msg.role === 'user' ? 'justify-end' : 'justify-start'}\`}
>
<div
className={\`max-w-2xl px-4 py-2 rounded-lg \${
msg.role === 'user'
? 'bg-blue-600 text-white'
: 'bg-white text-gray-900'
}\`}
>
<div className="whitespace-pre-wrap">{msg.content}</div>
</div>
</div>
))}
</div>
<div className="border-t p-4">
<div className="flex space-x-2">
<input
type="text"
value={input}
onChange={e => setInput(e.target.value)}
onKeyPress={e => e.key === 'Enter' && handleSend()}
disabled={isLoading}
placeholder="输入消息..."
className="flex-1 px-4 py-2 border rounded-lg"
/>
<button
onClick={handleSend}
disabled={!input.trim() || isLoading}
className="px-6 py-2 bg-blue-600 text-white rounded-lg hover:bg-blue-700 disabled:opacity-50"
>
{isLoading ? '发送中...' : '发送'}
</button>
</div>
</div>
</div>
</div>
);
}
EOF
# 修改 page.tsx 使用简单版本
cat > app/page.tsx << 'EOF'
// 临时使用简单版本,跳过认证
import MCPChatSimple from "@/components/Chat/MCPChatSimple";
export default function Page() {
return (
<main className="h-screen">
<MCPChatSimple />
</main>
);
}
EOF
echo "✓ 创建了简单版本(无认证)"
echo ""
echo "重启 Next.js 后访问:"
echo "- http://49.232.185.254:3000"
echo "- https://valuefrontier.cn/ai-chat"
echo ""
echo "这个版本跳过认证,直接测试 MCP 功能"

View File

@@ -22,16 +22,23 @@ export interface AuthInfo {
*/
export async function checkAuth(): Promise<AuthInfo> {
try {
// 使用硬编码的 URL 作为后备
const apiUrl = process.env.NEXT_PUBLIC_API_URL || 'http://49.232.185.254:5001';
console.log('API URL:', apiUrl); // 调试日志
// 根据访问方式决定 API URL
const isProduction = typeof window !== 'undefined' && window.location.hostname === 'valuefrontier.cn';
const apiUrl = isProduction
? 'https://valuefrontier.cn' // 生产环境通过域名访问
: (process.env.NEXT_PUBLIC_API_URL || 'http://localhost:5001'); // 开发环境
console.log('Auth check - API URL:', apiUrl, 'isProduction:', isProduction);
// 调用主应用的 session 检查接口
const response = await fetch(`${apiUrl}/api/auth/session`, {
method: 'GET',
credentials: 'include', // 重要:携带 Cookie
headers: {
'Content-Type': 'application/json',
'Accept': 'application/json',
},
// 对于同域请求,不需要额外的 CORS 配置
});
if (!response.ok) {

91
update-nginx-complete.sh Normal file
View File

@@ -0,0 +1,91 @@
#!/bin/bash
echo "========================================="
echo "完整的 Nginx 配置更新"
echo "========================================="
# 备份当前配置
echo "[1] 备份当前配置..."
sudo cp /etc/nginx/sites-available/valuefrontier /etc/nginx/sites-available/valuefrontier.bak.$(date +%Y%m%d_%H%M%S)
echo ""
echo "[2] 请编辑 Nginx 配置文件:"
echo "sudo nano /etc/nginx/sites-available/valuefrontier"
echo ""
echo "在 HTTPS server 块中(约第 228 行location /chat/ 之前)添加:"
echo ""
cat << 'NGINX_CONFIG'
# ============================================
# AI Chat 应用 (Next.js) - MCP 集成
# ============================================
# AI Chat 主应用
location /ai-chat {
proxy_pass http://127.0.0.1:3000/ai-chat;
proxy_http_version 1.1;
# 保持原始 Host 和协议
proxy_set_header Host $host;
proxy_set_header X-Real-IP $remote_addr;
proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
proxy_set_header X-Forwarded-Proto https;
proxy_set_header X-Forwarded-Port 443;
# Cookie 传递 - 重要!
proxy_set_header Cookie $http_cookie;
proxy_pass_request_headers on;
# WebSocket 支持
proxy_set_header Upgrade $http_upgrade;
proxy_set_header Connection "upgrade";
# 禁用缓冲
proxy_buffering off;
proxy_cache off;
chunked_transfer_encoding on;
# 超时设置
proxy_connect_timeout 60s;
proxy_send_timeout 300s;
proxy_read_timeout 300s;
}
# Next.js 静态资源
location ~ ^/ai-chat/(_next|_vercel|__nextjs) {
proxy_pass http://127.0.0.1:3000;
proxy_http_version 1.1;
proxy_set_header Host $host;
proxy_set_header X-Real-IP $remote_addr;
proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
proxy_set_header X-Forwarded-Proto https;
# 静态资源缓存
expires 365d;
add_header Cache-Control "public, immutable";
}
# AI Chat 的 API 调用(如果需要)
location ~ ^/ai-chat/(api|mcp) {
proxy_pass http://127.0.0.1:3000;
proxy_http_version 1.1;
proxy_set_header Host $host;
proxy_set_header X-Real-IP $remote_addr;
proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
proxy_set_header X-Forwarded-Proto https;
proxy_set_header Cookie $http_cookie;
proxy_buffering off;
}
NGINX_CONFIG
echo ""
echo "[3] 保存文件后,测试配置:"
echo "sudo nginx -t"
echo ""
echo "[4] 如果测试通过,重载 Nginx"
echo "sudo nginx -s reload"
echo ""
echo "========================================="
echo "访问地址:"
echo "https://valuefrontier.cn/ai-chat"
echo "========================================="