first commit

This commit is contained in:
2026-01-17 14:17:42 +05:30
commit 0f194eb9e7
328 changed files with 73544 additions and 0 deletions

186
app/api/orders/route.ts Normal file
View File

@@ -0,0 +1,186 @@
import { NextRequest, NextResponse } from "next/server";
import { auth } from '@/auth'
import { prisma } from '@/lib/prisma'
import { createRazorpayInstance, getRazorpayKeyId } from '@/lib/razorpay'
export async function POST(request: NextRequest) {
try {
const session = await auth()
if (!session?.user?.id) {
return NextResponse.json(
{ error: 'Authentication required to place orders' },
{ status: 401 }
)
}
const data = await request.json()
const { items, total, shippingAddress, shippingAddressId } = data
// Validate required fields
if (!items || !Array.isArray(items) || items.length === 0) {
return NextResponse.json(
{ error: 'Order items are required' },
{ status: 400 }
)
}
if (!total || total <= 0) {
return NextResponse.json(
{ error: 'Valid order total is required' },
{ status: 400 }
)
}
// Validate stock availability for all items
for (const item of items) {
const product = await prisma.product.findUnique({
where: { id: item.productId },
select: { stock: true, name: true, isActive: true }
})
if (!product) {
return NextResponse.json(
{ error: `Product not found: ${item.productId}` },
{ status: 400 }
)
}
if (!product.isActive) {
return NextResponse.json(
{ error: `Product is no longer available: ${product.name}` },
{ status: 400 }
)
}
if (product.stock < item.quantity) {
return NextResponse.json(
{ error: `Insufficient stock for ${product.name}. Available: ${product.stock}, Requested: ${item.quantity}` },
{ status: 400 }
)
}
}
const razorpay = createRazorpayInstance()
const razorpayKeyId = getRazorpayKeyId()
console.log('Creating Razorpay order for amount:', total)
console.log('Using Razorpay environment:', process.env.RAZORPAY_ENV || 'test')
console.log('Razorpay Key ID:', razorpayKeyId)
// Create Razorpay order
const razorpayOrder = await razorpay.orders.create({
amount: Math.round(total * 100), // Convert to paise
currency: 'INR',
receipt: `order_${Date.now()}`,
notes: {
userId: session.user.id,
itemCount: items.length,
environment: process.env.RAZORPAY_ENV || 'test'
}
})
console.log('Razorpay order created:', razorpayOrder.id)
// Use transaction to ensure atomicity
const result = await prisma.$transaction(async (tx) => {
// Create order
const order = await tx.order.create({
data: {
userId: session.user.id,
total,
status: 'PENDING',
razorpayOrderId: razorpayOrder.id,
shippingAddressId: shippingAddressId || null,
orderItems: {
create: items.map((item: any) => ({
productId: item.productId,
quantity: item.quantity,
price: item.price
}))
}
},
include: {
orderItems: {
include: {
product: true
}
},
shippingAddress: true
}
})
// Reserve stock (reduce stock for pending orders)
for (const item of items) {
await tx.product.update({
where: { id: item.productId },
data: {
stock: {
decrement: item.quantity
}
}
})
}
return order
})
return NextResponse.json({
id: result.id,
total: result.total,
status: result.status,
createdAt: result.createdAt,
razorpayOrderId: razorpayOrder.id,
razorpayKeyId: razorpayKeyId,
isProduction: process.env.RAZORPAY_ENV === 'production'
})
} catch (error) {
console.error('Error creating order:', error)
return NextResponse.json(
{ error: 'Failed to create order' },
{ status: 500 }
)
}
}
export async function GET(request: NextRequest) {
try {
const session = await auth()
if (!session?.user?.id) {
return NextResponse.json({ error: 'Unauthorized' }, { status: 401 })
}
const orders = await prisma.order.findMany({
where: {
userId: session.user.id
},
include: {
orderItems: {
include: {
product: {
select: {
id: true,
name: true,
images: true,
discount: true
}
}
}
}
},
orderBy: {
createdAt: 'desc'
}
})
return NextResponse.json(orders)
} catch (error) {
console.error('Error fetching orders:', error)
return NextResponse.json(
{ error: 'Failed to fetch orders' },
{ status: 500 }
)
}
}