feat: 웹사이트 표준화 검사 도구 구현

- 4개 검사 엔진: HTML/CSS, 접근성(WCAG), SEO, 성능/보안 (총 50개 항목)
- FastAPI 백엔드 (9개 API, SSE 실시간 진행, PDF/JSON 리포트)
- Next.js 15 프론트엔드 (6개 페이지, 29개 컴포넌트, 반원 게이지 차트)
- Docker Compose 배포 (Backend:8011, Frontend:3011, MongoDB:27022, Redis:6392)
- 전체 테스트 32/32 PASS

Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
This commit is contained in:
jungwoo choi
2026-02-13 13:57:27 +09:00
parent c37cda5b13
commit b5fa5d96b9
93 changed files with 18735 additions and 22 deletions

View File

@ -0,0 +1,70 @@
"use client";
import { use, useState } from "react";
import { useSearchParams } from "next/navigation";
import Link from "next/link";
import { useInspectionIssues } from "@/lib/queries";
import { FilterBar } from "@/components/issues/FilterBar";
import { IssueList } from "@/components/issues/IssueList";
import { ErrorState } from "@/components/common/ErrorState";
import { Button } from "@/components/ui/button";
import { ArrowLeft } from "lucide-react";
export default function IssuesPage({
params,
}: {
params: Promise<{ id: string }>;
}) {
const { id } = use(params);
const searchParams = useSearchParams();
const initialCategory = searchParams.get("category") || "all";
const [selectedCategory, setSelectedCategory] = useState(initialCategory);
const [selectedSeverity, setSelectedSeverity] = useState("all");
const { data, isLoading, isError, refetch } = useInspectionIssues(
id,
selectedCategory === "all" ? undefined : selectedCategory,
selectedSeverity === "all" ? undefined : selectedSeverity
);
return (
<div className="container mx-auto px-4 py-8">
{/* 뒤로가기 */}
<div className="mb-6">
<Link href={`/inspections/${id}`}>
<Button variant="ghost" size="sm">
<ArrowLeft className="h-4 w-4" />
</Button>
</Link>
</div>
<h1 className="text-2xl font-bold mb-6"> </h1>
{/* 필터 */}
<div className="mb-6">
<FilterBar
selectedCategory={selectedCategory}
selectedSeverity={selectedSeverity}
onCategoryChange={setSelectedCategory}
onSeverityChange={setSelectedSeverity}
/>
</div>
{/* 이슈 목록 */}
{isError ? (
<ErrorState
message="이슈 목록을 불러올 수 없습니다"
onRetry={() => refetch()}
/>
) : (
<IssueList
issues={data?.issues}
isLoading={isLoading}
total={data?.total || 0}
/>
)}
</div>
);
}

View File

@ -0,0 +1,143 @@
"use client";
import { use, useCallback } from "react";
import { useRouter } from "next/navigation";
import { useInspectionResult } from "@/lib/queries";
import { OverallScoreGauge } from "@/components/dashboard/OverallScoreGauge";
import { CategoryScoreCard } from "@/components/dashboard/CategoryScoreCard";
import { IssueSummaryBar } from "@/components/dashboard/IssueSummaryBar";
import { InspectionMeta } from "@/components/dashboard/InspectionMeta";
import { ActionButtons } from "@/components/dashboard/ActionButtons";
import { LoadingSpinner } from "@/components/common/LoadingSpinner";
import { ErrorState } from "@/components/common/ErrorState";
import { Card, CardContent, CardHeader, CardTitle } from "@/components/ui/card";
import { CATEGORY_LABELS, CATEGORY_KEYS } from "@/lib/constants";
import { api, ApiError } from "@/lib/api";
import { useInspectionStore } from "@/stores/useInspectionStore";
import type { CategoryKey } from "@/types/inspection";
export default function ResultDashboardPage({
params,
}: {
params: Promise<{ id: string }>;
}) {
const { id } = use(params);
const router = useRouter();
const { setInspection } = useInspectionStore();
const { data: result, isLoading, isError, error, refetch } =
useInspectionResult(id);
const handleViewIssues = useCallback(() => {
router.push(`/inspections/${id}/issues`);
}, [id, router]);
const handleCategoryClick = useCallback(
(category: CategoryKey) => {
router.push(`/inspections/${id}/issues?category=${category}`);
},
[id, router]
);
const handleReinspect = useCallback(async () => {
if (!result) return;
try {
const response = await api.startInspection(result.url);
setInspection(response.inspection_id, result.url);
router.push(`/inspections/${response.inspection_id}/progress`);
} catch (err) {
if (err instanceof ApiError) {
alert(err.detail);
} else {
alert("재검사 시작에 실패했습니다.");
}
}
}, [result, router, setInspection]);
if (isLoading) {
return (
<div className="container mx-auto px-4 py-8">
<LoadingSpinner message="검사 결과를 불러오는 중..." />
</div>
);
}
if (isError || !result) {
return (
<div className="container mx-auto px-4 py-8">
<ErrorState
message={
error instanceof ApiError
? error.detail
: "검사 결과를 불러올 수 없습니다"
}
onRetry={() => refetch()}
/>
</div>
);
}
return (
<div className="container mx-auto px-4 py-8">
{/* 종합 점수 */}
<Card className="mb-6">
<CardHeader className="text-center">
<CardTitle className="text-xl"> </CardTitle>
</CardHeader>
<CardContent className="flex justify-center">
<OverallScoreGauge
score={result.overall_score}
grade={result.grade}
/>
</CardContent>
</Card>
{/* 카테고리별 점수 카드 */}
<div className="grid grid-cols-1 sm:grid-cols-2 lg:grid-cols-4 gap-4 mb-6">
{CATEGORY_KEYS.map((key) => {
const cat = result.categories[key];
return (
<CategoryScoreCard
key={key}
categoryName={CATEGORY_LABELS[key]}
score={cat.score}
grade={cat.grade}
issueCount={cat.total_issues}
onClick={() => handleCategoryClick(key)}
/>
);
})}
</div>
{/* 검사 메타 정보 */}
<div className="mb-6">
<InspectionMeta
url={result.url}
createdAt={result.created_at}
durationSeconds={result.duration_seconds}
/>
</div>
{/* 액션 버튼 */}
<div className="mb-6">
<ActionButtons
inspectionId={id}
onViewIssues={handleViewIssues}
onReinspect={handleReinspect}
/>
</div>
{/* 이슈 요약 바 */}
<Card>
<CardContent className="py-4">
<IssueSummaryBar
critical={result.summary.critical}
major={result.summary.major}
minor={result.summary.minor}
info={result.summary.info}
total={result.summary.total_issues}
/>
</CardContent>
</Card>
</div>
);
}

View File

@ -0,0 +1,19 @@
"use client";
import { use } from "react";
import { InspectionProgress } from "@/components/inspection/InspectionProgress";
export default function ProgressPage({
params,
}: {
params: Promise<{ id: string }>;
}) {
const { id } = use(params);
return (
<div className="container mx-auto px-4 py-8">
<h1 className="text-2xl font-bold mb-6 text-center"> </h1>
<InspectionProgress inspectionId={id} />
</div>
);
}