"use client"; import { useState } from 'react'; import { z } from 'zod'; import { useForm } from 'react-hook-form'; import { zodResolver } from '@hookform/resolvers/zod'; import { Button } from '@/components/ui/button'; import { Form, FormControl, FormDescription, FormField, FormItem, FormLabel, FormMessage, } from '@/components/ui/form'; import { Input } from '@/components/ui/input'; import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue, } from '@/components/ui/select'; import { useToast } from '@/hooks/use-toast'; import { ArrowLeft, Loader2 } from 'lucide-react'; interface DNSRecord { id: string; type: string; name: string; data: string; priority?: number; ttl: number; } interface RecordFormProps { apiKey: string; domain: string; record?: DNSRecord | null; onCancel: () => void; onSuccess: () => void; } const recordSchema = z.object({ type: z.string(), name: z.string(), data: z.string(), priority: z.number().optional(), ttl: z.number().min(60, 'TTL must be at least 60 seconds'), // SSHFP specific fields algorithm: z.number().min(0).max(4).optional(), fptype: z.number().min(0).max(2).optional(), fingerprint: z.string().optional(), }); export function RecordForm({ apiKey, domain, record, onCancel, onSuccess }: RecordFormProps) { const [isSubmitting, setIsSubmitting] = useState(false); const { toast } = useToast(); const form = useForm>({ resolver: zodResolver(recordSchema), defaultValues: { type: record?.type || 'A', name: record?.name || '', data: record?.data || '', priority: record?.priority, ttl: record?.ttl || 3600, algorithm: undefined, fptype: undefined, fingerprint: '', }, }); const watchType = form.watch('type'); const watchAlgorithm = form.watch('algorithm'); const watchFptype = form.watch('fptype'); const watchFingerprint = form.watch('fingerprint'); // Update data field when SSHFP components change const updateSSHFPData = () => { if (watchType === 'SSHFP' && watchAlgorithm !== undefined && watchFptype !== undefined && watchFingerprint) { const sshfpData = `${watchAlgorithm} ${watchFptype} ${watchFingerprint}`; form.setValue('data', sshfpData); } }; // Parse SSHFP data when editing an existing record const parseSSHFPData = (data: string) => { if (record?.type === 'SSHFP' && data) { const parts = data.split(' '); if (parts.length >= 3) { form.setValue('algorithm', parseInt(parts[0])); form.setValue('fptype', parseInt(parts[1])); form.setValue('fingerprint', parts.slice(2).join(' ')); } } }; // Parse SSHFP data on initial load useState(() => { if (record?.type === 'SSHFP' && record.data) { parseSSHFPData(record.data); } }); async function onSubmit(values: z.infer) { // Ensure SSHFP data is properly formatted if (values.type === 'SSHFP') { updateSSHFPData(); } setIsSubmitting(true); try { const url = record ? `/api/vultr/domains/${domain}/records/${record.id}` : `/api/vultr/domains/${domain}/records`; const method = record ? 'PUT' : 'POST'; // Remove SSHFP specific fields before sending to API const { algorithm, fptype, fingerprint, ...apiValues } = values; const response = await fetch(url, { method, headers: { 'Content-Type': 'application/json', 'X-API-Key': apiKey, }, body: JSON.stringify(apiValues), }); if (!response.ok) { throw new Error('Failed to save record'); } toast({ title: 'Success', description: `DNS record ${record ? 'updated' : 'created'} successfully.`, }); onSuccess(); } catch (error) { console.error('Error saving record:', error); toast({ title: 'Error', description: `Failed to ${record ? 'update' : 'create'} DNS record.`, variant: 'destructive', }); } finally { setIsSubmitting(false); } } return (

{record ? 'Edit DNS Record' : 'Add DNS Record'}

( Record Type The type of DNS record to create. )} /> ( Name Subdomain name (@ for root domain) )} /> {watchType !== 'SSHFP' && ( ( Value {watchType === 'A' || watchType === 'AAAA' ? 'IP address' : watchType === 'CNAME' ? 'Target domain' : watchType === 'TXT' ? 'Text content' : 'Record value'} )} /> )} {watchType === 'SSHFP' && ( <> ( Algorithm SSH key algorithm )} /> ( Fingerprint Type Fingerprint hash algorithm )} /> ( Fingerprint { field.onChange(e.target.value); setTimeout(updateSSHFPData, 0); }} /> Hexadecimal fingerprint value )} /> )} {watchType === 'MX' && ( ( Priority field.onChange(parseInt(e.target.value) || 0)} /> Priority for MX records (lower values have higher priority) )} /> )} ( TTL (seconds) field.onChange(parseInt(e.target.value) || 3600)} /> Time to live in seconds (min: 60) )} />
); }