Files
WearPartTracker/app/components/BikeForm.tsx
Denis Urs Rudolph d37676f3c0 Feature: Kilometerstand-Feld für Fahrräder und verbesserte Warnungen
- currentMileage Feld zu Bike-Modell hinzugefügt
- calculateServiceStatus verwendet jetzt aktuellen Kilometerstand des Fahrrads
- Warnungen für überfällige Wartungen (OVERDUE Status)
- Rote Warnung bei überfälligen Teilen
- Kilometerstand wird in BikeDetail und BikeCard angezeigt
- AlertBadge unterstützt jetzt critical Variante
- Verbesserte Statusanzeige mit Überfällig-Hinweis
2025-12-05 22:37:10 +01:00

205 lines
6.2 KiB
TypeScript

'use client'
import { useState } from 'react'
import { bikeSchema } from '@/lib/validations'
interface BikeFormProps {
onSuccess: () => void
onCancel: () => void
}
export default function BikeForm({ onSuccess, onCancel }: BikeFormProps) {
const [formData, setFormData] = useState({
name: '',
brand: '',
model: '',
purchaseDate: '',
currentMileage: 0,
notes: '',
})
const [errors, setErrors] = useState<Record<string, string>>({})
const [isSubmitting, setIsSubmitting] = useState(false)
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault()
setErrors({})
setIsSubmitting(true)
try {
const validatedData = bikeSchema.parse({
...formData,
purchaseDate: formData.purchaseDate || undefined,
})
const response = await fetch('/api/bikes', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify(validatedData),
})
if (response.ok) {
onSuccess()
setFormData({
name: '',
brand: '',
model: '',
purchaseDate: '',
currentMileage: 0,
notes: '',
})
} else {
const errorData = await response.json()
if (errorData.details) {
const zodErrors: Record<string, string> = {}
errorData.details.errors?.forEach((err: any) => {
if (err.path) {
zodErrors[err.path[0]] = err.message
}
})
setErrors(zodErrors)
} else {
alert('Fehler beim Erstellen des Fahrrads')
}
}
} catch (error: any) {
if (error.errors) {
const zodErrors: Record<string, string> = {}
error.errors.forEach((err: any) => {
if (err.path) {
zodErrors[err.path[0]] = err.message
}
})
setErrors(zodErrors)
} else {
console.error('Error creating bike:', error)
alert('Fehler beim Erstellen des Fahrrads')
}
} finally {
setIsSubmitting(false)
}
}
return (
<div className="bg-white rounded-lg shadow-md p-6">
<h2 className="text-2xl font-semibold mb-4">Neues Fahrrad hinzufügen</h2>
<form onSubmit={handleSubmit} className="space-y-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Name *
</label>
<input
type="text"
value={formData.name}
onChange={(e) =>
setFormData({ ...formData, name: e.target.value })
}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:ring-2 focus:ring-blue-500 focus:border-transparent text-black"
required
/>
{errors.name && (
<p className="text-red-600 text-sm mt-1">{errors.name}</p>
)}
</div>
<div className="grid grid-cols-2 gap-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Marke
</label>
<input
type="text"
value={formData.brand}
onChange={(e) =>
setFormData({ ...formData, brand: e.target.value })
}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:ring-2 focus:ring-blue-500 focus:border-transparent text-black"
/>
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Modell
</label>
<input
type="text"
value={formData.model}
onChange={(e) =>
setFormData({ ...formData, model: e.target.value })
}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:ring-2 focus:ring-blue-500 focus:border-transparent text-black"
/>
</div>
</div>
<div className="grid grid-cols-2 gap-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Kaufdatum
</label>
<input
type="date"
value={formData.purchaseDate}
onChange={(e) =>
setFormData({ ...formData, purchaseDate: e.target.value })
}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:ring-2 focus:ring-blue-500 focus:border-transparent text-black"
/>
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Aktueller Kilometerstand (km)
</label>
<input
type="number"
value={formData.currentMileage}
onChange={(e) =>
setFormData({
...formData,
currentMileage: Number(e.target.value) || 0,
})
}
min="0"
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:ring-2 focus:ring-blue-500 focus:border-transparent text-black"
/>
</div>
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Notizen
</label>
<textarea
value={formData.notes}
onChange={(e) =>
setFormData({ ...formData, notes: e.target.value })
}
rows={3}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:ring-2 focus:ring-blue-500 focus:border-transparent text-black"
/>
</div>
<div className="flex gap-2">
<button
type="submit"
disabled={isSubmitting}
className="px-6 py-2 bg-blue-600 text-white rounded-lg hover:bg-blue-700 transition-colors disabled:opacity-50"
>
{isSubmitting ? 'Erstellen...' : 'Erstellen'}
</button>
<button
type="button"
onClick={onCancel}
className="px-6 py-2 bg-gray-300 text-gray-700 rounded-lg hover:bg-gray-400 transition-colors"
>
Abbrechen
</button>
</div>
</form>
</div>
)
}