podzahr/components/PaymentModal.tsx
nfel 9a7e627329
main: second iter
Signed-off-by: nfel <nfilsaraee@gmail.com>
2025-12-27 22:41:36 +03:30

269 lines
9.8 KiB
TypeScript

'use client';
import { useState } from 'react';
import { motion, AnimatePresence } from 'framer-motion';
import { FaTimes, FaCreditCard, FaLock } from 'react-icons/fa';
import { Album } from '@/lib/types';
interface PaymentModalProps {
album: Album | null;
onClose: () => void;
onSuccess: (albumId: string, transactionId: string) => void;
}
export default function PaymentModal({ album, onClose, onSuccess }: PaymentModalProps) {
const [cardNumber, setCardNumber] = useState('');
const [cardName, setCardName] = useState('');
const [phoneNumber, setPhoneNumber] = useState('');
const [email, setEmail] = useState('');
const [txReceipt, setTxReceipt] = useState('');
const [processing, setProcessing] = useState(false);
const [error, setError] = useState('');
const formatCardNumber = (value: string) => {
const numbers = value.replace(/\s/g, '');
const groups = numbers.match(/.{1,4}/g);
return groups ? groups.join(' ') : numbers;
};
const formatPhoneNumber = (value: string) => {
const numbers = value.replace(/\D/g, '');
if (numbers.length <= 3) return numbers;
if (numbers.length <= 6) return `(${numbers.slice(0, 3)}) ${numbers.slice(3)}`;
return `(${numbers.slice(0, 3)}) ${numbers.slice(3, 6)}-${numbers.slice(6, 10)}`;
};
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault();
setError('');
// Basic validation
if (cardNumber.replace(/\s/g, '').length !== 16) {
setError('Invalid card number');
return;
}
if (!cardName.trim()) {
setError('Name is required');
return;
}
if (phoneNumber.replace(/\D/g, '').length < 10) {
setError('Invalid phone number');
return;
}
const emailRegex = /^[^\s@]+@[^\s@]+\.[^\s@]+$/;
if (!emailRegex.test(email)) {
setError('Invalid email address');
return;
}
if (!txReceipt.trim()) {
setError('Transaction receipt is required');
return;
}
if (!album) return;
setProcessing(true);
try {
// Use the provided transaction receipt as the ID
const transactionId = txReceipt.trim() || 'TXN-' + Date.now() + '-' + Math.random().toString(36).substr(2, 9).toUpperCase();
// Create purchase via API
const response = await fetch('/api/purchases', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({
albumId: album.id,
transactionId,
customerName: cardName.trim(),
email: email.trim(),
phoneNumber: phoneNumber,
txReceipt: txReceipt.trim(),
purchaseDate: new Date().getTime(),
}),
});
if (!response.ok) {
const data = await response.json();
throw new Error(data.error || 'Failed to process purchase');
}
setProcessing(false);
onSuccess(album.id, transactionId);
} catch (err: any) {
setProcessing(false);
setError(err.message || 'Failed to process payment');
}
};
if (!album) return null;
return (
<AnimatePresence>
{album && (
<motion.div
initial={{ opacity: 0 }}
animate={{ opacity: 1 }}
exit={{ opacity: 0 }}
className="fixed inset-0 bg-black/80 backdrop-blur-sm z-50 flex items-center justify-center p-4"
onClick={onClose}
>
<motion.div
initial={{ scale: 0.9, opacity: 0 }}
animate={{ scale: 1, opacity: 1 }}
exit={{ scale: 0.9, opacity: 0 }}
onClick={(e) => e.stopPropagation()}
className="glass-effect rounded-2xl max-w-md w-full p-8 border-2 border-accent-cyan/30"
>
{/* Header */}
<div className="flex items-center justify-between mb-6">
<h2 className="text-2xl font-bold text-transparent bg-clip-text bg-gradient-to-r from-accent-cyan to-accent-orange">
Purchase Album
</h2>
<button
onClick={onClose}
className="p-2 hover:bg-white/10 rounded-full transition-colors"
aria-label="Close"
>
<FaTimes className="text-xl text-gray-400" />
</button>
</div>
{/* Album Info */}
<div className="mb-6 p-4 bg-white/5 rounded-lg">
<h3 className="font-semibold text-white">{album.title}</h3>
<p className="text-sm text-gray-400">{album.songs.length} tracks {album.genre}</p>
<p className="text-2xl font-bold text-accent-orange mt-2">${album.price}</p>
</div>
{/* Payment Form */}
<form onSubmit={handleSubmit} className="space-y-4">
{/* Card Number */}
<div>
<label className="block text-sm font-medium text-gray-300 mb-2">
<FaCreditCard className="inline mr-2" />
Card Number
</label>
<input
type="text"
value={cardNumber}
onChange={(e) => {
const formatted = formatCardNumber(e.target.value.replace(/\D/g, '').slice(0, 16));
setCardNumber(formatted);
}}
placeholder="1234 5678 9012 3456"
className="w-full px-4 py-3 bg-white/5 border border-white/10 rounded-lg focus:border-accent-cyan focus:outline-none focus:ring-2 focus:ring-accent-cyan/50 text-white placeholder-gray-500"
required
/>
</div>
{/* Card Name */}
<div>
<label className="block text-sm font-medium text-gray-300 mb-2">
Full Name
</label>
<input
type="text"
value={cardName}
onChange={(e) => setCardName(e.target.value)}
placeholder="John Doe"
className="w-full px-4 py-3 bg-white/5 border border-white/10 rounded-lg focus:border-accent-cyan focus:outline-none focus:ring-2 focus:ring-accent-cyan/50 text-white placeholder-gray-500"
required
/>
</div>
{/* Phone Number */}
<div>
<label className="block text-sm font-medium text-gray-300 mb-2">
Phone Number
</label>
<input
type="tel"
value={phoneNumber}
onChange={(e) => {
const formatted = formatPhoneNumber(e.target.value);
setPhoneNumber(formatted);
}}
placeholder="(123) 456-7890"
className="w-full px-4 py-3 bg-white/5 border border-white/10 rounded-lg focus:border-accent-cyan focus:outline-none focus:ring-2 focus:ring-accent-cyan/50 text-white placeholder-gray-500"
required
/>
</div>
{/* Email */}
<div>
<label className="block text-sm font-medium text-gray-300 mb-2">
Email Address
</label>
<input
type="email"
value={email}
onChange={(e) => setEmail(e.target.value)}
placeholder="john@example.com"
className="w-full px-4 py-3 bg-white/5 border border-white/10 rounded-lg focus:border-accent-cyan focus:outline-none focus:ring-2 focus:ring-accent-cyan/50 text-white placeholder-gray-500"
required
/>
</div>
{/* Transaction Receipt */}
<div>
<label className="block text-sm font-medium text-gray-300 mb-2">
Transaction Receipt / ID
</label>
<input
type="text"
value={txReceipt}
onChange={(e) => setTxReceipt(e.target.value)}
placeholder="TXN-123456789"
className="w-full px-4 py-3 bg-white/5 border border-white/10 rounded-lg focus:border-accent-cyan focus:outline-none focus:ring-2 focus:ring-accent-cyan/50 text-white placeholder-gray-500"
required
/>
</div>
{/* Error Message */}
{error && (
<motion.div
initial={{ opacity: 0, y: -10 }}
animate={{ opacity: 1, y: 0 }}
className="p-3 bg-red-500/20 border border-red-500/50 rounded-lg text-red-300 text-sm"
>
{error}
</motion.div>
)}
{/* Submit Button */}
<button
type="submit"
disabled={processing}
className="w-full py-4 bg-gradient-to-r from-accent-orange to-accent-orange/80 hover:from-accent-orange/90 hover:to-accent-orange/70 rounded-lg font-semibold text-white transition-all glow-orange disabled:opacity-50 disabled:cursor-not-allowed flex items-center justify-center gap-2"
>
{processing ? (
<>
<div className="animate-spin rounded-full h-5 w-5 border-b-2 border-white"></div>
Processing...
</>
) : (
<>
<FaLock />
Complete Purchase - ${album.price}
</>
)}
</button>
{/* Security Notice */}
<p className="text-xs text-gray-500 text-center mt-4">
<FaLock className="inline mr-1" />
This is a demo payment form. No real charges will be made.
</p>
</form>
</motion.div>
</motion.div>
)}
</AnimatePresence>
);
}