snp-connection-monitoring/frontend/src/components/ApiKeyRequestModal.tsx
HYOJIN a5e8e6d516 feat(api-hub): API 신청함 기능 및 신청 모달 공통화 (#47)
- API 신청함(BasketContext) + 플로팅 패널 구현
- ApiKeyRequestModal 공통 컴포넌트 추출 (API 선택 트리 포함)
- 신청함 도메인별 분류 + 라벨 표시
- 도메인 상세 담기/빼기 버튼 스타일 통일

Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
2026-04-15 10:39:08 +09:00

426 lines
20 KiB
TypeScript

import { useState, useEffect, useMemo } from 'react';
import { createKeyRequest } from '../services/apiKeyService';
import { getCatalog } from '../services/apiHubService';
import type { ServiceCatalog } from '../types/apihub';
interface ApiKeyRequestModalProps {
isOpen: boolean;
onClose: () => void;
initialApiIds: number[];
initialApiNames?: string[];
onSuccess?: () => void;
}
const ApiKeyRequestModal = ({ isOpen, onClose, initialApiIds, onSuccess }: ApiKeyRequestModalProps) => {
const [keyName, setKeyName] = useState('');
const [purpose, setPurpose] = useState('');
const [serviceIp, setServiceIp] = useState('');
const [servicePurpose, setServicePurpose] = useState('');
const [dailyEstimate, setDailyEstimate] = useState('');
const [periodMode, setPeriodMode] = useState<'preset' | 'custom'>('preset');
const [isPermanent, setIsPermanent] = useState(false);
const [fromDate, setFromDate] = useState('');
const [toDate, setToDate] = useState('');
const [isSubmitting, setIsSubmitting] = useState(false);
const [error, setError] = useState<string | null>(null);
const [success, setSuccess] = useState(false);
const [selectedApiIds, setSelectedApiIds] = useState<Set<number>>(new Set());
const [catalog, setCatalog] = useState<ServiceCatalog[]>([]);
const [expandedDomains, setExpandedDomains] = useState<Set<string>>(new Set());
const [apiSearch, setApiSearch] = useState('');
useEffect(() => {
if (isOpen) {
setKeyName('');
setPurpose('');
setServiceIp('');
setServicePurpose('');
setDailyEstimate('');
setPeriodMode('preset');
setIsPermanent(false);
setFromDate('');
setToDate('');
setError(null);
setSuccess(false);
setSelectedApiIds(new Set(initialApiIds));
setApiSearch('');
// 초기 API의 도메인을 펼침
if (catalog.length > 0) {
const domains = new Set<string>();
for (const svc of catalog) {
for (const dg of svc.domains) {
if (dg.apis.some((a) => initialApiIds.includes(a.apiId))) {
domains.add(formatDomainKey(dg.domain));
}
}
}
setExpandedDomains(domains);
}
if (catalog.length === 0) {
getCatalog().then((res) => {
if (res.data) setCatalog(res.data);
});
}
}
}, [isOpen]);
const formatDomainKey = (d: string) => (/^[a-zA-Z\s\-_]+$/.test(d) ? d.toUpperCase() : d);
// 카탈로그에서 도메인 기준 플랫 그룹
const domainGroups = useMemo(() => {
const map = new Map<string, { apiId: number; apiName: string }[]>();
for (const svc of catalog) {
for (const dg of svc.domains) {
const key = formatDomainKey(dg.domain);
const existing = map.get(key) ?? [];
for (const a of dg.apis) {
if (!existing.some((e) => e.apiId === a.apiId)) {
if (!apiSearch.trim() || a.apiName.toLowerCase().includes(apiSearch.toLowerCase())) {
existing.push({ apiId: a.apiId, apiName: a.apiName });
}
}
}
if (existing.length > 0) map.set(key, existing);
}
}
return Array.from(map.entries());
}, [catalog, apiSearch]);
const handlePresetPeriod = (months: number) => {
const from = new Date();
const to = new Date();
to.setMonth(to.getMonth() + months);
setFromDate(from.toISOString().split('T')[0]);
setToDate(to.toISOString().split('T')[0]);
setPeriodMode('preset');
setIsPermanent(false);
};
const handlePermanent = () => {
setIsPermanent(true);
setFromDate('');
setToDate('');
};
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault();
if (selectedApiIds.size === 0) {
setError('최소 하나의 API를 선택해주세요.');
return;
}
if (!isPermanent && (!fromDate || !toDate)) {
setError('사용 기간을 설정해주세요.');
return;
}
setError(null);
setIsSubmitting(true);
try {
const res = await createKeyRequest({
keyName,
purpose: purpose || undefined,
requestedApiIds: Array.from(selectedApiIds),
serviceIp: serviceIp || undefined,
servicePurpose: servicePurpose || undefined,
dailyRequestEstimate: dailyEstimate ? Number(dailyEstimate) : undefined,
usageFromDate: isPermanent ? undefined : fromDate,
usageToDate: isPermanent ? undefined : toDate,
});
if (res.success) {
setSuccess(true);
setTimeout(() => {
onClose();
onSuccess?.();
}, 2000);
} else {
setError(res.message || 'API Key 신청에 실패했습니다.');
}
} catch {
setError('API Key 신청에 실패했습니다.');
} finally {
setIsSubmitting(false);
}
};
if (!isOpen) return null;
return (
<div
className="fixed inset-0 bg-black/50 z-50 flex items-center justify-center p-4"
onClick={(e) => { if (e.target === e.currentTarget) onClose(); }}
>
<div className="bg-white dark:bg-gray-800 rounded-xl shadow-xl w-full max-w-2xl max-h-[90vh] overflow-y-auto">
{/* 헤더 */}
<div className="flex items-center justify-between px-6 py-4 border-b border-gray-200 dark:border-gray-700">
<h2 className="text-lg font-bold text-gray-900 dark:text-gray-100">API </h2>
<button
type="button"
onClick={onClose}
className="text-gray-400 hover:text-gray-600 dark:hover:text-gray-300 transition-colors"
>
<svg className="w-5 h-5" fill="none" viewBox="0 0 24 24" stroke="currentColor" strokeWidth={2}>
<path strokeLinecap="round" strokeLinejoin="round" d="M6 18L18 6M6 6l12 12" />
</svg>
</button>
</div>
{/* 성공 메시지 */}
{success ? (
<div className="px-6 py-10 text-center">
<div className="bg-green-50 dark:bg-green-900/30 border border-green-200 dark:border-green-700 rounded-lg p-6">
<h3 className="text-lg font-semibold text-green-800 dark:text-green-300 mb-2"> </h3>
<p className="text-green-700 dark:text-green-400 text-sm"> API Key가 .</p>
</div>
</div>
) : (
<form onSubmit={handleSubmit} className="px-6 py-5 space-y-5">
{/* 에러 메시지 */}
{error && (
<div className="p-3 bg-red-50 dark:bg-red-900/20 border border-red-200 dark:border-red-700 text-red-700 dark:text-red-400 rounded-lg text-sm">
{error}
</div>
)}
{/* API 선택 (도메인 기반 체크박스 트리) */}
<div className="border border-gray-200 dark:border-gray-700 rounded-lg overflow-hidden">
<div className="flex items-center justify-between px-4 py-2.5 bg-gray-50 dark:bg-gray-700 border-b border-gray-200 dark:border-gray-700">
<h3 className="text-sm font-semibold text-gray-900 dark:text-gray-100">
API
{selectedApiIds.size > 0 && (
<span className="ml-2 text-xs font-normal text-indigo-500">{selectedApiIds.size} </span>
)}
</h3>
<input
type="text"
value={apiSearch}
onChange={(e) => setApiSearch(e.target.value)}
placeholder="API 검색..."
className="bg-white dark:bg-gray-600 border border-gray-200 dark:border-gray-500 rounded-lg px-2.5 py-1 text-xs text-gray-900 dark:text-gray-100 placeholder-gray-400 focus:ring-1 focus:ring-blue-500 focus:outline-none w-40"
/>
</div>
<div className="max-h-56 overflow-y-auto">
{domainGroups.length === 0 ? (
<p className="text-xs text-gray-400 text-center py-6"> </p>
) : domainGroups.map(([domain, apis]) => {
const isExpanded = expandedDomains.has(domain);
const allSelected = apis.every((a) => selectedApiIds.has(a.apiId));
const someSelected = !allSelected && apis.some((a) => selectedApiIds.has(a.apiId));
return (
<div key={domain}>
<div
className="flex items-center gap-2 px-4 py-2 cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-700/50 border-b border-gray-100 dark:border-gray-700/50"
onClick={() => setExpandedDomains((prev) => { const n = new Set(prev); n.has(domain) ? n.delete(domain) : n.add(domain); return n; })}
>
<svg className={`h-3.5 w-3.5 text-gray-400 transition-transform ${isExpanded ? 'rotate-90' : ''}`} fill="none" viewBox="0 0 24 24" stroke="currentColor"><path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M9 5l7 7-7 7" /></svg>
<input
type="checkbox"
checked={allSelected}
ref={(el) => { if (el) el.indeterminate = someSelected; }}
onChange={() => {
setSelectedApiIds((prev) => {
const n = new Set(prev);
apis.forEach((a) => allSelected ? n.delete(a.apiId) : n.add(a.apiId));
return n;
});
}}
onClick={(e) => e.stopPropagation()}
className="rounded"
/>
<span className="text-sm font-semibold text-gray-900 dark:text-gray-100">{domain}</span>
<span className="text-xs text-gray-400">{apis.length}</span>
</div>
{isExpanded && apis.map((a) => (
<div
key={a.apiId}
className={`flex items-center gap-2 pl-12 pr-4 py-2 cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-700/30 border-b border-gray-50 dark:border-gray-700/30 ${selectedApiIds.has(a.apiId) ? 'bg-blue-50/50 dark:bg-blue-900/10' : ''}`}
onClick={() => setSelectedApiIds((prev) => { const n = new Set(prev); n.has(a.apiId) ? n.delete(a.apiId) : n.add(a.apiId); return n; })}
>
<input
type="checkbox"
checked={selectedApiIds.has(a.apiId)}
onChange={() => setSelectedApiIds((prev) => { const n = new Set(prev); n.has(a.apiId) ? n.delete(a.apiId) : n.add(a.apiId); return n; })}
onClick={(e) => e.stopPropagation()}
className="rounded"
/>
<span className="text-sm text-gray-900 dark:text-gray-100 truncate">{a.apiName}</span>
</div>
))}
</div>
);
})}
</div>
</div>
{/* Key Name */}
<div>
<label className="block text-sm font-medium text-gray-700 dark:text-gray-300 mb-1">
Key Name <span className="text-red-500">*</span>
</label>
<input
type="text"
value={keyName}
onChange={(e) => setKeyName(e.target.value)}
required
placeholder="API Key 이름을 입력하세요"
className="w-full border border-gray-300 dark:border-gray-600 bg-white dark:bg-gray-700 text-gray-900 dark:text-gray-100 rounded-lg px-3 py-2 focus:ring-2 focus:ring-blue-500 focus:outline-none"
/>
</div>
{/* 사용 목적 */}
<div>
<label className="block text-sm font-medium text-gray-700 dark:text-gray-300 mb-1"> </label>
<textarea
value={purpose}
onChange={(e) => setPurpose(e.target.value)}
rows={2}
placeholder="사용 목적을 입력하세요"
className="w-full border border-gray-300 dark:border-gray-600 bg-white dark:bg-gray-700 text-gray-900 dark:text-gray-100 rounded-lg px-3 py-2 focus:ring-2 focus:ring-blue-500 focus:outline-none"
/>
</div>
{/* 사용 기간 */}
<div>
<label className="block text-sm font-medium text-gray-700 dark:text-gray-300 mb-1">
<span className="text-red-500">*</span>
</label>
<div className="flex items-center gap-2 mb-2">
{[3, 6, 9].map((m) => (
<button
key={m}
type="button"
onClick={() => handlePresetPeriod(m)}
disabled={isPermanent || periodMode === 'custom'}
className={`px-3 py-1.5 text-sm rounded-lg border border-gray-300 dark:border-gray-600 text-gray-700 dark:text-gray-300 bg-white dark:bg-gray-700 ${isPermanent || periodMode === 'custom' ? 'opacity-40 cursor-not-allowed' : 'hover:bg-blue-50 dark:hover:bg-gray-600'}`}
>
{m}
</button>
))}
<span className="text-gray-400 dark:text-gray-600 mx-1">|</span>
<button
type="button"
onClick={handlePermanent}
className={`px-3 py-1.5 text-sm rounded-lg border font-medium ${isPermanent ? 'bg-indigo-600 text-white border-indigo-600' : 'text-indigo-600 border-indigo-300 dark:border-indigo-500 dark:text-indigo-400 hover:bg-indigo-50 dark:hover:bg-indigo-900/30'}`}
>
</button>
<span className="text-gray-400 dark:text-gray-600 mx-1">|</span>
<label className="flex items-center gap-2 text-sm text-gray-700 dark:text-gray-300 cursor-pointer select-none">
<button
type="button"
onClick={() => {
setPeriodMode(periodMode === 'custom' ? 'preset' : 'custom');
setIsPermanent(false);
}}
className={`relative w-10 h-5 rounded-full transition-colors ${periodMode === 'custom' && !isPermanent ? 'bg-blue-600' : 'bg-gray-300 dark:bg-gray-600'}`}
>
<span className={`absolute top-0.5 left-0.5 w-4 h-4 bg-white rounded-full shadow transition-transform ${periodMode === 'custom' && !isPermanent ? 'translate-x-5' : ''}`} />
</button>
</label>
</div>
{isPermanent ? (
<div className="flex items-center gap-2 px-3 py-2 bg-indigo-50 dark:bg-indigo-900/30 border border-indigo-200 dark:border-indigo-700 rounded-lg">
<span className="text-indigo-700 dark:text-indigo-300 text-sm font-medium"> ( )</span>
</div>
) : (
<div className="flex items-center gap-2">
<input
type="date"
value={fromDate}
onChange={(e) => setFromDate(e.target.value)}
readOnly={periodMode !== 'custom'}
className={`border border-gray-300 dark:border-gray-600 rounded-lg px-3 py-2 focus:ring-2 focus:ring-blue-500 focus:outline-none ${periodMode !== 'custom' ? 'bg-gray-50 text-gray-500 dark:bg-gray-700 dark:text-gray-400' : 'bg-white dark:bg-gray-700 text-gray-900 dark:text-gray-100'}`}
/>
<span className="text-gray-500 dark:text-gray-400">~</span>
<input
type="date"
value={toDate}
onChange={(e) => setToDate(e.target.value)}
readOnly={periodMode !== 'custom'}
className={`border border-gray-300 dark:border-gray-600 rounded-lg px-3 py-2 focus:ring-2 focus:ring-blue-500 focus:outline-none ${periodMode !== 'custom' ? 'bg-gray-50 text-gray-500 dark:bg-gray-700 dark:text-gray-400' : 'bg-white dark:bg-gray-700 text-gray-900 dark:text-gray-100'}`}
/>
</div>
)}
</div>
{/* 서비스 IP */}
<div>
<label className="block text-sm font-medium text-gray-700 dark:text-gray-300 mb-1">
IP <span className="text-red-500">*</span>
</label>
<input
type="text"
value={serviceIp}
onChange={(e) => setServiceIp(e.target.value)}
required
placeholder="예: 192.168.1.100"
className="w-full border border-gray-300 dark:border-gray-600 bg-white dark:bg-gray-700 text-gray-900 dark:text-gray-100 rounded-lg px-3 py-2 focus:ring-2 focus:ring-blue-500 focus:outline-none"
/>
<p className="text-xs text-gray-400 dark:text-gray-500 mt-1"> API Key로 IP</p>
</div>
{/* 서비스 용도 + 하루 예상 요청량 */}
<div className="grid grid-cols-2 gap-4">
<div>
<label className="block text-sm font-medium text-gray-700 dark:text-gray-300 mb-1">
<span className="text-red-500">*</span>
</label>
<select
value={servicePurpose}
onChange={(e) => setServicePurpose(e.target.value)}
required
className="w-full border border-gray-300 dark:border-gray-600 bg-white dark:bg-gray-700 text-gray-900 dark:text-gray-100 rounded-lg px-3 py-2 focus:ring-2 focus:ring-blue-500 focus:outline-none"
>
<option value=""></option>
<option value="로컬 환경"> </option>
<option value="개발 서버"> </option>
<option value="검증 서버"> </option>
<option value="운영 서버"> </option>
</select>
</div>
<div>
<label className="block text-sm font-medium text-gray-700 dark:text-gray-300 mb-1">
<span className="text-red-500">*</span>
</label>
<select
value={dailyEstimate}
onChange={(e) => setDailyEstimate(e.target.value)}
required
className="w-full border border-gray-300 dark:border-gray-600 bg-white dark:bg-gray-700 text-gray-900 dark:text-gray-100 rounded-lg px-3 py-2 focus:ring-2 focus:ring-blue-500 focus:outline-none"
>
<option value=""></option>
<option value="100">100 </option>
<option value="500">100~500</option>
<option value="1000">500~1,000</option>
<option value="5000">1,000~5,000</option>
<option value="10000">5,000~10,000</option>
<option value="50000">10,000 </option>
</select>
</div>
</div>
{/* 하단 버튼 */}
<div className="flex justify-end gap-3 pt-2">
<button
type="button"
onClick={onClose}
className="px-4 py-2 rounded-lg border border-gray-300 dark:border-gray-600 text-gray-700 dark:text-gray-300 bg-white dark:bg-gray-700 hover:bg-gray-50 dark:hover:bg-gray-600 text-sm font-medium transition-colors"
>
</button>
<button
type="submit"
disabled={isSubmitting}
className="px-4 py-2 rounded-lg bg-blue-600 hover:bg-blue-700 disabled:bg-blue-300 text-white text-sm font-medium transition-colors"
>
{isSubmitting ? '신청 중...' : '신청하기'}
</button>
</div>
</form>
)}
</div>
</div>
);
};
export default ApiKeyRequestModal;