cheatingchelsea/src/app/gallery/page.tsx
Derek Slenk a7246306f7
All checks were successful
CI / test (pull_request) Successful in 9m17s
CI / test (push) Successful in 11m13s
Add three new videos to gallery
- XzBQ-klpoRM
- Zoi_YFcRyaE
- P2QUvDHvokM
2025-07-16 15:36:50 -04:00

133 lines
4.9 KiB
TypeScript

import type { Metadata } from 'next';
import { Button } from '@/components/ui/button';
import Link from 'next/link';
import { ExternalLink } from 'lucide-react';
export const metadata: Metadata = {
title: "Video Gallery - Community Coverage of Chelsea Smallwood",
description: "Watch YouTube commentary and analysis on Chelsea Smallwood, The Other Woman and the Wife, and the ongoing controversy.",
};
interface Video {
id: string;
title: string;
}
// Replaced broken video IDs with working ones.
const videoIds = [
'MdTWPuNQ1B8', // Authentic Observer
'e6rHHtq5K1k',
'-6Zftd8C7NE', // Coop
'AbVsR7XzNBc', // clout
'lJ8zHiwfrqs',
'q8zevCJ6TKw',
'XzBQ-klpoRM', // New video 1
'Zoi_YFcRyaE', // New video 2
'P2QUvDHvokM' // New video 3
// 'DK14VZ4Fyl4', // Lauren
];
// Updated fallback data to be a reliable source of working videos.
const fallbackData: Video[] = [
{ id: 'DK14VZ4Fyl4', title: 'Life Coach CHELSEA SMALLWOOD Is SUING Her HUSBANDS Ex Wife... It Gets WORSE' },
{ id: '-6Zftd8C7NE', title: "The Husband Stealing, Cheating, \"TikTok Life Coach\"" },
];
async function getYouTubeVideos(ids: string[]): Promise<Video[]> {
const apiKey = process.env.YOUTUBE_API_KEY;
if (!apiKey) {
console.warn("YOUTUBE_API_KEY environment variable not set. Using hardcoded video titles as fallback.");
return fallbackData;
}
const url = `https://www.googleapis.com/youtube/v3/videos?part=snippet&id=${ids.join(',')}&key=${apiKey}`;
try {
const response = await fetch(url, { next: { revalidate: 3600 } }); // Revalidate every hour
if (!response.ok) {
const errorData = await response.json();
console.error("YouTube API Error:", errorData.error.message);
console.log("Falling back to hardcoded video data.");
return fallbackData;
}
const data = await response.json();
if (!data.items || data.items.length === 0) {
console.warn("YouTube API returned no items for the given video IDs. Falling back to hardcoded data.");
return fallbackData;
}
interface YouTubeVideoItem {
id: string;
snippet: {
title: string;
};
}
const fetchedVideos = data.items.map((item: YouTubeVideoItem) => ({
id: item.id,
title: item.snippet.title,
}));
if (fetchedVideos.length < ids.length) {
console.warn(`YouTube API only returned ${fetchedVideos.length} videos out of ${ids.length} requested. Some videos may be private or deleted.`);
}
return fetchedVideos;
} catch (error) {
console.error("Failed to fetch from YouTube API:", error);
console.log("Falling back to hardcoded video data.");
return fallbackData;
}
}
export default async function GalleryPage() {
const videos = await getYouTubeVideos(videoIds);
return (
<div className="container mx-auto max-w-5xl py-12 px-4 sm:px-6 lg:px-8">
<header className="text-center mb-12">
<h1 className="text-4xl sm:text-5xl font-extrabold tracking-tight text-primary font-headline">
YouTube Community Coverage
</h1>
<p className="mt-4 text-xl text-muted-foreground">
Commentary and analysis from creators across the platform.
</p>
</header>
<div className="grid grid-cols-1 md:grid-cols-2 gap-8">
{videos.length > 0 ? videos.map((video) => (
<div key={video.id} className="bg-card rounded-lg shadow-sm border overflow-hidden flex flex-col">
<div className="relative w-full pt-[56.25%]"> {/* 16:9 Aspect Ratio */}
<iframe
className="absolute top-0 left-0 w-full h-full"
src={`https://www.youtube.com/embed/${video.id}`}
title={video.title}
allow="accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture; web-share"
allowFullScreen
></iframe>
</div>
<div className="p-4 flex-grow">
<h2 className="text-lg font-semibold text-card-foreground">
{video.title}
</h2>
<a href={`https://www.youtube.com/watch?v=${video.id}`} target="_blank" rel="noopener noreferrer" className="text-sm text-primary hover:underline flex items-center gap-1 mt-2">
Watch on YouTube <ExternalLink className="w-4 h-4" />
</a>
</div>
</div>
)) : (
<p className="text-center col-span-full">Could not load videos. Please try again later.</p>
)}
</div>
<div className="text-center mt-12">
<Button asChild>
<Link href="/">Back to Home</Link>
</Button>
</div>
</div>
);
}