109 lines
2.6 KiB
TypeScript
109 lines
2.6 KiB
TypeScript
import { NextResponse } from "next/server";
|
|
import { prisma } from "../../../lib/prisma";
|
|
import { isAdminSession, requireSession } from "../../../lib/auth-helpers";
|
|
|
|
export async function GET(request: Request) {
|
|
const { session } = await requireSession();
|
|
if (!session) {
|
|
return NextResponse.json({ error: "Unauthorized" }, { status: 401 });
|
|
}
|
|
|
|
const { searchParams } = new URL(request.url);
|
|
const status = searchParams.get("status");
|
|
const isAdmin = isAdminSession(session);
|
|
|
|
const where = isAdmin
|
|
? status
|
|
? { status }
|
|
: {}
|
|
: {
|
|
OR: [
|
|
{ status: "APPROVED" },
|
|
{ createdBy: { email: session.user?.email || "" } }
|
|
]
|
|
};
|
|
|
|
const events = await prisma.event.findMany({
|
|
where,
|
|
orderBy: { startAt: "asc" },
|
|
include: { category: true }
|
|
});
|
|
|
|
return NextResponse.json(events);
|
|
}
|
|
|
|
export async function POST(request: Request) {
|
|
const { session } = await requireSession();
|
|
if (!session) {
|
|
return NextResponse.json({ error: "Unauthorized" }, { status: 401 });
|
|
}
|
|
|
|
const body = await request.json();
|
|
const {
|
|
title,
|
|
description,
|
|
location,
|
|
locationPlaceId,
|
|
locationLat,
|
|
locationLng,
|
|
startAt,
|
|
endAt,
|
|
categoryId
|
|
} = body || {};
|
|
|
|
if (!title || !startAt) {
|
|
return NextResponse.json(
|
|
{ error: "Titel und Start sind erforderlich." },
|
|
{ status: 400 }
|
|
);
|
|
}
|
|
|
|
if (!categoryId) {
|
|
return NextResponse.json(
|
|
{ error: "Kategorie ist erforderlich." },
|
|
{ status: 400 }
|
|
);
|
|
}
|
|
|
|
const startDate = new Date(startAt);
|
|
const endDate = endAt
|
|
? new Date(endAt)
|
|
: new Date(startDate.getTime() + 3 * 60 * 60 * 1000);
|
|
const creatorEmail = session.user?.email || "";
|
|
|
|
const existing = await prisma.event.findFirst({
|
|
where: {
|
|
title,
|
|
startAt: startDate,
|
|
location: location || null,
|
|
categoryId,
|
|
createdBy: { email: creatorEmail }
|
|
}
|
|
});
|
|
|
|
if (existing) {
|
|
return NextResponse.json(
|
|
{ error: "Ein identischer Termin existiert bereits." },
|
|
{ status: 409 }
|
|
);
|
|
}
|
|
|
|
const event = await prisma.event.create({
|
|
data: {
|
|
title,
|
|
description: description || null,
|
|
location: location || null,
|
|
locationPlaceId: locationPlaceId || null,
|
|
locationLat: locationLat ? Number(locationLat) : null,
|
|
locationLng: locationLng ? Number(locationLng) : null,
|
|
startAt: startDate,
|
|
endAt: endDate,
|
|
status: isAdminSession(session) ? "APPROVED" : "PENDING",
|
|
createdBy: { connect: { email: creatorEmail } },
|
|
category: { connect: { id: categoryId } }
|
|
}
|
|
});
|
|
|
|
return NextResponse.json(event, { status: 201 });
|
|
}
|