import { NextRequest, NextResponse } from 'next/server'; import { prisma } from '@/lib/prisma'; import { apiCache } from '@/lib/cache'; export async function GET( request: NextRequest, { params }: { params: Promise<{ id: string }> } ) { try { const { id: idParam } = await params; const id = parseInt(idParam); const project = await prisma.project.findUnique({ where: { id } }); if (!project) { return NextResponse.json( { error: 'Project not found' }, { status: 404 } ); } return NextResponse.json(project); } catch (error) { console.error('Error fetching project:', error); return NextResponse.json( { error: 'Failed to fetch project' }, { status: 500 } ); } } export async function PUT( request: NextRequest, { params }: { params: Promise<{ id: string }> } ) { try { // Check if this is an admin request const isAdminRequest = request.headers.get('x-admin-request') === 'true'; if (!isAdminRequest) { return NextResponse.json( { error: 'Admin access required' }, { status: 403 } ); } const { id: idParam } = await params; const id = parseInt(idParam); const data = await request.json(); // Remove difficulty field if it exists (since we're removing it) const { difficulty, ...projectData } = data; const project = await prisma.project.update({ where: { id }, data: { ...projectData, updatedAt: new Date(), // Keep existing difficulty if not provided ...(difficulty ? { difficulty } : {}) } }); // Invalidate cache after successful update await apiCache.invalidateProject(id); await apiCache.invalidateAll(); return NextResponse.json(project); } catch (error) { console.error('Error updating project:', error); return NextResponse.json( { error: 'Failed to update project', details: error instanceof Error ? error.message : 'Unknown error' }, { status: 500 } ); } } export async function DELETE( request: NextRequest, { params }: { params: Promise<{ id: string }> } ) { try { const { id: idParam } = await params; const id = parseInt(idParam); await prisma.project.delete({ where: { id } }); // Invalidate cache after successful deletion await apiCache.invalidateProject(id); await apiCache.invalidateAll(); return NextResponse.json({ success: true }); } catch (error) { console.error('Error deleting project:', error); return NextResponse.json( { error: 'Failed to delete project' }, { status: 500 } ); } }