- Benutzer können nach Rätsel-Abschluss optional Nachricht an Kuratoren senden - Kommentare werden in Datenbank gespeichert und in /curator angezeigt - Neue Datenbank-Modelle: CuratorComment und CuratorCommentRecipient - API-Routen für Kommentar-Versand, Abfrage und Markierung als gelesen - Rate-Limiting: 1 Kommentar pro Spieler pro Rätsel (persistent in DB) - Sicherheitsschutz: PlayerIdentifier-Validierung, Puzzle-Validierung - Automatische Zuordnung zu Kuratoren (Genre-basiert + globale Kuratoren) - Frontend: Kommentar-Formular in Game-Komponente - Frontend: Kommentare-Anzeige in Kuratoren-Seite mit Markierung als gelesen - Übersetzungen für DE und EN hinzugefügt
67 lines
1.8 KiB
TypeScript
67 lines
1.8 KiB
TypeScript
import { NextRequest, NextResponse } from 'next/server';
|
|
import { PrismaClient } from '@prisma/client';
|
|
import { requireStaffAuth } from '@/lib/auth';
|
|
|
|
const prisma = new PrismaClient();
|
|
|
|
export async function POST(
|
|
request: NextRequest,
|
|
{ params }: { params: Promise<{ id: string }> }
|
|
) {
|
|
// Require curator authentication
|
|
const { error, context } = await requireStaffAuth(request);
|
|
if (error || !context) {
|
|
return error!;
|
|
}
|
|
|
|
// Only curators can mark comments as read
|
|
if (context.role !== 'curator') {
|
|
return NextResponse.json(
|
|
{ error: 'Only curators can mark comments as read' },
|
|
{ status: 403 }
|
|
);
|
|
}
|
|
|
|
try {
|
|
const { id } = await params;
|
|
const commentId = Number(id);
|
|
const curatorId = context.curator.id;
|
|
|
|
// Verify that this comment belongs to this curator
|
|
const recipient = await prisma.curatorCommentRecipient.findUnique({
|
|
where: {
|
|
commentId_curatorId: {
|
|
commentId: commentId,
|
|
curatorId: curatorId
|
|
}
|
|
}
|
|
});
|
|
|
|
if (!recipient) {
|
|
return NextResponse.json(
|
|
{ error: 'Comment not found or access denied' },
|
|
{ status: 404 }
|
|
);
|
|
}
|
|
|
|
// Update readAt timestamp
|
|
await prisma.curatorCommentRecipient.update({
|
|
where: {
|
|
id: recipient.id
|
|
},
|
|
data: {
|
|
readAt: new Date()
|
|
}
|
|
});
|
|
|
|
return NextResponse.json({ success: true });
|
|
} catch (error) {
|
|
console.error('Error marking comment as read:', error);
|
|
return NextResponse.json(
|
|
{ error: 'Internal Server Error' },
|
|
{ status: 500 }
|
|
);
|
|
}
|
|
}
|
|
|