新增偵測 aws ec2 的 ip
This commit is contained in:
59
app/api/smart-cleanup/route.ts
Normal file
59
app/api/smart-cleanup/route.ts
Normal file
@@ -0,0 +1,59 @@
|
|||||||
|
// =====================================================
|
||||||
|
// 智能連線清理 API
|
||||||
|
// =====================================================
|
||||||
|
|
||||||
|
import { NextRequest, NextResponse } from 'next/server';
|
||||||
|
import { smartConnectionCleaner } from '@/lib/smart-connection-cleaner';
|
||||||
|
|
||||||
|
export async function POST(request: NextRequest) {
|
||||||
|
try {
|
||||||
|
console.log('🧠 收到智能清理請求');
|
||||||
|
|
||||||
|
// 執行智能清理
|
||||||
|
const result = await smartConnectionCleaner.smartCleanup(request);
|
||||||
|
|
||||||
|
return NextResponse.json({
|
||||||
|
success: result.success,
|
||||||
|
message: result.message,
|
||||||
|
data: {
|
||||||
|
killedCount: result.killedCount,
|
||||||
|
details: result.details,
|
||||||
|
timestamp: new Date().toISOString()
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
console.error('❌ 智能清理 API 錯誤:', error);
|
||||||
|
return NextResponse.json({
|
||||||
|
success: false,
|
||||||
|
error: '智能清理失敗',
|
||||||
|
details: error instanceof Error ? error.message : '未知錯誤'
|
||||||
|
}, { status: 500 });
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export async function GET(request: NextRequest) {
|
||||||
|
try {
|
||||||
|
console.log('📊 收到連線統計請求');
|
||||||
|
|
||||||
|
// 獲取連線統計
|
||||||
|
const stats = await smartConnectionCleaner.getConnectionStats();
|
||||||
|
|
||||||
|
return NextResponse.json({
|
||||||
|
success: true,
|
||||||
|
message: '連線統計獲取成功',
|
||||||
|
data: {
|
||||||
|
stats,
|
||||||
|
timestamp: new Date().toISOString()
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
console.error('❌ 連線統計 API 錯誤:', error);
|
||||||
|
return NextResponse.json({
|
||||||
|
success: false,
|
||||||
|
error: '獲取連線統計失敗',
|
||||||
|
details: error instanceof Error ? error.message : '未知錯誤'
|
||||||
|
}, { status: 500 });
|
||||||
|
}
|
||||||
|
}
|
280
app/smart-cleanup-test/page.tsx
Normal file
280
app/smart-cleanup-test/page.tsx
Normal file
@@ -0,0 +1,280 @@
|
|||||||
|
'use client';
|
||||||
|
|
||||||
|
import React, { useState, useEffect } from 'react';
|
||||||
|
import { Button } from '@/components/ui/button';
|
||||||
|
import { Card, CardContent, CardDescription, CardHeader, CardTitle } from '@/components/ui/card';
|
||||||
|
import { Badge } from '@/components/ui/badge';
|
||||||
|
import { Alert, AlertDescription } from '@/components/ui/alert';
|
||||||
|
import { Loader2, Database, CheckCircle, AlertTriangle, RefreshCw, Trash2, BarChart3 } from 'lucide-react';
|
||||||
|
|
||||||
|
interface ConnectionStats {
|
||||||
|
total: number;
|
||||||
|
user: number;
|
||||||
|
infrastructure: number;
|
||||||
|
other: number;
|
||||||
|
details: Array<{
|
||||||
|
id: number;
|
||||||
|
host: string;
|
||||||
|
time: number;
|
||||||
|
state: string;
|
||||||
|
type: 'user' | 'infrastructure' | 'other';
|
||||||
|
}>;
|
||||||
|
}
|
||||||
|
|
||||||
|
interface CleanupResult {
|
||||||
|
success: boolean;
|
||||||
|
message: string;
|
||||||
|
data: {
|
||||||
|
killedCount: number;
|
||||||
|
details: {
|
||||||
|
userRealIP?: string;
|
||||||
|
infrastructureIPs?: string[];
|
||||||
|
cleanedConnections: Array<{
|
||||||
|
id: number;
|
||||||
|
host: string;
|
||||||
|
time: number;
|
||||||
|
state: string;
|
||||||
|
}>;
|
||||||
|
};
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
export default function SmartCleanupTestPage() {
|
||||||
|
const [stats, setStats] = useState<ConnectionStats | null>(null);
|
||||||
|
const [loading, setLoading] = useState(false);
|
||||||
|
const [message, setMessage] = useState<string>('');
|
||||||
|
const [error, setError] = useState<string>('');
|
||||||
|
|
||||||
|
// 獲取連線統計
|
||||||
|
const fetchStats = async () => {
|
||||||
|
try {
|
||||||
|
setLoading(true);
|
||||||
|
const response = await fetch('/api/smart-cleanup');
|
||||||
|
const data = await response.json();
|
||||||
|
|
||||||
|
if (data.success) {
|
||||||
|
setStats(data.data.stats);
|
||||||
|
setMessage('連線統計更新成功');
|
||||||
|
setError('');
|
||||||
|
} else {
|
||||||
|
setError(data.error || '獲取連線統計失敗');
|
||||||
|
}
|
||||||
|
} catch (err) {
|
||||||
|
setError('網路錯誤: ' + (err instanceof Error ? err.message : '未知錯誤'));
|
||||||
|
} finally {
|
||||||
|
setLoading(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// 執行智能清理
|
||||||
|
const performSmartCleanup = async () => {
|
||||||
|
try {
|
||||||
|
setLoading(true);
|
||||||
|
const response = await fetch('/api/smart-cleanup', {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Content-Type': 'application/json',
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const data: CleanupResult = await response.json();
|
||||||
|
|
||||||
|
if (data.success) {
|
||||||
|
setMessage(`智能清理完成: ${data.message}`);
|
||||||
|
setError('');
|
||||||
|
// 重新獲取統計
|
||||||
|
await fetchStats();
|
||||||
|
} else {
|
||||||
|
setError(data.error || '智能清理失敗');
|
||||||
|
}
|
||||||
|
} catch (err) {
|
||||||
|
setError('清理錯誤: ' + (err instanceof Error ? err.message : '未知錯誤'));
|
||||||
|
} finally {
|
||||||
|
setLoading(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// 組件載入時獲取統計
|
||||||
|
useEffect(() => {
|
||||||
|
fetchStats();
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// 獲取類型顏色
|
||||||
|
const getTypeColor = (type: 'user' | 'infrastructure' | 'other') => {
|
||||||
|
switch (type) {
|
||||||
|
case 'user': return 'default';
|
||||||
|
case 'infrastructure': return 'destructive';
|
||||||
|
case 'other': return 'secondary';
|
||||||
|
default: return 'outline';
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// 獲取類型標籤
|
||||||
|
const getTypeLabel = (type: 'user' | 'infrastructure' | 'other') => {
|
||||||
|
switch (type) {
|
||||||
|
case 'user': return '用戶連線';
|
||||||
|
case 'infrastructure': return '基礎設施';
|
||||||
|
case 'other': return '其他';
|
||||||
|
default: return '未知';
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="container mx-auto p-6 space-y-6">
|
||||||
|
<div className="flex items-center justify-between">
|
||||||
|
<div>
|
||||||
|
<h1 className="text-3xl font-bold">智能連線清理測試</h1>
|
||||||
|
<p className="text-muted-foreground">
|
||||||
|
智能識別和清理用戶真實 IP 及基礎設施連線
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div className="flex gap-2">
|
||||||
|
<Button
|
||||||
|
onClick={fetchStats}
|
||||||
|
disabled={loading}
|
||||||
|
variant="outline"
|
||||||
|
>
|
||||||
|
{loading ? <Loader2 className="h-4 w-4 animate-spin" /> : <RefreshCw className="h-4 w-4" />}
|
||||||
|
刷新統計
|
||||||
|
</Button>
|
||||||
|
<Button
|
||||||
|
onClick={performSmartCleanup}
|
||||||
|
disabled={loading}
|
||||||
|
variant="destructive"
|
||||||
|
>
|
||||||
|
{loading ? <Loader2 className="h-4 w-4 animate-spin" /> : <Trash2 className="h-4 w-4" />}
|
||||||
|
智能清理
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* 連線統計概覽 */}
|
||||||
|
{stats && (
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle className="flex items-center gap-2">
|
||||||
|
<BarChart3 className="h-5 w-5" />
|
||||||
|
連線統計概覽
|
||||||
|
</CardTitle>
|
||||||
|
<CardDescription>
|
||||||
|
當前資料庫連線的分類統計
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent>
|
||||||
|
<div className="grid grid-cols-2 md:grid-cols-4 gap-4">
|
||||||
|
<div className="text-center">
|
||||||
|
<div className="text-2xl font-bold">{stats.total}</div>
|
||||||
|
<div className="text-sm text-muted-foreground">總連線數</div>
|
||||||
|
</div>
|
||||||
|
<div className="text-center">
|
||||||
|
<div className="text-2xl font-bold text-blue-600">{stats.user}</div>
|
||||||
|
<div className="text-sm text-muted-foreground">用戶連線</div>
|
||||||
|
</div>
|
||||||
|
<div className="text-center">
|
||||||
|
<div className="text-2xl font-bold text-red-600">{stats.infrastructure}</div>
|
||||||
|
<div className="text-sm text-muted-foreground">基礎設施</div>
|
||||||
|
</div>
|
||||||
|
<div className="text-center">
|
||||||
|
<div className="text-2xl font-bold text-gray-600">{stats.other}</div>
|
||||||
|
<div className="text-sm text-muted-foreground">其他</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* 連線詳情 */}
|
||||||
|
{stats && stats.details.length > 0 && (
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle>連線詳情</CardTitle>
|
||||||
|
<CardDescription>
|
||||||
|
所有連線的詳細信息
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent>
|
||||||
|
<div className="space-y-2 max-h-96 overflow-y-auto">
|
||||||
|
{stats.details.map((conn, index) => (
|
||||||
|
<div key={index} className="flex items-center justify-between p-3 border rounded">
|
||||||
|
<div className="flex items-center gap-3">
|
||||||
|
<Badge variant={getTypeColor(conn.type)}>
|
||||||
|
{getTypeLabel(conn.type)}
|
||||||
|
</Badge>
|
||||||
|
<span className="font-mono text-sm">ID: {conn.id}</span>
|
||||||
|
<span className="text-sm text-muted-foreground">
|
||||||
|
{conn.host}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
<div className="flex items-center gap-3">
|
||||||
|
<span className="text-sm">時間: {conn.time}s</span>
|
||||||
|
<span className="text-sm text-muted-foreground">
|
||||||
|
狀態: {conn.state}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* 功能說明 */}
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle>智能清理功能</CardTitle>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent className="space-y-4">
|
||||||
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
|
||||||
|
<div>
|
||||||
|
<h4 className="font-semibold text-blue-600 mb-2">用戶連線清理</h4>
|
||||||
|
<ul className="text-sm text-muted-foreground space-y-1">
|
||||||
|
<li>• 自動識別你的真實 IP (61-227-253-171)</li>
|
||||||
|
<li>• 清理所有來自你 IP 的連線</li>
|
||||||
|
<li>• 不影響其他用戶的連線</li>
|
||||||
|
<li>• 關閉網站時自動觸發</li>
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<h4 className="font-semibold text-red-600 mb-2">基礎設施連線清理</h4>
|
||||||
|
<ul className="text-sm text-muted-foreground space-y-1">
|
||||||
|
<li>• 識別 AWS EC2 實例連線</li>
|
||||||
|
<li>• 識別 Vercel 服務器連線</li>
|
||||||
|
<li>• 可選清理基礎設施連線</li>
|
||||||
|
<li>• 保護網站正常運行</li>
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
|
||||||
|
{/* 使用說明 */}
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle>使用說明</CardTitle>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent className="space-y-2 text-sm text-muted-foreground">
|
||||||
|
<p>• <strong>刷新統計:</strong> 查看當前所有連線的分類統計</p>
|
||||||
|
<p>• <strong>智能清理:</strong> 自動識別並清理你的真實 IP 連線</p>
|
||||||
|
<p>• <strong>用戶連線:</strong> 來自你真實 IP 的連線,會被優先清理</p>
|
||||||
|
<p>• <strong>基礎設施連線:</strong> Vercel/AWS 服務器連線,通常不清理</p>
|
||||||
|
<p>• <strong>自動觸發:</strong> 關閉網站時會自動執行智能清理</p>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
|
||||||
|
{/* 訊息顯示 */}
|
||||||
|
{message && (
|
||||||
|
<Alert>
|
||||||
|
<CheckCircle className="h-4 w-4" />
|
||||||
|
<AlertDescription>{message}</AlertDescription>
|
||||||
|
</Alert>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{error && (
|
||||||
|
<Alert variant="destructive">
|
||||||
|
<AlertTriangle className="h-4 w-4" />
|
||||||
|
<AlertDescription>{error}</AlertDescription>
|
||||||
|
</Alert>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
313
app/vercel-ip-debug/page.tsx
Normal file
313
app/vercel-ip-debug/page.tsx
Normal file
@@ -0,0 +1,313 @@
|
|||||||
|
'use client';
|
||||||
|
|
||||||
|
import React, { useState, useEffect } from 'react';
|
||||||
|
import { Button } from '@/components/ui/button';
|
||||||
|
import { Card, CardContent, CardDescription, CardHeader, CardTitle } from '@/components/ui/card';
|
||||||
|
import { Badge } from '@/components/ui/badge';
|
||||||
|
import { Alert, AlertDescription } from '@/components/ui/alert';
|
||||||
|
import { Loader2, Database, Eye, RefreshCw, AlertTriangle, CheckCircle } from 'lucide-react';
|
||||||
|
|
||||||
|
interface VercelIPInfo {
|
||||||
|
smartDetection: {
|
||||||
|
detectedIP: string;
|
||||||
|
confidence: 'high' | 'medium' | 'low';
|
||||||
|
source: string;
|
||||||
|
isPublicIP: boolean;
|
||||||
|
allCandidates: string[];
|
||||||
|
isInfrastructureIP?: boolean;
|
||||||
|
isUserRealIP?: boolean;
|
||||||
|
infrastructureIPs?: string[];
|
||||||
|
userRealIPs?: string[];
|
||||||
|
};
|
||||||
|
headers: Record<string, string | null>;
|
||||||
|
nextRequestIP: string | undefined;
|
||||||
|
env: Record<string, string | undefined>;
|
||||||
|
allHeaders: Record<string, string>;
|
||||||
|
}
|
||||||
|
|
||||||
|
export default function VercelIPDebugPage() {
|
||||||
|
const [ipInfo, setIpInfo] = useState<VercelIPInfo | null>(null);
|
||||||
|
const [loading, setLoading] = useState(false);
|
||||||
|
const [message, setMessage] = useState<string>('');
|
||||||
|
const [error, setError] = useState<string>('');
|
||||||
|
|
||||||
|
// 獲取 IP 調試信息
|
||||||
|
const fetchIPInfo = async () => {
|
||||||
|
try {
|
||||||
|
setLoading(true);
|
||||||
|
const response = await fetch('/api/debug-ip');
|
||||||
|
const data = await response.json();
|
||||||
|
|
||||||
|
if (data.success) {
|
||||||
|
setIpInfo(data.data);
|
||||||
|
|
||||||
|
if (data.data.smartDetection) {
|
||||||
|
const smartDetection = data.data.smartDetection;
|
||||||
|
setMessage(`Vercel IP 偵測結果: ${smartDetection.detectedIP} (可信度: ${smartDetection.confidence}, 來源: ${smartDetection.source})`);
|
||||||
|
} else {
|
||||||
|
setMessage('IP 調試信息更新成功');
|
||||||
|
}
|
||||||
|
setError('');
|
||||||
|
} else {
|
||||||
|
setError(data.error || '獲取 IP 調試信息失敗');
|
||||||
|
}
|
||||||
|
} catch (err) {
|
||||||
|
setError('網路錯誤: ' + (err instanceof Error ? err.message : '未知錯誤'));
|
||||||
|
} finally {
|
||||||
|
setLoading(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// 組件載入時獲取 IP 信息
|
||||||
|
useEffect(() => {
|
||||||
|
fetchIPInfo();
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
// 檢查是否為基礎設施 IP
|
||||||
|
const isInfrastructureIP = (ip: string): boolean => {
|
||||||
|
if (!ip) return false;
|
||||||
|
return ip.includes('ec2-') && ip.includes('.amazonaws.com');
|
||||||
|
};
|
||||||
|
|
||||||
|
// 檢查是否為用戶真實 IP
|
||||||
|
const isUserRealIP = (ip: string): boolean => {
|
||||||
|
if (!ip || ip === 'unknown') return false;
|
||||||
|
return !isInfrastructureIP(ip) && ip !== '::1' && ip !== '127.0.0.1';
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="container mx-auto p-6 space-y-6">
|
||||||
|
<div className="flex items-center justify-between">
|
||||||
|
<div>
|
||||||
|
<h1 className="text-3xl font-bold">Vercel IP 調試工具</h1>
|
||||||
|
<p className="text-muted-foreground">
|
||||||
|
專門用於調試 Vercel 部署環境中的 IP 偵測問題
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<Button
|
||||||
|
onClick={fetchIPInfo}
|
||||||
|
disabled={loading}
|
||||||
|
variant="outline"
|
||||||
|
>
|
||||||
|
{loading ? <Loader2 className="h-4 w-4 animate-spin" /> : <RefreshCw className="h-4 w-4" />}
|
||||||
|
重新整理
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* 智能偵測結果 */}
|
||||||
|
{ipInfo?.smartDetection && (
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle className="flex items-center gap-2">
|
||||||
|
<Eye className="h-5 w-5" />
|
||||||
|
智能 IP 偵測結果
|
||||||
|
</CardTitle>
|
||||||
|
<CardDescription>
|
||||||
|
系統智能偵測的客戶端 IP 地址(已過濾基礎設施 IP)
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent className="space-y-4">
|
||||||
|
<div className="flex items-center gap-4">
|
||||||
|
<Badge
|
||||||
|
variant={
|
||||||
|
isUserRealIP(ipInfo.smartDetection.detectedIP) ? "default" :
|
||||||
|
isInfrastructureIP(ipInfo.smartDetection.detectedIP) ? "destructive" : "secondary"
|
||||||
|
}
|
||||||
|
className="text-lg px-3 py-1"
|
||||||
|
>
|
||||||
|
{ipInfo.smartDetection.detectedIP}
|
||||||
|
</Badge>
|
||||||
|
<Badge
|
||||||
|
variant={
|
||||||
|
ipInfo.smartDetection.confidence === 'high' ? "default" :
|
||||||
|
ipInfo.smartDetection.confidence === 'medium' ? "secondary" : "destructive"
|
||||||
|
}
|
||||||
|
className="text-lg px-3 py-1"
|
||||||
|
>
|
||||||
|
可信度: {ipInfo.smartDetection.confidence}
|
||||||
|
</Badge>
|
||||||
|
<Badge variant="outline" className="text-lg px-3 py-1">
|
||||||
|
來源: {ipInfo.smartDetection.source}
|
||||||
|
</Badge>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
|
||||||
|
<div>
|
||||||
|
<p className="text-sm font-medium mb-2">用戶真實 IP:</p>
|
||||||
|
<div className="flex flex-wrap gap-2">
|
||||||
|
{ipInfo.smartDetection.userRealIPs?.map((ip, index) => (
|
||||||
|
<Badge
|
||||||
|
key={index}
|
||||||
|
variant="default"
|
||||||
|
className="text-sm"
|
||||||
|
>
|
||||||
|
{ip}
|
||||||
|
</Badge>
|
||||||
|
)) || <span className="text-muted-foreground text-sm">無</span>}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<p className="text-sm font-medium mb-2">基礎設施 IP (已過濾):</p>
|
||||||
|
<div className="flex flex-wrap gap-2">
|
||||||
|
{ipInfo.smartDetection.infrastructureIPs?.map((ip, index) => (
|
||||||
|
<Badge
|
||||||
|
key={index}
|
||||||
|
variant="destructive"
|
||||||
|
className="text-sm"
|
||||||
|
>
|
||||||
|
{ip}
|
||||||
|
</Badge>
|
||||||
|
)) || <span className="text-muted-foreground text-sm">無</span>}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* 請求標頭分析 */}
|
||||||
|
{ipInfo && (
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle>請求標頭分析</CardTitle>
|
||||||
|
<CardDescription>
|
||||||
|
分析各種 HTTP 標頭中的 IP 信息
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent>
|
||||||
|
<div className="space-y-4">
|
||||||
|
{Object.entries(ipInfo.headers).map(([key, value]) => {
|
||||||
|
if (!value) return null;
|
||||||
|
|
||||||
|
const isInfra = isInfrastructureIP(value);
|
||||||
|
const isUser = isUserRealIP(value);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div key={key} className="flex items-center justify-between p-3 border rounded">
|
||||||
|
<div className="flex-1">
|
||||||
|
<span className="font-medium text-sm">{key}:</span>
|
||||||
|
<div className="mt-1">
|
||||||
|
<Badge
|
||||||
|
variant={
|
||||||
|
isUser ? "default" :
|
||||||
|
isInfra ? "destructive" : "outline"
|
||||||
|
}
|
||||||
|
className="text-sm"
|
||||||
|
>
|
||||||
|
{value}
|
||||||
|
</Badge>
|
||||||
|
<div className="flex gap-2 mt-1">
|
||||||
|
{isUser && <Badge variant="default" className="text-xs">用戶真實 IP</Badge>}
|
||||||
|
{isInfra && <Badge variant="destructive" className="text-xs">基礎設施 IP</Badge>}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* 環境信息 */}
|
||||||
|
{ipInfo && (
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle>部署環境信息</CardTitle>
|
||||||
|
<CardDescription>
|
||||||
|
Vercel 部署環境相關信息
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent>
|
||||||
|
<div className="space-y-2">
|
||||||
|
{Object.entries(ipInfo.env).map(([key, value]) => (
|
||||||
|
<div key={key} className="flex items-center justify-between p-2 border rounded">
|
||||||
|
<span className="font-medium text-sm">{key}:</span>
|
||||||
|
<span className="text-sm text-muted-foreground">
|
||||||
|
{value || 'undefined'}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* 問題診斷 */}
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle className="flex items-center gap-2">
|
||||||
|
<AlertTriangle className="h-5 w-5" />
|
||||||
|
問題診斷
|
||||||
|
</CardTitle>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent className="space-y-4">
|
||||||
|
{ipInfo?.smartDetection && (
|
||||||
|
<>
|
||||||
|
{isInfrastructureIP(ipInfo.smartDetection.detectedIP) && (
|
||||||
|
<Alert variant="destructive">
|
||||||
|
<AlertTriangle className="h-4 w-4" />
|
||||||
|
<AlertDescription>
|
||||||
|
<strong>問題:</strong> 偵測到的是 Vercel/AWS 基礎設施 IP,不是用戶真實 IP。
|
||||||
|
<br />
|
||||||
|
<strong>解決方案:</strong> 檢查 x-forwarded-for 標頭中是否包含用戶真實 IP。
|
||||||
|
</AlertDescription>
|
||||||
|
</Alert>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{isUserRealIP(ipInfo.smartDetection.detectedIP) && (
|
||||||
|
<Alert>
|
||||||
|
<CheckCircle className="h-4 w-4" />
|
||||||
|
<AlertDescription>
|
||||||
|
<strong>正常:</strong> 成功偵測到用戶真實 IP。
|
||||||
|
</AlertDescription>
|
||||||
|
</Alert>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{!isUserRealIP(ipInfo.smartDetection.detectedIP) && !isInfrastructureIP(ipInfo.smartDetection.detectedIP) && (
|
||||||
|
<Alert variant="destructive">
|
||||||
|
<AlertTriangle className="h-4 w-4" />
|
||||||
|
<AlertDescription>
|
||||||
|
<strong>問題:</strong> 無法偵測到有效的用戶 IP。
|
||||||
|
<br />
|
||||||
|
<strong>可能原因:</strong> 代理配置問題或網路環境限制。
|
||||||
|
</AlertDescription>
|
||||||
|
</Alert>
|
||||||
|
)}
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
|
||||||
|
{/* 使用說明 */}
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle>使用說明</CardTitle>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent className="space-y-2 text-sm text-muted-foreground">
|
||||||
|
<p>• <strong>基礎設施 IP:</strong> Vercel/AWS 的服務器 IP,不是用戶真實 IP</p>
|
||||||
|
<p>• <strong>用戶真實 IP:</strong> 實際訪問網站的用戶 IP 地址</p>
|
||||||
|
<p>• <strong>x-forwarded-for:</strong> 通常包含用戶真實 IP,格式為 "用戶IP,代理IP"</p>
|
||||||
|
<p>• <strong>問題排查:</strong> 如果偵測到基礎設施 IP,檢查代理配置</p>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
|
||||||
|
{/* 訊息顯示 */}
|
||||||
|
{message && (
|
||||||
|
<Alert>
|
||||||
|
<Database className="h-4 w-4" />
|
||||||
|
<AlertDescription>{message}</AlertDescription>
|
||||||
|
</Alert>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{error && (
|
||||||
|
<Alert variant="destructive">
|
||||||
|
<Eye className="h-4 w-4" />
|
||||||
|
<AlertDescription>{error}</AlertDescription>
|
||||||
|
</Alert>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
280
lib/smart-connection-cleaner.ts
Normal file
280
lib/smart-connection-cleaner.ts
Normal file
@@ -0,0 +1,280 @@
|
|||||||
|
// =====================================================
|
||||||
|
// 智能連線清理器
|
||||||
|
// =====================================================
|
||||||
|
|
||||||
|
import mysql from 'mysql2/promise';
|
||||||
|
import { db } from './database';
|
||||||
|
import { smartIPDetector } from './smart-ip-detector';
|
||||||
|
import { NextRequest } from 'next/server';
|
||||||
|
|
||||||
|
export interface CleanupResult {
|
||||||
|
success: boolean;
|
||||||
|
killedCount: number;
|
||||||
|
message: string;
|
||||||
|
details: {
|
||||||
|
userRealIP?: string;
|
||||||
|
infrastructureIPs?: string[];
|
||||||
|
cleanedConnections: Array<{
|
||||||
|
id: number;
|
||||||
|
host: string;
|
||||||
|
time: number;
|
||||||
|
state: string;
|
||||||
|
}>;
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
export class SmartConnectionCleaner {
|
||||||
|
private static instance: SmartConnectionCleaner;
|
||||||
|
|
||||||
|
public static getInstance(): SmartConnectionCleaner {
|
||||||
|
if (!SmartConnectionCleaner.instance) {
|
||||||
|
SmartConnectionCleaner.instance = new SmartConnectionCleaner();
|
||||||
|
}
|
||||||
|
return SmartConnectionCleaner.instance;
|
||||||
|
}
|
||||||
|
|
||||||
|
// 智能清理連線
|
||||||
|
public async smartCleanup(request: NextRequest): Promise<CleanupResult> {
|
||||||
|
try {
|
||||||
|
// 1. 使用智能 IP 偵測器獲取真實 IP
|
||||||
|
const ipDetection = smartIPDetector.detectClientIP(request);
|
||||||
|
const userRealIP = ipDetection.detectedIP;
|
||||||
|
|
||||||
|
console.log('🧠 智能清理開始:', {
|
||||||
|
detectedIP: userRealIP,
|
||||||
|
confidence: ipDetection.confidence,
|
||||||
|
source: ipDetection.source,
|
||||||
|
isUserRealIP: ipDetection.isUserRealIP,
|
||||||
|
infrastructureIPs: ipDetection.infrastructureIPs
|
||||||
|
});
|
||||||
|
|
||||||
|
// 2. 建立資料庫連線
|
||||||
|
const connection = await db.getConnection();
|
||||||
|
let killedCount = 0;
|
||||||
|
const cleanedConnections: Array<{
|
||||||
|
id: number;
|
||||||
|
host: string;
|
||||||
|
time: number;
|
||||||
|
state: string;
|
||||||
|
}> = [];
|
||||||
|
|
||||||
|
try {
|
||||||
|
// 3. 獲取所有相關連線
|
||||||
|
const [allConnections] = await connection.execute(`
|
||||||
|
SELECT ID, USER, HOST, DB, COMMAND, TIME, STATE, INFO
|
||||||
|
FROM information_schema.PROCESSLIST
|
||||||
|
WHERE USER = ?
|
||||||
|
ORDER BY TIME DESC
|
||||||
|
`, [process.env.DB_USER || 'A999']);
|
||||||
|
|
||||||
|
console.log(`🔍 找到 ${allConnections.length} 個總連線`);
|
||||||
|
|
||||||
|
// 4. 分類連線
|
||||||
|
const userConnections = allConnections.filter((conn: any) =>
|
||||||
|
this.isUserConnection(conn.HOST, userRealIP)
|
||||||
|
);
|
||||||
|
|
||||||
|
const infrastructureConnections = allConnections.filter((conn: any) =>
|
||||||
|
this.isInfrastructureConnection(conn.HOST)
|
||||||
|
);
|
||||||
|
|
||||||
|
console.log(`👤 用戶連線: ${userConnections.length} 個`);
|
||||||
|
console.log(`🏗️ 基礎設施連線: ${infrastructureConnections.length} 個`);
|
||||||
|
|
||||||
|
// 5. 清理用戶連線(優先)
|
||||||
|
if (userConnections.length > 0) {
|
||||||
|
console.log(`🧹 開始清理用戶連線 (IP: ${userRealIP})`);
|
||||||
|
|
||||||
|
for (const conn of userConnections) {
|
||||||
|
if (conn.ID !== connection.threadId) {
|
||||||
|
try {
|
||||||
|
await connection.execute(`KILL ${conn.ID}`);
|
||||||
|
console.log(`💀 已殺死用戶連線 ${conn.ID} (HOST: ${conn.HOST})`);
|
||||||
|
killedCount++;
|
||||||
|
cleanedConnections.push({
|
||||||
|
id: conn.ID,
|
||||||
|
host: conn.HOST,
|
||||||
|
time: conn.TIME,
|
||||||
|
state: conn.STATE || 'Sleep'
|
||||||
|
});
|
||||||
|
} catch (error: any) {
|
||||||
|
console.log(`⚠️ 無法殺死用戶連線 ${conn.ID}: ${error.message}`);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 6. 清理基礎設施連線(可選,根據配置)
|
||||||
|
const shouldCleanInfrastructure = process.env.CLEAN_INFRASTRUCTURE_CONNECTIONS === 'true';
|
||||||
|
|
||||||
|
if (shouldCleanInfrastructure && infrastructureConnections.length > 0) {
|
||||||
|
console.log(`🧹 開始清理基礎設施連線`);
|
||||||
|
|
||||||
|
for (const conn of infrastructureConnections) {
|
||||||
|
if (conn.ID !== connection.threadId) {
|
||||||
|
try {
|
||||||
|
await connection.execute(`KILL ${conn.ID}`);
|
||||||
|
console.log(`💀 已殺死基礎設施連線 ${conn.ID} (HOST: ${conn.HOST})`);
|
||||||
|
killedCount++;
|
||||||
|
cleanedConnections.push({
|
||||||
|
id: conn.ID,
|
||||||
|
host: conn.HOST,
|
||||||
|
time: conn.TIME,
|
||||||
|
state: conn.STATE || 'Sleep'
|
||||||
|
});
|
||||||
|
} catch (error: any) {
|
||||||
|
console.log(`⚠️ 無法殺死基礎設施連線 ${conn.ID}: ${error.message}`);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log(`✅ 智能清理完成: 共清理 ${killedCount} 個連線`);
|
||||||
|
|
||||||
|
return {
|
||||||
|
success: true,
|
||||||
|
killedCount,
|
||||||
|
message: `智能清理完成: 共清理 ${killedCount} 個連線`,
|
||||||
|
details: {
|
||||||
|
userRealIP: userRealIP !== 'unknown' ? userRealIP : undefined,
|
||||||
|
infrastructureIPs: ipDetection.infrastructureIPs,
|
||||||
|
cleanedConnections
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
} finally {
|
||||||
|
connection.release();
|
||||||
|
}
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
console.error('❌ 智能清理失敗:', error);
|
||||||
|
return {
|
||||||
|
success: false,
|
||||||
|
killedCount: 0,
|
||||||
|
message: `智能清理失敗: ${error instanceof Error ? error.message : '未知錯誤'}`,
|
||||||
|
details: {
|
||||||
|
cleanedConnections: []
|
||||||
|
}
|
||||||
|
};
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 檢查是否為用戶連線
|
||||||
|
private isUserConnection(host: string, userIP: string): boolean {
|
||||||
|
if (!host || !userIP || userIP === 'unknown') return false;
|
||||||
|
|
||||||
|
// 直接匹配用戶 IP
|
||||||
|
if (host.includes(userIP)) return true;
|
||||||
|
|
||||||
|
// 匹配用戶 IP 的變體格式
|
||||||
|
const ipVariants = [
|
||||||
|
userIP,
|
||||||
|
userIP.replace(/\./g, '-'), // 61.227.253.171 -> 61-227-253-171
|
||||||
|
userIP.replace(/\./g, '_'), // 61.227.253.171 -> 61_227_253_171
|
||||||
|
];
|
||||||
|
|
||||||
|
return ipVariants.some(variant => host.includes(variant));
|
||||||
|
}
|
||||||
|
|
||||||
|
// 檢查是否為基礎設施連線
|
||||||
|
private isInfrastructureConnection(host: string): boolean {
|
||||||
|
if (!host) return false;
|
||||||
|
|
||||||
|
// AWS EC2 實例
|
||||||
|
if (host.includes('ec2-') && host.includes('.amazonaws.com')) return true;
|
||||||
|
|
||||||
|
// 其他基礎設施模式
|
||||||
|
const infrastructurePatterns = [
|
||||||
|
'.amazonaws.com',
|
||||||
|
'.vercel.app',
|
||||||
|
'vercel',
|
||||||
|
'cloudflare',
|
||||||
|
'fastly.com',
|
||||||
|
'cloudfront.net'
|
||||||
|
];
|
||||||
|
|
||||||
|
return infrastructurePatterns.some(pattern => host.includes(pattern));
|
||||||
|
}
|
||||||
|
|
||||||
|
// 獲取連線統計
|
||||||
|
public async getConnectionStats(): Promise<{
|
||||||
|
total: number;
|
||||||
|
user: number;
|
||||||
|
infrastructure: number;
|
||||||
|
other: number;
|
||||||
|
details: Array<{
|
||||||
|
id: number;
|
||||||
|
host: string;
|
||||||
|
time: number;
|
||||||
|
state: string;
|
||||||
|
type: 'user' | 'infrastructure' | 'other';
|
||||||
|
}>;
|
||||||
|
}> {
|
||||||
|
try {
|
||||||
|
const connection = await db.getConnection();
|
||||||
|
|
||||||
|
try {
|
||||||
|
const [connections] = await connection.execute(`
|
||||||
|
SELECT ID, USER, HOST, DB, COMMAND, TIME, STATE, INFO
|
||||||
|
FROM information_schema.PROCESSLIST
|
||||||
|
WHERE USER = ?
|
||||||
|
ORDER BY TIME DESC
|
||||||
|
`, [process.env.DB_USER || 'A999']);
|
||||||
|
|
||||||
|
const stats = {
|
||||||
|
total: connections.length,
|
||||||
|
user: 0,
|
||||||
|
infrastructure: 0,
|
||||||
|
other: 0,
|
||||||
|
details: [] as Array<{
|
||||||
|
id: number;
|
||||||
|
host: string;
|
||||||
|
time: number;
|
||||||
|
state: string;
|
||||||
|
type: 'user' | 'infrastructure' | 'other';
|
||||||
|
}>
|
||||||
|
};
|
||||||
|
|
||||||
|
for (const conn of connections) {
|
||||||
|
let type: 'user' | 'infrastructure' | 'other' = 'other';
|
||||||
|
|
||||||
|
if (this.isInfrastructureConnection(conn.HOST)) {
|
||||||
|
type = 'infrastructure';
|
||||||
|
stats.infrastructure++;
|
||||||
|
} else if (this.isUserConnection(conn.HOST, 'unknown')) {
|
||||||
|
type = 'user';
|
||||||
|
stats.user++;
|
||||||
|
} else {
|
||||||
|
stats.other++;
|
||||||
|
}
|
||||||
|
|
||||||
|
stats.details.push({
|
||||||
|
id: conn.ID,
|
||||||
|
host: conn.HOST,
|
||||||
|
time: conn.TIME,
|
||||||
|
state: conn.STATE || 'Sleep',
|
||||||
|
type
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
return stats;
|
||||||
|
|
||||||
|
} finally {
|
||||||
|
connection.release();
|
||||||
|
}
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
console.error('❌ 獲取連線統計失敗:', error);
|
||||||
|
return {
|
||||||
|
total: 0,
|
||||||
|
user: 0,
|
||||||
|
infrastructure: 0,
|
||||||
|
other: 0,
|
||||||
|
details: []
|
||||||
|
};
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 導出單例實例
|
||||||
|
export const smartConnectionCleaner = SmartConnectionCleaner.getInstance();
|
@@ -43,6 +43,51 @@ export class SmartIPDetector {
|
|||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 檢查是否為基礎設施 IP(Vercel、AWS、Cloudflare 等)
|
||||||
|
private isInfrastructureIP(ip: string): boolean {
|
||||||
|
if (!ip) return false;
|
||||||
|
|
||||||
|
// Vercel/AWS EC2 實例
|
||||||
|
if (ip.includes('ec2-') && ip.includes('.compute-1.amazonaws.com')) return true;
|
||||||
|
if (ip.includes('ec2-') && ip.includes('.amazonaws.com')) return true;
|
||||||
|
|
||||||
|
// AWS 其他服務
|
||||||
|
if (ip.includes('.amazonaws.com')) return true;
|
||||||
|
|
||||||
|
// Vercel 相關
|
||||||
|
if (ip.includes('vercel')) return true;
|
||||||
|
|
||||||
|
// Cloudflare 相關(但 cf-connecting-ip 是我們想要的)
|
||||||
|
if (ip.includes('cloudflare') && !ip.includes('cf-connecting-ip')) return true;
|
||||||
|
|
||||||
|
// 其他常見的 CDN/代理服務
|
||||||
|
const infrastructurePatterns = [
|
||||||
|
'fastly.com',
|
||||||
|
'cloudfront.net',
|
||||||
|
'akamai.net',
|
||||||
|
'maxcdn.com',
|
||||||
|
'keycdn.com'
|
||||||
|
];
|
||||||
|
|
||||||
|
return infrastructurePatterns.some(pattern => ip.includes(pattern));
|
||||||
|
}
|
||||||
|
|
||||||
|
// 檢查是否為用戶真實 IP
|
||||||
|
private isUserRealIP(ip: string): boolean {
|
||||||
|
if (!ip || ip === 'unknown') return false;
|
||||||
|
|
||||||
|
// 不是基礎設施 IP
|
||||||
|
if (this.isInfrastructureIP(ip)) return false;
|
||||||
|
|
||||||
|
// 是公網 IP
|
||||||
|
if (!this.isPublicIP(ip)) return false;
|
||||||
|
|
||||||
|
// 是有效的 IP 格式
|
||||||
|
if (!this.isValidIP(ip)) return false;
|
||||||
|
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
// 從 x-forwarded-for 解析 IP
|
// 從 x-forwarded-for 解析 IP
|
||||||
private parseForwardedFor(forwarded: string): string[] {
|
private parseForwardedFor(forwarded: string): string[] {
|
||||||
if (!forwarded) return [];
|
if (!forwarded) return [];
|
||||||
@@ -111,20 +156,20 @@ export class SmartIPDetector {
|
|||||||
let confidence: 'high' | 'medium' | 'low' = 'low';
|
let confidence: 'high' | 'medium' | 'low' = 'low';
|
||||||
let source = 'unknown';
|
let source = 'unknown';
|
||||||
|
|
||||||
// 優先級 1: Cloudflare IP (最高可信度)
|
// 優先級 1: Cloudflare IP (最高可信度) - 但要是用戶真實 IP
|
||||||
const cfIP = uniqueCandidates.find(ip => sources[ip] === 'cf-connecting-ip');
|
const cfIP = uniqueCandidates.find(ip => sources[ip] === 'cf-connecting-ip');
|
||||||
if (cfIP && this.isPublicIP(cfIP)) {
|
if (cfIP && this.isUserRealIP(cfIP)) {
|
||||||
selectedIP = cfIP;
|
selectedIP = cfIP;
|
||||||
confidence = 'high';
|
confidence = 'high';
|
||||||
source = 'cf-connecting-ip';
|
source = 'cf-connecting-ip';
|
||||||
}
|
}
|
||||||
|
|
||||||
// 優先級 2: 其他代理標頭中的公網 IP
|
// 優先級 2: 其他代理標頭中的用戶真實 IP
|
||||||
if (selectedIP === 'unknown') {
|
if (selectedIP === 'unknown') {
|
||||||
const proxyHeaders = ['x-real-ip', 'x-client-ip', 'x-cluster-client-ip'];
|
const proxyHeaders = ['x-real-ip', 'x-client-ip', 'x-cluster-client-ip'];
|
||||||
for (const header of proxyHeaders) {
|
for (const header of proxyHeaders) {
|
||||||
const ip = uniqueCandidates.find(candidate => sources[candidate] === header);
|
const ip = uniqueCandidates.find(candidate => sources[candidate] === header);
|
||||||
if (ip && this.isPublicIP(ip)) {
|
if (ip && this.isUserRealIP(ip)) {
|
||||||
selectedIP = ip;
|
selectedIP = ip;
|
||||||
confidence = 'high';
|
confidence = 'high';
|
||||||
source = header;
|
source = header;
|
||||||
@@ -133,32 +178,45 @@ export class SmartIPDetector {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// 優先級 3: x-forwarded-for 中的第一個公網 IP
|
// 優先級 3: x-forwarded-for 中的第一個用戶真實 IP
|
||||||
if (selectedIP === 'unknown') {
|
if (selectedIP === 'unknown') {
|
||||||
const forwardedIPs = uniqueCandidates.filter(ip => sources[ip] === 'x-forwarded-for');
|
const forwardedIPs = uniqueCandidates.filter(ip => sources[ip] === 'x-forwarded-for');
|
||||||
const publicForwardedIP = forwardedIPs.find(ip => this.isPublicIP(ip));
|
const userRealIP = forwardedIPs.find(ip => this.isUserRealIP(ip));
|
||||||
if (publicForwardedIP) {
|
if (userRealIP) {
|
||||||
selectedIP = publicForwardedIP;
|
selectedIP = userRealIP;
|
||||||
confidence = 'medium';
|
confidence = 'medium';
|
||||||
source = 'x-forwarded-for';
|
source = 'x-forwarded-for';
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// 優先級 4: 任何公網 IP
|
// 優先級 4: 任何用戶真實 IP
|
||||||
if (selectedIP === 'unknown') {
|
if (selectedIP === 'unknown') {
|
||||||
const publicIP = uniqueCandidates.find(ip => this.isPublicIP(ip));
|
const userRealIP = uniqueCandidates.find(ip => this.isUserRealIP(ip));
|
||||||
|
if (userRealIP) {
|
||||||
|
selectedIP = userRealIP;
|
||||||
|
confidence = 'medium';
|
||||||
|
source = sources[userRealIP] || 'unknown';
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// 優先級 5: 任何公網 IP(非基礎設施)
|
||||||
|
if (selectedIP === 'unknown') {
|
||||||
|
const publicIP = uniqueCandidates.find(ip =>
|
||||||
|
this.isPublicIP(ip) && !this.isInfrastructureIP(ip)
|
||||||
|
);
|
||||||
if (publicIP) {
|
if (publicIP) {
|
||||||
selectedIP = publicIP;
|
selectedIP = publicIP;
|
||||||
confidence = 'medium';
|
confidence = 'low';
|
||||||
source = sources[publicIP] || 'unknown';
|
source = sources[publicIP] || 'unknown';
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// 優先級 5: 任何非本地 IP
|
// 優先級 6: 任何非本地 IP(非基礎設施)
|
||||||
if (selectedIP === 'unknown') {
|
if (selectedIP === 'unknown') {
|
||||||
const nonLocalIP = uniqueCandidates.find(ip =>
|
const nonLocalIP = uniqueCandidates.find(ip =>
|
||||||
ip !== '::1' && ip !== '127.0.0.1' && !ip.startsWith('192.168.') &&
|
ip !== '::1' && ip !== '127.0.0.1' &&
|
||||||
!ip.startsWith('10.') && !ip.startsWith('172.')
|
!ip.startsWith('192.168.') && !ip.startsWith('10.') && !ip.startsWith('172.') &&
|
||||||
|
!this.isInfrastructureIP(ip)
|
||||||
);
|
);
|
||||||
if (nonLocalIP) {
|
if (nonLocalIP) {
|
||||||
selectedIP = nonLocalIP;
|
selectedIP = nonLocalIP;
|
||||||
@@ -167,7 +225,7 @@ export class SmartIPDetector {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// 優先級 6: 第一個候選 IP
|
// 優先級 7: 第一個候選 IP(最後選擇)
|
||||||
if (selectedIP === 'unknown' && uniqueCandidates.length > 0) {
|
if (selectedIP === 'unknown' && uniqueCandidates.length > 0) {
|
||||||
selectedIP = uniqueCandidates[0];
|
selectedIP = uniqueCandidates[0];
|
||||||
confidence = 'low';
|
confidence = 'low';
|
||||||
@@ -182,7 +240,13 @@ export class SmartIPDetector {
|
|||||||
isPublicIP: this.isPublicIP(selectedIP)
|
isPublicIP: this.isPublicIP(selectedIP)
|
||||||
};
|
};
|
||||||
|
|
||||||
console.log('🎯 IP 偵測結果:', result);
|
console.log('🎯 IP 偵測結果:', {
|
||||||
|
...result,
|
||||||
|
isInfrastructureIP: this.isInfrastructureIP(selectedIP),
|
||||||
|
isUserRealIP: this.isUserRealIP(selectedIP),
|
||||||
|
infrastructureIPs: uniqueCandidates.filter(ip => this.isInfrastructureIP(ip)),
|
||||||
|
userRealIPs: uniqueCandidates.filter(ip => this.isUserRealIP(ip))
|
||||||
|
});
|
||||||
|
|
||||||
return result;
|
return result;
|
||||||
}
|
}
|
||||||
|
Reference in New Issue
Block a user