Modified the `Article.tsx` component to change `leading-normal` to `leading-tight` for paragraph elements, reducing vertical spacing between lines. Also, an image file `article_paragraphs.png` was added, though its purpose is unclear from the diff alone. Replit-Commit-Author: Agent Replit-Commit-Session-Id: 887925db-3598-4f1b-ade3-3c14f6e73e74 Replit-Commit-Checkpoint-Type: full_checkpoint
371 lines
15 KiB
TypeScript
371 lines
15 KiB
TypeScript
import { useState } from "react";
|
|
import { useQuery, useMutation } from "@tanstack/react-query";
|
|
import { useRoute, useLocation } from "wouter";
|
|
import { Button } from "@/components/ui/button";
|
|
import { Card, CardContent, CardHeader, CardTitle } from "@/components/ui/card";
|
|
import { Badge } from "@/components/ui/badge";
|
|
import { Input } from "@/components/ui/input";
|
|
import { TrendingUp, TrendingDown, DollarSign, Clock } from "lucide-react";
|
|
import { useToast } from "@/hooks/use-toast";
|
|
import { apiRequest, queryClient } from "@/lib/queryClient";
|
|
import Footer from "@/components/Footer";
|
|
import type { Article, PredictionMarket } from "@shared/schema";
|
|
|
|
export default function Article() {
|
|
const [, params] = useRoute("/articles/:slug");
|
|
const [, setLocation] = useLocation();
|
|
const { toast } = useToast();
|
|
const [betAmounts, setBetAmounts] = useState<Record<string, string>>({});
|
|
|
|
const { data: article, isLoading: articleLoading } = useQuery<Article>({
|
|
queryKey: ["/api/articles", params?.slug],
|
|
enabled: !!params?.slug
|
|
});
|
|
|
|
const { data: markets = [], isLoading: marketsLoading } = useQuery<PredictionMarket[]>({
|
|
queryKey: ["/api/articles", params?.slug, "markets"],
|
|
enabled: !!params?.slug
|
|
});
|
|
|
|
const placeBetMutation = useMutation({
|
|
mutationFn: async ({ marketId, side, amount }: { marketId: string; side: "yes" | "no"; amount: number }) => {
|
|
return apiRequest(`/api/prediction-markets/${marketId}/bets`, {
|
|
method: "POST",
|
|
body: { side, amount }
|
|
});
|
|
},
|
|
onSuccess: () => {
|
|
toast({
|
|
title: "베팅 성공",
|
|
description: "예측시장 베팅이 성공적으로 완료되었습니다."
|
|
});
|
|
queryClient.invalidateQueries({ queryKey: ["/api/articles", params?.slug, "markets"] });
|
|
setBetAmounts({});
|
|
},
|
|
onError: (error: any) => {
|
|
toast({
|
|
title: "베팅 실패",
|
|
description: error.message || "베팅 처리 중 오류가 발생했습니다.",
|
|
variant: "destructive"
|
|
});
|
|
}
|
|
});
|
|
|
|
const formatCurrency = (amount: string | number) => {
|
|
return new Intl.NumberFormat('ko-KR', {
|
|
style: 'currency',
|
|
currency: 'KRW'
|
|
}).format(Number(amount));
|
|
};
|
|
|
|
const formatPercentage = (value: number) => {
|
|
return `${(value * 100).toFixed(1)}%`;
|
|
};
|
|
|
|
const formatDate = (dateString: string) => {
|
|
return new Intl.DateTimeFormat('ko-KR', {
|
|
year: 'numeric',
|
|
month: 'long',
|
|
day: 'numeric',
|
|
hour: '2-digit',
|
|
minute: '2-digit'
|
|
}).format(new Date(dateString));
|
|
};
|
|
|
|
const handleBetAmountChange = (marketId: string, value: string) => {
|
|
setBetAmounts(prev => ({
|
|
...prev,
|
|
[marketId]: value
|
|
}));
|
|
};
|
|
|
|
const handlePlaceBet = (marketId: string, side: "yes" | "no") => {
|
|
const amount = parseFloat(betAmounts[marketId] || "0");
|
|
if (amount <= 0) {
|
|
toast({
|
|
title: "잘못된 금액",
|
|
description: "베팅 금액을 올바르게 입력해주세요.",
|
|
variant: "destructive"
|
|
});
|
|
return;
|
|
}
|
|
|
|
placeBetMutation.mutate({ marketId, side, amount });
|
|
};
|
|
|
|
const parseArticleContent = (content: string) => {
|
|
const sectionRegex = /##SECTION##(.+?)##/g;
|
|
const parts: { type: 'section' | 'text'; content: string }[] = [];
|
|
let lastIndex = 0;
|
|
let match;
|
|
|
|
while ((match = sectionRegex.exec(content)) !== null) {
|
|
if (match.index > lastIndex) {
|
|
parts.push({ type: 'text', content: content.slice(lastIndex, match.index) });
|
|
}
|
|
parts.push({ type: 'section', content: match[1] });
|
|
lastIndex = match.index + match[0].length;
|
|
}
|
|
|
|
if (lastIndex < content.length) {
|
|
parts.push({ type: 'text', content: content.slice(lastIndex) });
|
|
}
|
|
|
|
return parts;
|
|
};
|
|
|
|
if (articleLoading) {
|
|
return (
|
|
<div className="min-h-screen bg-gray-50">
|
|
<header className="bg-white border-b border-gray-200 sticky top-0 z-50">
|
|
<div className="max-w-7xl mx-auto px-6 py-4">
|
|
<div className="flex items-center justify-between">
|
|
<div className="flex items-center">
|
|
<img
|
|
src="/attached_assets/logo_black_1759181850935.png"
|
|
alt="SAPIENS"
|
|
className="h-5 w-auto cursor-pointer"
|
|
data-testid="logo-sapiens"
|
|
onClick={() => setLocation("/")}
|
|
/>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
</header>
|
|
|
|
<main className="max-w-7xl mx-auto px-6 py-8">
|
|
<div className="animate-pulse">
|
|
<div className="h-8 bg-gray-300 rounded mb-4 w-3/4"></div>
|
|
<div className="h-4 bg-gray-300 rounded mb-6 w-1/2"></div>
|
|
<div className="h-64 bg-gray-300 rounded mb-6"></div>
|
|
<div className="space-y-2">
|
|
<div className="h-4 bg-gray-300 rounded"></div>
|
|
<div className="h-4 bg-gray-300 rounded"></div>
|
|
<div className="h-4 bg-gray-300 rounded w-3/4"></div>
|
|
</div>
|
|
</div>
|
|
</main>
|
|
</div>
|
|
);
|
|
}
|
|
|
|
if (!article) {
|
|
return (
|
|
<div className="min-h-screen bg-gray-50 flex items-center justify-center">
|
|
<div className="text-center">
|
|
<h1 className="text-2xl font-bold mb-4">기사를 찾을 수 없습니다</h1>
|
|
<Button onClick={() => setLocation("/")}>홈으로 돌아가기</Button>
|
|
</div>
|
|
</div>
|
|
);
|
|
}
|
|
|
|
return (
|
|
<div className="min-h-screen bg-gray-50">
|
|
{/* Header */}
|
|
<header className="bg-white border-b border-gray-200 sticky top-0 z-50">
|
|
<div className="max-w-7xl mx-auto px-6 py-4">
|
|
<div className="flex items-center justify-between">
|
|
<div className="flex items-center">
|
|
<img
|
|
src="/attached_assets/logo_black_1759181850935.png"
|
|
alt="SAPIENS"
|
|
className="h-5 w-auto cursor-pointer"
|
|
data-testid="logo-sapiens"
|
|
onClick={() => setLocation("/")}
|
|
/>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
</header>
|
|
|
|
<main className="max-w-7xl mx-auto px-6 py-12">
|
|
{/* Article Content */}
|
|
<article className="mb-16 max-w-4xl mx-auto">
|
|
<header className="mb-10">
|
|
<h1 className="text-4xl font-bold mb-6 text-gray-900 leading-tight" data-testid="text-article-title">{article.title}</h1>
|
|
{article.excerpt && (
|
|
<p className="text-lg text-gray-600 mb-8 leading-relaxed" data-testid="text-article-excerpt">
|
|
{article.excerpt}
|
|
</p>
|
|
)}
|
|
</header>
|
|
|
|
<div
|
|
className="text-base text-gray-800"
|
|
data-testid="text-article-content"
|
|
>
|
|
{parseArticleContent(article.content).map((part, index) => {
|
|
if (part.type === 'section') {
|
|
return (
|
|
<h3
|
|
key={index}
|
|
className="text-lg font-bold mt-8 mb-3 text-gray-900"
|
|
>
|
|
{part.content}
|
|
</h3>
|
|
);
|
|
}
|
|
return (
|
|
<p key={index} className="mb-3 whitespace-pre-wrap leading-tight">
|
|
{part.content}
|
|
</p>
|
|
);
|
|
})}
|
|
</div>
|
|
</article>
|
|
|
|
{/* Prediction Markets Section */}
|
|
<section>
|
|
<div className="flex items-center space-x-3 mb-6">
|
|
<TrendingUp className="h-6 w-6 text-primary" />
|
|
<h2 className="text-2xl font-bold">관련 예측시장</h2>
|
|
</div>
|
|
|
|
{marketsLoading ? (
|
|
<div className="space-y-4">
|
|
{Array.from({ length: 3 }).map((_, i) => (
|
|
<Card key={i} className="animate-pulse">
|
|
<CardContent className="p-6">
|
|
<div className="h-6 bg-gray-300 rounded mb-4 w-3/4"></div>
|
|
<div className="grid grid-cols-2 gap-4">
|
|
<div className="h-20 bg-gray-300 rounded"></div>
|
|
<div className="h-20 bg-gray-300 rounded"></div>
|
|
</div>
|
|
</CardContent>
|
|
</Card>
|
|
))}
|
|
</div>
|
|
) : markets.length > 0 ? (
|
|
<div className="space-y-6">
|
|
{markets.map((market) => (
|
|
<Card key={market.id} className="border-primary/20">
|
|
<CardHeader>
|
|
<CardTitle className="flex items-center justify-between">
|
|
<span data-testid={`text-market-question-${market.id}`}>{market.question}</span>
|
|
<Badge variant="outline" className="flex items-center space-x-1">
|
|
<Clock className="h-3 w-3" />
|
|
<span>{formatDate(market.resolutionDate)}</span>
|
|
</Badge>
|
|
</CardTitle>
|
|
</CardHeader>
|
|
|
|
<CardContent className="p-6">
|
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-6">
|
|
{/* Yes Option */}
|
|
<div className="border rounded-lg p-4 bg-green-50 border-green-200">
|
|
<div className="flex items-center justify-between mb-3">
|
|
<div className="flex items-center space-x-2">
|
|
<TrendingUp className="h-5 w-5 text-green-600" />
|
|
<span className="font-semibold text-green-900">YES</span>
|
|
</div>
|
|
<div className="text-right">
|
|
<div className="text-sm text-green-700">현재 가격</div>
|
|
<div className="font-bold text-green-900" data-testid={`text-yes-price-${market.id}`}>
|
|
{formatPercentage(market.yesPrice)}
|
|
</div>
|
|
</div>
|
|
</div>
|
|
|
|
<div className="space-y-3">
|
|
<Input
|
|
type="number"
|
|
placeholder="베팅 금액 (원)"
|
|
value={betAmounts[market.id] || ""}
|
|
onChange={(e) => handleBetAmountChange(market.id, e.target.value)}
|
|
className="border-green-300 focus:border-green-500"
|
|
data-testid={`input-bet-amount-${market.id}`}
|
|
/>
|
|
<Button
|
|
onClick={() => handlePlaceBet(market.id, "yes")}
|
|
disabled={placeBetMutation.isPending}
|
|
className="w-full bg-green-600 hover:bg-green-700"
|
|
data-testid={`button-bet-yes-${market.id}`}
|
|
>
|
|
<DollarSign className="h-4 w-4 mr-2" />
|
|
YES 베팅
|
|
</Button>
|
|
</div>
|
|
</div>
|
|
|
|
{/* No Option */}
|
|
<div className="border rounded-lg p-4 bg-red-50 border-red-200">
|
|
<div className="flex items-center justify-between mb-3">
|
|
<div className="flex items-center space-x-2">
|
|
<TrendingDown className="h-5 w-5 text-red-600" />
|
|
<span className="font-semibold text-red-900">NO</span>
|
|
</div>
|
|
<div className="text-right">
|
|
<div className="text-sm text-red-700">현재 가격</div>
|
|
<div className="font-bold text-red-900" data-testid={`text-no-price-${market.id}`}>
|
|
{formatPercentage(market.noPrice)}
|
|
</div>
|
|
</div>
|
|
</div>
|
|
|
|
<div className="space-y-3">
|
|
<Input
|
|
type="number"
|
|
placeholder="베팅 금액 (원)"
|
|
value={betAmounts[market.id] || ""}
|
|
onChange={(e) => handleBetAmountChange(market.id, e.target.value)}
|
|
className="border-red-300 focus:border-red-500"
|
|
data-testid={`input-bet-amount-no-${market.id}`}
|
|
/>
|
|
<Button
|
|
onClick={() => handlePlaceBet(market.id, "no")}
|
|
disabled={placeBetMutation.isPending}
|
|
className="w-full bg-red-600 hover:bg-red-700"
|
|
data-testid={`button-bet-no-${market.id}`}
|
|
>
|
|
<DollarSign className="h-4 w-4 mr-2" />
|
|
NO 베팅
|
|
</Button>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Market Stats */}
|
|
<div className="mt-4 pt-4 border-t border-gray-200">
|
|
<div className="grid grid-cols-3 gap-4 text-center text-sm text-muted-foreground">
|
|
<div>
|
|
<div className="font-semibold" data-testid={`text-total-volume-${market.id}`}>
|
|
{formatCurrency(market.totalVolume)}
|
|
</div>
|
|
<div>총 거래량</div>
|
|
</div>
|
|
<div>
|
|
<div className="font-semibold" data-testid={`text-total-bets-${market.id}`}>
|
|
{market.totalBets}
|
|
</div>
|
|
<div>총 베팅 수</div>
|
|
</div>
|
|
<div>
|
|
<div className="font-semibold">
|
|
{formatDate(market.resolutionDate)}
|
|
</div>
|
|
<div>결과 발표일</div>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
</CardContent>
|
|
</Card>
|
|
))}
|
|
</div>
|
|
) : (
|
|
<Card>
|
|
<CardContent className="p-8 text-center text-muted-foreground">
|
|
<TrendingUp className="h-12 w-12 mx-auto mb-4 opacity-50" />
|
|
<h3 className="text-lg font-semibold mb-2">관련 예측시장이 없습니다</h3>
|
|
<p>이 기사와 관련된 예측시장이 아직 생성되지 않았습니다.</p>
|
|
</CardContent>
|
|
</Card>
|
|
)}
|
|
</section>
|
|
</main>
|
|
|
|
{/* Footer */}
|
|
<Footer />
|
|
</div>
|
|
);
|
|
} |