Improved the settings page by removing individual save buttons from each preference component and adding unified save buttons per section: ## Changes Made ### Component Updates - **TimeZoneSelector**: Converted to controlled component with value/onChange props * Removed internal state management and save button * Removed success/error alerts (now handled by parent) * Added auto-detect as simple button without save - **TimeFormatSelector**: Converted to controlled component with value/onChange props * Removed internal state management and save button * Removed success/error alerts (now handled by parent) * Simplified to just radio buttons with preview ### Settings Page Improvements - Added timezone and timeFormat to local state - Created separate save handlers: * `handleSaveProfile` - for name/email changes * `handleSavePreferences` - for timezone and time format - Three clear sections with dedicated save buttons: 1. **Profile Information** → "Save Profile" button 2. **Preferences** (Language, Units, Timezone, Time Format) → "Save Preferences" button 3. **Notifications** → "Save Notification Settings" button ### User Experience Benefits - Clearer separation between different types of settings - Single save action per logical section instead of multiple buttons - Consistent save pattern across all settings cards - Reduced visual clutter with fewer buttons on page - Better organization: related settings grouped with one save action Files changed: 3 files (TimeZoneSelector, TimeFormatSelector, settings page) 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude <noreply@anthropic.com>
22 KiB
Localization Implementation Plan
Created: October 3, 2025 Priority: HIGH (Pre-Launch) Estimated Duration: 2-3 days
Overview
Implement comprehensive internationalization (i18n) support for the Maternal App with 5 languages and measurement unit preferences.
Supported Languages
- English (en-US) - Primary/Default
- Spanish (es-ES)
- French (fr-FR)
- Portuguese (pt-BR)
- Simplified Chinese (zh-CN)
Current Status - Updated October 3, 2025
✅ Already Completed (Backend)
- Backend multilanguage support for AI responses
- AI safety responses in 5 languages
- MultiLanguageService with language detection
✅ Completed (Frontend - Phases 1-9)
- ✅ Phase 1: i18next framework installed and configured
- ✅ Phase 2: Translation files structure created (40 files: 5 languages × 8 namespaces)
- ✅ Phase 3: Custom hooks created (useTranslation, useLocale, useFormatting)
- ✅ Phase 4: Backend user schema updated with measurementUnit in preferences JSONB
- ✅ Phase 5: Language & measurement selectors in Settings page
- ✅ Phase 7: Settings page fully localized with preferences
- ✅ Phase 8: Measurement unit conversion utilities implemented
- ✅ Phase 9: Applied localization to core pages:
- Login & authentication pages
- Dashboard with welcome message, quick actions, summary
- Navigation (AppShell, MobileNav, TabBar)
- Track main page (activity selection)
- Children page (with age formatting & pluralization)
- All connection status indicators
✅ Translation Files Created (40 files)
common.json- UI strings, navigation, connection (all 5 languages)auth.json- Authentication pages (all 5 languages)dashboard.json- Dashboard/home page (all 5 languages)tracking.json- Activity tracking (all 5 languages)children.json- Child management (all 5 languages)settings.json- Settings page (all 5 languages)ai.json- AI assistant (all 5 languages)errors.json- Error messages (all 5 languages)
⏳ Remaining To Be Implemented
- Language selector in onboarding flow (Phase 6)
- Individual tracking pages (feeding, sleep, diaper, medicine) with unit conversions (Phase 12)
- Family management page localization
- Analytics/insights page localization
- Settings page localization
- Date/time localization throughout app (Phase 10)
- Number formatting per locale (Phase 11)
- Professional translation review (Phase 13.2)
- Comprehensive testing (Phase 14)
Phase 1: Framework Setup ✅ COMPLETED
1.1 Install Dependencies - latest versions only! ✅
Files: package.json
npm install i18next react-i18next i18next-browser-languagedetector
npm install date-fns # Already installed, confirm locales
Packages:
i18next- Core i18n frameworkreact-i18next- React bindingsi18next-browser-languagedetector- Auto-detect user language
1.2 Create i18n Configuration ✅
File: lib/i18n/config.ts (CREATED)
- ✅ Initialize i18next
- ✅ Configure language detector
- ✅ Set up fallback language (en-US)
- ✅ Configure interpolation
- ✅ Load translation resources
1.3 Create i18n Provider ✅
File: components/providers/I18nProvider.tsx (CREATED)
- ✅ Wrap app with I18nextProvider
- ✅ Initialize i18n on mount
- ✅ Handle language loading states
1.4 Update Root Layout ✅
File: app/layout.tsx (MODIFIED)
- ✅ Add I18nProvider to provider stack
- ⏳ Set html lang attribute dynamically (TODO)
Phase 2: Translation Files Structure ✅ COMPLETED
2.1 Directory Structure
locales/
├── en/
│ ├── common.json # Common UI strings (buttons, labels, etc.)
│ ├── auth.json # Authentication pages
│ ├── dashboard.json # Dashboard/home page
│ ├── tracking.json # Activity tracking
│ ├── children.json # Child management
│ ├── family.json # Family management
│ ├── ai.json # AI assistant
│ ├── analytics.json # Analytics/insights
│ ├── settings.json # Settings page
│ ├── onboarding.json # Onboarding flow
│ ├── errors.json # Error messages
│ └── validation.json # Form validation messages
├── es/
│ └── [same structure]
├── fr/
│ └── [same structure]
├── pt/
│ └── [same structure]
└── zh/
└── [same structure]
2.2 Translation Keys Structure
Example - common.json:
{
"nav": {
"dashboard": "Dashboard",
"track": "Track",
"children": "Children",
"family": "Family",
"ai": "AI Assistant",
"analytics": "Analytics",
"settings": "Settings"
},
"buttons": {
"save": "Save",
"cancel": "Cancel",
"delete": "Delete",
"edit": "Edit",
"add": "Add",
"submit": "Submit",
"back": "Back",
"next": "Next",
"confirm": "Confirm"
},
"units": {
"metric": "Metric",
"imperial": "Imperial",
"ml": "ml",
"oz": "oz",
"cm": "cm",
"in": "in",
"kg": "kg",
"lb": "lb"
}
}
Phase 3: Custom Hooks ✅ COMPLETED
3.1 useTranslation Hook ✅
File: hooks/useTranslation.ts (CREATED)
- ✅ Re-export from react-i18next with type safety
- ✅ Custom hook for easier usage
3.2 useLocale Hook ✅
File: hooks/useLocale.ts (CREATED)
- ✅ Get current locale
- ✅ Change locale
- ✅ Get available locales
- ✅ Get locale display name
- ✅ Measurement system management
3.3 useFormatting Hook ✅
File: hooks/useFormatting.ts (CREATED)
- ✅ Format dates based on locale
- ✅ Format numbers based on locale
- ✅ Format currency based on locale
- ✅ Format units based on preference
Phase 4: Measurement Unit Preference ✅ COMPLETED
4.1 Backend Schema Update ✅
Implementation: Used existing preferences JSONB column from V005_add_user_preferences.sql
- No new migration needed - reused existing preferences column
- Added
measurementUnitas optional field in preferences object
4.2 Update User Entity ✅
File: src/database/entities/user.entity.ts (MODIFIED)
Added to preferences type:
@Column({ type: 'jsonb', nullable: true })
preferences?: {
notifications?: boolean;
emailUpdates?: boolean;
darkMode?: boolean;
measurementUnit?: 'metric' | 'imperial';
};
4.3 Update User DTOs ✅
File: src/modules/auth/dto/update-profile.dto.ts (CREATED)
Created with validation:
export class UserPreferencesDto {
@IsOptional()
@IsIn(['metric', 'imperial'])
measurementUnit?: 'metric' | 'imperial';
}
4.4 API Endpoints ✅
File: src/modules/auth/auth.controller.ts (MODIFIED)
- PATCH
/api/v1/auth/profile- Updated to use UpdateProfileDto with measurementUnit support - Properly typed and validated
Phase 5: Frontend User Preferences ✅ PARTIALLY COMPLETED
5.1 Redux State ⏳
File: store/slices/userSlice.ts (TODO)
Add to user state:
interface UserState {
// ... existing fields
language: string;
measurementUnit: 'metric' | 'imperial';
}
5.2 Language Selector Component ✅
File: components/settings/LanguageSelector.tsx (CREATED)
Features:
- ✅ Dropdown with 5 language options
- ✅ Shows language names in native script
- ✅ Updates user preference on change
- ⏳ Persists to backend (pending backend schema)
- ✅ Updates i18n instance
5.3 Measurement Unit Selector Component ✅
File: components/settings/MeasurementUnitSelector.tsx (CREATED)
Features:
- ✅ Dropdown (Metric/Imperial)
- ✅ Updates user preference on change
- ⏳ Persists to backend (pending backend schema)
- ✅ Shows unit examples
Phase 6: Onboarding Flow Integration ❌ TODO
6.1 Update Onboarding Page
File: app/(auth)/onboarding/page.tsx (MODIFY)
Add new steps:
- Language selection (Step 2)
- Measurement unit selection (Step 3)
6.2 Onboarding Language Step Component
File: components/onboarding/LanguageStep.tsx (NEW)
- Large, visual language selector
- Show language names in native script
- Save to Redux state
- Update i18n immediately
6.3 Onboarding Measurement Step Component
File: components/onboarding/MeasurementStep.tsx (NEW)
- Visual metric/imperial selector
- Show examples (ml vs oz, cm vs in)
- Save to Redux state
6.4 Update Onboarding API Call
File: app/(auth)/onboarding/page.tsx (MODIFY)
Include language and measurementUnit in profile update call.
Phase 7: Settings Page Integration ✅ COMPLETED
7.1 Update Settings Page ✅
File: app/settings/page.tsx (MODIFIED)
Add new sections:
- ✅ Preferences section
- ✅ Language selector
- ✅ Measurement unit selector
7.2 Settings UI Components ✅
Files:
- ✅
components/settings/LanguageSelector.tsx(CREATED) - ✅
components/settings/MeasurementUnitSelector.tsx(CREATED)
Phase 8: Unit Conversion Utilities ✅ COMPLETED
8.1 Conversion Utility ✅
File: lib/utils/unitConversion.ts (CREATED)
Functions:
- ✅
convertWeight/convertWeightToKg - ✅
convertHeight/convertHeightToCm - ✅
convertTemperature/convertTemperatureToCelsius - ✅
convertVolume/convertVolumeToMl - ✅
getUnitSymbol - ✅
getConversionFactor
8.2 Format Unit Hook ✅
File: hooks/useFormatting.ts (CREATED)
- ✅ Get user's measurement preference
- ✅ Format value with correct unit
- ✅ Convert between units
- ✅ Display with locale-specific formatting
Phase 9: Apply Localization Throughout App ✅ PARTIALLY COMPLETED
9.1 Update All Pages - Status
✅ Completed Priority Pages:
-
✅ Dashboard (
app/page.tsx)- Welcome message with user name interpolation
- Quick actions (all 6 activity cards)
- Today's summary with child name interpolation
- Next predicted activity with variable interpolation
- All UI labels translated in 5 languages
-
✅ Authentication (
app/(auth)/login/page.tsx)- Login form labels (email, password)
- Submit button, forgot password link
- Social login buttons (Google, Apple)
- Biometric authentication (Face ID/Touch ID)
- Sign up link and all helper text
-
✅ Track Main Page (
app/track/page.tsx)- Track Activity title and subtitle
- All 5 activity type labels (Feeding, Sleep, Diaper, Medicine, Activity)
- Translated in all 5 languages
-
✅ Children (
app/children/page.tsx)- Page title and subtitle
- Add/Edit child buttons
- Empty state messages
- Age calculation with proper pluralization (year/years, month/months)
- All error messages
- Gender labels
❌ Remaining Pages:
5. ⏳ Individual Tracking Pages (app/track/feeding/, etc.)
- Feeding, Sleep, Diaper, Medicine detail pages
- Form labels, unit labels
- Apply unit conversions (Phase 12)
-
❌ Family (
app/family/page.tsx)- Family management labels
-
⏳ AI Assistant (
app/ai-assistant/page.tsx)- Chat interface already uses AI translations from backend
- Frontend labels may need localization
-
❌ Analytics (
app/analytics/page.tsx)- Chart labels, insights
-
✅ Settings (
app/settings/page.tsx)- Already completed in Phase 7
9.2 Update Components - Status
✅ Completed Components:
- ✅
components/layouts/AppShell/AppShell.tsx- Connection status, presence indicators - ✅
components/layouts/MobileNav/MobileNav.tsx- Navigation menu items, logout - ✅
components/layouts/TabBar/TabBar.tsx- Bottom navigation tabs - ✅
components/settings/LanguageSelector.tsx- Language preference UI - ✅
components/settings/MeasurementUnitSelector.tsx- Measurement preference UI
❌ Remaining Components:
- ⏳
components/common/- Common dialogs, buttons (may need review) - ⏳
components/features/- Activity cards, forms (need review) - ⏳
components/children/- Child dialogs (ChildDialog, DeleteConfirmDialog) - ⏳
components/family/- Family components
Phase 10: Date/Time Localization
10.1 Date Formatting Utility
File: lib/i18n/date-formats.ts (NEW)
Using date-fns with locales:
import { format } from 'date-fns';
import { enUS, es, fr, ptBR, zhCN } from 'date-fns/locale';
const locales = { en: enUS, es, fr, pt: ptBR, zh: zhCN };
export function formatDate(date: Date, formatStr: string, locale: string) {
return format(date, formatStr, { locale: locales[locale] });
}
10.2 Update Date Displays
Apply locale-aware date formatting:
- Activity timestamps
- Child birth dates
- Analytics date ranges
Phase 11: Number Localization
11.1 Number Formatting Utility
File: lib/i18n/number-formats.ts (NEW)
Using Intl.NumberFormat:
export function formatNumber(value: number, locale: string) {
return new Intl.NumberFormat(locale).format(value);
}
export function formatDecimal(value: number, locale: string, decimals = 1) {
return new Intl.NumberFormat(locale, {
minimumFractionDigits: decimals,
maximumFractionDigits: decimals,
}).format(value);
}
11.2 Apply Number Formatting
- Activity amounts (ml/oz)
- Sleep duration (hours)
- Weight/height measurements
Phase 12: Tracking Forms with Unit Preferences
12.1 Update Feeding Form
File: app/track/feeding/page.tsx (MODIFY)
- Show ml or oz input based on preference
- Convert to metric for API storage
- Display in user's preferred unit
12.2 Update Child Profile Form
File: app/children/page.tsx (MODIFY)
- Weight input (kg/lb)
- Height input (cm/in)
- Convert for API storage
12.3 Universal Input Component
File: components/forms/UnitInput.tsx (NEW)
Props:
type: 'volume' | 'weight' | 'height'value: numberonChange: (value: number) => void- Auto-convert based on user preference
Phase 13: Translation Files Content
13.1 English Translations (Base)
Estimate: ~500-800 translation keys across all files
Create complete English translations for:
- All UI strings
- All form labels/placeholders
- All error messages
- All validation messages
13.2 Professional Translation
Recommendation: Use professional translation service for:
- Spanish (es-ES)
- French (fr-FR)
- Portuguese (pt-BR)
- Simplified Chinese (zh-CN)
Alternative: Use AI-assisted translation + native speaker review
Phase 14: Testing
14.1 Translation Coverage Test
- Verify all strings are externalized
- No hardcoded English strings remain
- All translation keys exist in all languages
14.2 Language Switching Test
- Switch between all 5 languages
- Verify UI updates correctly
- Verify no layout breaks
14.3 Unit Conversion Test
- Test all conversions (ml↔oz, kg↔lb, cm↔in)
- Verify correct rounding
- Verify storage in consistent units (metric)
14.4 Date/Time Test
- Verify dates display correctly per locale
- Test all date formats (short, long, relative)
14.5 RTL Support (Future)
Note: Chinese doesn't require RTL, but document for future Arabic support
Phase 15: Documentation
15.1 Update Implementation Gaps
File: docs/implementation-gaps.md (MODIFY)
Mark localization as ✅ COMPLETED
15.2 Developer Guide
File: docs/LOCALIZATION_GUIDE.md (NEW)
Document:
- How to add new translation keys
- How to add new languages
- Translation file structure
- Best practices
15.3 Update User Documentation
Document language and measurement preferences in user guide
Implementation Order
Day 1: Framework & Structure
- ✅ Install dependencies
- ✅ Create i18n configuration
- ✅ Create i18n provider
- ✅ Create hooks (useTranslation, useLocale, useFormatting)
- ✅ Set up translation file structure
- ✅ Create English base translations (common, auth, dashboard)
Day 2: Preferences & Components
- ✅ Backend schema update for measurementUnit
- ✅ Update User entity and DTOs
- ✅ Create LanguageSelector component
- ✅ Create MeasurementUnitSelector component
- ✅ Update onboarding flow
- ✅ Update settings page
- ✅ Create unit conversion utilities
Day 3: Apply Throughout App
- ✅ Update all pages with translations
- ✅ Apply unit conversions to tracking forms
- ✅ Apply date/time localization
- ✅ Complete all English translations
- ✅ Test language switching
- ✅ Test unit conversions
Post-Implementation (Optional)
- Professional translation for other 4 languages
- Native speaker review
- Documentation updates
Key Files Checklist
New Files (27 total)
lib/i18n/config.tscomponents/providers/I18nProvider.tsxhooks/useLocale.tshooks/useFormatting.tshooks/useUnitFormat.tslib/units/conversions.tslib/i18n/date-formats.tslib/i18n/number-formats.tscomponents/settings/LanguageSelector.tsxcomponents/settings/MeasurementUnitSelector.tsxcomponents/settings/LanguageSettings.tsxcomponents/settings/MeasurementSettings.tsxcomponents/onboarding/LanguageStep.tsxcomponents/onboarding/MeasurementStep.tsxcomponents/forms/UnitInput.tsxlocales/en/*.json(11 files)locales/es/*.json(11 files - future)locales/fr/*.json(11 files - future)locales/pt/*.json(11 files - future)locales/zh/*.json(11 files - future)src/database/migrations/V0XX_add_measurement_preference.sqldocs/LOCALIZATION_GUIDE.md
Modified Files (15 total)
package.jsonapp/layout.tsxstore/slices/userSlice.tssrc/database/entities/user.entity.tssrc/modules/auth/dto/register.dto.tssrc/modules/auth/dto/update-profile.dto.tsapp/(auth)/onboarding/page.tsxapp/settings/page.tsxapp/page.tsx(dashboard)app/track/feeding/page.tsxapp/track/sleep/page.tsxapp/track/diaper/page.tsxapp/children/page.tsxapp/family/page.tsxdocs/implementation-gaps.md
Success Criteria
✅ Functionality
- All 5 languages selectable and functional
- Language preference persists across sessions
- Measurement unit preference persists across sessions
- All UI strings externalized (no hardcoded English)
- Unit conversions work correctly (ml↔oz, kg↔lb, cm↔in)
- Dates display correctly per locale
- Numbers format correctly per locale
✅ User Experience
- Language can be selected in onboarding
- Language can be changed in settings
- Measurement unit can be selected in onboarding
- Measurement unit can be changed in settings
- UI updates immediately when language changes
- No layout breaks when changing languages
- Form inputs show correct units based on preference
✅ Technical
- All translation keys defined
- No missing translation warnings
- Type-safe translation usage (TypeScript)
- Backend stores preferences correctly
- Redux state syncs with backend
Notes
Translation Best Practices
- Use namespaces to organize translations
- Use interpolation for dynamic values:
t('welcome', { name }) - Use pluralization:
t('items', { count }) - Keep keys descriptive:
auth.login.emailLabelnotauth.e1 - Avoid concatenation, use complete sentences
Unit Conversion Strategy
- Storage: Always store in metric (ml, kg, cm) in database
- Display: Convert to user's preferred unit for display
- Input: Accept user's preferred unit, convert to metric before API call
- Consistency: Ensure all measurements use the same preference
Performance Considerations
- Lazy load translation files per namespace
- Cache translations in browser
- Preload critical translations (common, errors)
Future Enhancements
- Add more languages (Arabic, German, Hindi, etc.)
- Add more units (temperature: °C/°F)
- Add regional date formats (MM/DD vs DD/MM)
- Add time format preferences (12h vs 24h)
Remaining Tasks Summary
🔴 High Priority (Core Functionality)
-
Individual Tracking Pages with Unit Conversions (Phase 12)
/app/track/feeding/page.tsx- Volume conversion (ml ↔ oz)/app/track/sleep/page.tsx- Duration formatting/app/track/diaper/page.tsx- Type labels/app/track/medicine/page.tsx- Dosage with units- Implement UnitInput component for automatic conversion
- Estimated Effort: 4-6 hours
-
Child Dialog Components Localization
components/children/ChildDialog.tsx- Form labelscomponents/children/DeleteConfirmDialog.tsx- Confirmation text- Estimated Effort: 1 hour
-
Date/Time Localization (Phase 10)
- Apply date-fns with locale to all date displays
- Activity timestamps
- Child birth dates
- Analytics date ranges
- Estimated Effort: 2-3 hours
🟡 Medium Priority (Nice to Have)
-
Onboarding Flow (Phase 6)
- Add language selection step
- Add measurement unit selection step
- Save preferences during onboarding
- Estimated Effort: 2-3 hours
-
Family Management Page
app/family/page.tsxlocalization- Family member labels, invitation flow
- Estimated Effort: 1-2 hours
-
Number Formatting (Phase 11)
- Apply Intl.NumberFormat throughout
- Weight/height values
- Activity counts
- Estimated Effort: 1-2 hours
🟢 Low Priority (Future Enhancements)
-
Analytics/Insights Page
- Chart labels
- Insight descriptions
- Estimated Effort: 2-3 hours
-
Professional Translation Review (Phase 13.2)
- Review all 4 non-English languages
- Native speaker validation
- Cultural appropriateness check
- Estimated Effort: External service, 1-2 weeks
-
Comprehensive Testing (Phase 14)
- Translation coverage test
- Language switching test
- Unit conversion test
- Date/time formatting test
- Estimated Effort: 2-4 hours
-
Documentation (Phase 15)
- Create LOCALIZATION_GUIDE.md
- Update implementation-gaps.md
- Developer best practices
- Estimated Effort: 1-2 hours
📊 Progress Tracking
Completed: 9 phases (1-5, 7-9) In Progress: 0 phases Remaining: 6 major phases (6, 10-15)
Overall Completion: ~65% (core functionality)
Estimated Time to Full Completion:
- High Priority: 8-11 hours
- Medium Priority: 4-7 hours
- Low Priority: 5-9 hours
- Total Remaining: 17-27 hours (2-3.5 days)
Total Project Effort: 2-3 days (completed) + 2-3.5 days (remaining) = 4-6.5 days Complexity: Medium Priority: HIGH (Pre-Launch) Current Status: Core functionality 65% complete, production-ready for MVP