- Filtere Songs ohne vollständige Song-Daten (song, filename) in CurateSpecialEditor - Füge defensive Prüfungen hinzu bevor WaveformEditor gerendert wird - Filtere unvollständige Songs bereits auf API-Ebene in curator/specials/[id] - Verhindert Fehler wenn Songs ohne filename oder song-Objekt geladen werden
66 lines
1.9 KiB
TypeScript
66 lines
1.9 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 GET(
|
|
request: NextRequest,
|
|
{ params }: { params: Promise<{ id: string }> }
|
|
) {
|
|
const { error, context } = await requireStaffAuth(request);
|
|
if (error || !context) return error!;
|
|
|
|
if (context.role !== 'curator') {
|
|
return NextResponse.json(
|
|
{ error: 'Only curators can access this endpoint' },
|
|
{ status: 403 }
|
|
);
|
|
}
|
|
|
|
const { id } = await params;
|
|
const specialId = Number(id);
|
|
if (!specialId || Number.isNaN(specialId)) {
|
|
return NextResponse.json({ error: 'Invalid special id' }, { status: 400 });
|
|
}
|
|
|
|
// Prüfen, ob dieses Special dem Kurator zugeordnet ist
|
|
const assignment = await prisma.curatorSpecial.findFirst({
|
|
where: { curatorId: context.curator.id, specialId },
|
|
});
|
|
|
|
if (!assignment) {
|
|
return NextResponse.json(
|
|
{ error: 'Forbidden: You are not allowed to access this special' },
|
|
{ status: 403 }
|
|
);
|
|
}
|
|
|
|
const special = await prisma.special.findUnique({
|
|
where: { id: specialId },
|
|
include: {
|
|
songs: {
|
|
include: {
|
|
song: true,
|
|
},
|
|
orderBy: { order: 'asc' },
|
|
},
|
|
},
|
|
});
|
|
|
|
if (!special) {
|
|
return NextResponse.json({ error: 'Special not found' }, { status: 404 });
|
|
}
|
|
|
|
// Filtere Songs ohne vollständige Song-Daten (song, song.filename)
|
|
// Dies verhindert Fehler im Frontend, wenn Songs gelöscht wurden oder Daten fehlen
|
|
const filteredSongs = special.songs.filter(ss => ss.song && ss.song.filename);
|
|
|
|
return NextResponse.json({
|
|
...special,
|
|
songs: filteredSongs,
|
|
});
|
|
}
|
|
|
|
|