Files
maternal-app/maternal-web/components/children/ChildDialog.tsx
Andrei 2110359307
Some checks failed
CI/CD Pipeline / Lint and Test (push) Has been cancelled
CI/CD Pipeline / E2E Tests (push) Has been cancelled
CI/CD Pipeline / Build Application (push) Has been cancelled
feat: Add comprehensive accessibility improvements and medical tracking
- **EULA Persistence Fix**: Fixed EULA dialog showing on every login
  - Added eulaAcceptedAt/eulaVersion to AuthResponse interface
  - Updated login/register/getUserById endpoints to return EULA fields
  - Changed EULACheck to use refreshUser() instead of window.reload()

- **Touch Target Accessibility**: All interactive elements now meet 48x48px minimum
  - Fixed 14 undersized IconButtons across 5 files
  - Changed size="small" to size="medium" with minWidth/minHeight constraints
  - Updated children page, AI chat, analytics cards, legal viewer

- **Alt Text for Images**: Complete image accessibility for screen readers
  - Added photoAlt field to children table (Migration V009)
  - PhotoUpload component now includes alt text input field
  - All Avatar components have meaningful alt text
  - Default alt text: "Photo of {childName}", "{userName}'s profile photo"

- **Medical Tracking Consolidation**: Unified medical page with tabs
  - Medicine page now has 3 tabs: Medication, Temperature, Doctor Visit
  - Backward compatibility for legacy 'medicine' activity type
  - Created dedicated /track/growth page for physical measurements

- **Track Page Updates**:
  - Simplified to 6 options: Feeding, Sleep, Diaper, Medical, Activity, Growth
  - Fixed grid layout to 3 cards per row with minWidth: 200px
  - Updated terminology from "Medicine" to "Medical"

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
2025-10-04 13:15:23 +00:00

175 lines
4.6 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: '',
photoAlt: '',
});
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 || '',
photoAlt: child.photoAlt || '',
});
} else {
setFormData({
name: '',
birthDate: '',
gender: 'male',
photoUrl: '',
photoAlt: '',
});
}
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 })}
altText={formData.photoAlt || ''}
onAltTextChange={(altText) => setFormData({ ...formData, photoAlt: altText })}
disabled={isLoading}
size={80}
/>
</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>
);
}