Now uses the existing infrastructure instead of base64: - Created photos API client for multipart/form-data upload - Upload to /api/v1/photos/upload endpoint - Backend handles Sharp image optimization (resize, compress, format conversion) - MinIO/S3-compatible storage for scalable file management - 10MB file size limit (up from 5MB base64) - Shows upload progress with spinner - Returns optimized CDN-ready URLs - Proper error handling with backend validation Benefits over previous base64 approach: ✅ Images optimized with Sharp (smaller sizes, better quality) ✅ Stored in MinIO (scalable object storage) ✅ CDN-ready URLs for fast delivery ✅ No database bloat from base64 strings ✅ Supports larger files (10MB vs 5MB) ✅ Automatic thumbnail generation ✅ Better performance and scalability 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude <noreply@anthropic.com>
172 lines
4.5 KiB
TypeScript
172 lines
4.5 KiB
TypeScript
'use client';
|
|
|
|
import { useState, useEffect } from 'react';
|
|
import {
|
|
Dialog,
|
|
DialogTitle,
|
|
DialogContent,
|
|
DialogActions,
|
|
Button,
|
|
TextField,
|
|
MenuItem,
|
|
Box,
|
|
Alert,
|
|
} from '@mui/material';
|
|
import { Child, CreateChildData } from '@/lib/api/children';
|
|
import { useTranslation } from '@/hooks/useTranslation';
|
|
import { PhotoUpload } from '@/components/common/PhotoUpload';
|
|
|
|
interface ChildDialogProps {
|
|
open: boolean;
|
|
onClose: () => void;
|
|
onSubmit: (data: CreateChildData) => Promise<void>;
|
|
child?: Child | null;
|
|
isLoading?: boolean;
|
|
}
|
|
|
|
export function ChildDialog({ open, onClose, onSubmit, child, isLoading = false }: ChildDialogProps) {
|
|
const { t } = useTranslation('children');
|
|
const [formData, setFormData] = useState<CreateChildData>({
|
|
name: '',
|
|
birthDate: '',
|
|
gender: 'male',
|
|
photoUrl: '',
|
|
});
|
|
const [error, setError] = useState<string>('');
|
|
|
|
useEffect(() => {
|
|
if (child) {
|
|
setFormData({
|
|
name: child.name,
|
|
birthDate: child.birthDate.split('T')[0], // Convert to YYYY-MM-DD format
|
|
gender: child.gender,
|
|
photoUrl: child.photoUrl || '',
|
|
});
|
|
} else {
|
|
setFormData({
|
|
name: '',
|
|
birthDate: '',
|
|
gender: 'male',
|
|
photoUrl: '',
|
|
});
|
|
}
|
|
setError('');
|
|
}, [child, open]);
|
|
|
|
const handleChange = (field: keyof CreateChildData) => (
|
|
e: React.ChangeEvent<HTMLInputElement>
|
|
) => {
|
|
setFormData({ ...formData, [field]: e.target.value });
|
|
};
|
|
|
|
const handleSubmit = async () => {
|
|
setError('');
|
|
|
|
// Validation
|
|
if (!formData.name.trim()) {
|
|
setError(t('dialog.validation.nameRequired'));
|
|
return;
|
|
}
|
|
if (!formData.birthDate) {
|
|
setError(t('dialog.validation.birthDateRequired'));
|
|
return;
|
|
}
|
|
|
|
// Check if birth date is in the future
|
|
const selectedDate = new Date(formData.birthDate);
|
|
const today = new Date();
|
|
today.setHours(0, 0, 0, 0);
|
|
if (selectedDate > today) {
|
|
setError(t('dialog.validation.birthDateFuture'));
|
|
return;
|
|
}
|
|
|
|
try {
|
|
await onSubmit(formData);
|
|
onClose();
|
|
} catch (err: any) {
|
|
setError(err.message || t('errors.saveFailed'));
|
|
}
|
|
};
|
|
|
|
return (
|
|
<Dialog
|
|
open={open}
|
|
onClose={onClose}
|
|
maxWidth="sm"
|
|
fullWidth
|
|
aria-labelledby="child-dialog-title"
|
|
aria-describedby="child-dialog-description"
|
|
>
|
|
<DialogTitle id="child-dialog-title">{child ? t('editChild') : t('addChild')}</DialogTitle>
|
|
<DialogContent>
|
|
<Box
|
|
id="child-dialog-description"
|
|
sx={{ pt: 2, display: 'flex', flexDirection: 'column', gap: 2 }}
|
|
>
|
|
{error && (
|
|
<Alert severity="error" onClose={() => setError('')} role="alert">
|
|
{error}
|
|
</Alert>
|
|
)}
|
|
|
|
<TextField
|
|
label={t('dialog.name')}
|
|
value={formData.name}
|
|
onChange={handleChange('name')}
|
|
fullWidth
|
|
required
|
|
autoFocus
|
|
disabled={isLoading}
|
|
/>
|
|
|
|
<TextField
|
|
label={t('dialog.birthDate')}
|
|
type="date"
|
|
value={formData.birthDate}
|
|
onChange={handleChange('birthDate')}
|
|
fullWidth
|
|
required
|
|
InputLabelProps={{
|
|
shrink: true,
|
|
}}
|
|
disabled={isLoading}
|
|
/>
|
|
|
|
<TextField
|
|
label={t('dialog.gender')}
|
|
value={formData.gender}
|
|
onChange={handleChange('gender')}
|
|
fullWidth
|
|
required
|
|
select
|
|
disabled={isLoading}
|
|
>
|
|
<MenuItem value="male">{t('gender.male')}</MenuItem>
|
|
<MenuItem value="female">{t('gender.female')}</MenuItem>
|
|
<MenuItem value="other">{t('gender.other')}</MenuItem>
|
|
</TextField>
|
|
|
|
<PhotoUpload
|
|
label={t('dialog.photoUrl')}
|
|
value={formData.photoUrl || ''}
|
|
onChange={(url) => setFormData({ ...formData, photoUrl: url })}
|
|
disabled={isLoading}
|
|
size={80}
|
|
childId={child?.id}
|
|
type="profile"
|
|
/>
|
|
</Box>
|
|
</DialogContent>
|
|
<DialogActions>
|
|
<Button onClick={onClose} disabled={isLoading}>
|
|
{t('dialog.cancel')}
|
|
</Button>
|
|
<Button onClick={handleSubmit} variant="contained" disabled={isLoading}>
|
|
{isLoading ? t('dialog.saving') : child ? t('dialog.update') : t('dialog.add')}
|
|
</Button>
|
|
</DialogActions>
|
|
</Dialog>
|
|
);
|
|
}
|