82 lines
2.5 KiB
TypeScript
82 lines
2.5 KiB
TypeScript
import { NextRequest, NextResponse } from 'next/server'
|
|
import { prisma } from '@/lib/db'
|
|
import { verifyToken } from '@/lib/auth'
|
|
|
|
// GET /api/highlights?locale=en - Get all highlights for user
|
|
// POST /api/highlights?locale=en - Create new highlight
|
|
export async function GET(req: NextRequest) {
|
|
try {
|
|
const authHeader = req.headers.get('authorization')
|
|
if (!authHeader) {
|
|
return NextResponse.json({ success: false, error: 'Unauthorized' }, { status: 401 })
|
|
}
|
|
|
|
const token = authHeader.replace('Bearer ', '')
|
|
const decoded = await verifyToken(token)
|
|
if (!decoded) {
|
|
return NextResponse.json({ success: false, error: 'Invalid token' }, { status: 401 })
|
|
}
|
|
|
|
const highlights = await prisma.highlight.findMany({
|
|
where: { userId: decoded.userId },
|
|
orderBy: { createdAt: 'desc' }
|
|
})
|
|
|
|
return NextResponse.json({ success: true, highlights })
|
|
} catch (error) {
|
|
console.error('Error fetching highlights:', error)
|
|
return NextResponse.json({ success: false, error: 'Failed to fetch highlights' }, { status: 500 })
|
|
}
|
|
}
|
|
|
|
export async function POST(req: NextRequest) {
|
|
try {
|
|
const authHeader = req.headers.get('authorization')
|
|
if (!authHeader) {
|
|
return NextResponse.json({ success: false, error: 'Unauthorized' }, { status: 401 })
|
|
}
|
|
|
|
const token = authHeader.replace('Bearer ', '')
|
|
const decoded = await verifyToken(token)
|
|
if (!decoded) {
|
|
return NextResponse.json({ success: false, error: 'Invalid token' }, { status: 401 })
|
|
}
|
|
|
|
const body = await req.json()
|
|
const { verseId, color, note, tags } = body
|
|
|
|
if (!verseId || !color) {
|
|
return NextResponse.json({ success: false, error: 'Missing required fields' }, { status: 400 })
|
|
}
|
|
|
|
// Check if highlight already exists
|
|
const existingHighlight = await prisma.highlight.findUnique({
|
|
where: {
|
|
userId_verseId: {
|
|
userId: decoded.userId,
|
|
verseId
|
|
}
|
|
}
|
|
})
|
|
|
|
if (existingHighlight) {
|
|
return NextResponse.json({ success: false, error: 'Highlight already exists' }, { status: 400 })
|
|
}
|
|
|
|
const highlight = await prisma.highlight.create({
|
|
data: {
|
|
userId: decoded.userId,
|
|
verseId,
|
|
color,
|
|
note,
|
|
tags: tags || []
|
|
}
|
|
})
|
|
|
|
return NextResponse.json({ success: true, highlight })
|
|
} catch (error) {
|
|
console.error('Error creating highlight:', error)
|
|
return NextResponse.json({ success: false, error: 'Failed to create highlight' }, { status: 500 })
|
|
}
|
|
}
|