import { db } from '@/lib/db'
import { hash } from 'bcrypt'
import { NextResponse } from 'next/server'
import { normalize } from 'normalize-diacritics'

/**
 * @swagger
 * /api/signup:
 *
 *   post:
 *     description: Creates Account after Email was verified
 *     responses:
 *       200:
 *         description: Verification sent!
 *       422:
 *         description: Email already used
 *       500:
 *         description: Error!
 *
 */

export async function POST(req: Request) {
    try {
        const { username, email, password } = await req.json()
        const hashed = await hash(password, 12)

        const normalizedName = await normalize(username.toLowerCase())
        let usernameCheck = normalizedName
        const emailCheck = email.toLowerCase()

        const existingUser = await db.user.findUnique({
            where: {
                email: emailCheck
            }
        })

        if (existingUser) {
            return NextResponse.json({ error: 'Email already exists' }, { status: 422 })
        }

        let isUnique = false
        while (!isUnique) {
            const existingUserName = await db.user.findUnique({
                where: {
                    username: usernameCheck
                }
            })

            if (existingUserName) {
                usernameCheck = `${normalizedName}${Math.floor(Math.random() * 1000)}`
            } else {
                isUnique = true
            }
        }

        const user = await db.user.create({
            data: {
                name: username,
                username: usernameCheck,
                email: emailCheck,
                password: hashed
            }
        })

        return NextResponse.json({ usernameOrEmail: user.email })
    } catch (error) {
        return NextResponse.json({
            message: "Something went wrong",
            error,
        }, { status: 500 })
    }
}