149 lines
3.3 KiB
TypeScript
149 lines
3.3 KiB
TypeScript
import { NextRequest, NextResponse } from 'next/server'
|
|
import { auth } from '@/auth'
|
|
import { prisma } from '@/lib/prisma'
|
|
|
|
export async function GET(
|
|
request: NextRequest,
|
|
{ params }: { params: Promise<{ id: string }> }
|
|
) {
|
|
try {
|
|
const session = await auth()
|
|
|
|
if (!session?.user || session.user.role !== 'ADMIN') {
|
|
return NextResponse.json({ error: 'Unauthorized' }, { status: 401 })
|
|
}
|
|
|
|
const { id } = await params
|
|
|
|
const order = await prisma.order.findUnique({
|
|
where: { id },
|
|
include: {
|
|
user: {
|
|
select: {
|
|
id: true,
|
|
name: true,
|
|
email: true,
|
|
phone: true
|
|
}
|
|
},
|
|
orderItems: {
|
|
include: {
|
|
product: {
|
|
select: {
|
|
id: true,
|
|
name: true,
|
|
images: true,
|
|
sku: true,
|
|
price: true
|
|
}
|
|
}
|
|
}
|
|
},
|
|
shippingAddress: {
|
|
select: {
|
|
firstName: true,
|
|
lastName: true,
|
|
company: true,
|
|
address1: true,
|
|
address2: true,
|
|
city: true,
|
|
state: true,
|
|
zipCode: true,
|
|
country: true,
|
|
phone: true
|
|
}
|
|
}
|
|
}
|
|
})
|
|
|
|
if (!order) {
|
|
return NextResponse.json({ error: 'Order not found' }, { status: 404 })
|
|
}
|
|
|
|
return NextResponse.json(order)
|
|
} catch (error) {
|
|
console.error('Error fetching order:', error)
|
|
return NextResponse.json(
|
|
{ error: 'Failed to fetch order' },
|
|
{ status: 500 }
|
|
)
|
|
}
|
|
}
|
|
|
|
export async function PATCH(
|
|
request: NextRequest,
|
|
{ params }: { params: Promise<{ id: string }> }
|
|
) {
|
|
try {
|
|
const session = await auth()
|
|
|
|
if (!session?.user || session.user.role !== 'ADMIN') {
|
|
return NextResponse.json({ error: 'Unauthorized' }, { status: 401 })
|
|
}
|
|
|
|
const { id } = await params
|
|
const body = await request.json()
|
|
const { status } = body
|
|
|
|
if (!['PENDING', 'PAID', 'SHIPPED', 'DELIVERED', 'CANCELLED'].includes(status)) {
|
|
return NextResponse.json(
|
|
{ error: 'Invalid status' },
|
|
{ status: 400 }
|
|
)
|
|
}
|
|
|
|
const order = await prisma.order.update({
|
|
where: { id },
|
|
data: {
|
|
status,
|
|
updatedAt: new Date()
|
|
},
|
|
include: {
|
|
user: {
|
|
select: {
|
|
id: true,
|
|
name: true,
|
|
email: true,
|
|
phone: true
|
|
}
|
|
},
|
|
orderItems: {
|
|
include: {
|
|
product: {
|
|
select: {
|
|
id: true,
|
|
name: true,
|
|
images: true,
|
|
sku: true,
|
|
price: true
|
|
}
|
|
}
|
|
}
|
|
},
|
|
shippingAddress: {
|
|
select: {
|
|
firstName: true,
|
|
lastName: true,
|
|
company: true,
|
|
address1: true,
|
|
address2: true,
|
|
city: true,
|
|
state: true,
|
|
zipCode: true,
|
|
country: true,
|
|
phone: true
|
|
}
|
|
}
|
|
}
|
|
})
|
|
|
|
return NextResponse.json(order)
|
|
} catch (error) {
|
|
console.error('Error updating order:', error)
|
|
return NextResponse.json(
|
|
{ error: 'Failed to update order' },
|
|
{ status: 500 }
|
|
)
|
|
}
|
|
}
|