- Replace Go interface{} with any (Go 1.18+ standard)
- Add database indexes to frequently queried model fields
- Add JSDoc documentation to frontend API client methods
- Remove deprecated docker-compose version keys
- Add concurrency groups to all 25 GitHub Actions workflows
- Add YAML front matter and fix H1→H2 headings in docs
Coverage: Backend 85.5%, Frontend 87.73%
Security: No vulnerabilities detected
Refs: docs/plans/instruction_compliance_spec.md
5.9 KiB
5.9 KiB
title, description
| title | description |
|---|---|
| i18n Implementation Examples | Developer guide for implementing internationalization in Charon React components using react-i18next. |
i18n Implementation Examples
This document shows examples of how to use translations in Charon components.
Basic Usage
Using the useTranslation Hook
import { useTranslation } from 'react-i18next'
function MyComponent() {
const { t } = useTranslation()
return (
<div>
<h1>{t('navigation.dashboard')}</h1>
<button>{t('common.save')}</button>
<button>{t('common.cancel')}</button>
</div>
)
}
With Interpolation
import { useTranslation } from 'react-i18next'
function ProxyHostsCount({ count }: { count: number }) {
const { t } = useTranslation()
return <p>{t('dashboard.activeHosts', { count })}</p>
// Renders: "5 active" (English) or "5 activo" (Spanish)
}
Common Patterns
Page Titles and Descriptions
import { useTranslation } from 'react-i18next'
import { PageShell } from '../components/layout/PageShell'
export default function Dashboard() {
const { t } = useTranslation()
return (
<PageShell
title={t('dashboard.title')}
description={t('dashboard.description')}
>
{/* Page content */}
</PageShell>
)
}
Button Labels
import { useTranslation } from 'react-i18next'
import { Button } from '../components/ui/Button'
function SaveButton() {
const { t } = useTranslation()
return (
<Button onClick={handleSave}>
{t('common.save')}
</Button>
)
}
Form Labels
import { useTranslation } from 'react-i18next'
import { Label } from '../components/ui/Label'
import { Input } from '../components/ui/Input'
function EmailField() {
const { t } = useTranslation()
return (
<div>
<Label htmlFor="email">{t('auth.email')}</Label>
<Input
id="email"
type="email"
placeholder={t('auth.email')}
/>
</div>
)
}
Error Messages
import { useTranslation } from 'react-i18next'
function validateForm(data: FormData) {
const { t } = useTranslation()
const errors: Record<string, string> = {}
if (!data.email) {
errors.email = t('errors.required')
} else if (!isValidEmail(data.email)) {
errors.email = t('errors.invalidEmail')
}
if (!data.password || data.password.length < 8) {
errors.password = t('errors.passwordTooShort')
}
return errors
}
Toast Notifications
import { useTranslation } from 'react-i18next'
import { toast } from '../utils/toast'
function handleSave() {
const { t } = useTranslation()
try {
await saveData()
toast.success(t('notifications.saveSuccess'))
} catch (error) {
toast.error(t('notifications.saveFailed'))
}
}
Navigation Menu
import { useTranslation } from 'react-i18next'
import { Link } from 'react-router-dom'
function Navigation() {
const { t } = useTranslation()
const navItems = [
{ path: '/', label: t('navigation.dashboard') },
{ path: '/proxy-hosts', label: t('navigation.proxyHosts') },
{ path: '/certificates', label: t('navigation.certificates') },
{ path: '/settings', label: t('navigation.settings') },
]
return (
<nav>
{navItems.map(item => (
<Link key={item.path} to={item.path}>
{item.label}
</Link>
))}
</nav>
)
}
Advanced Patterns
Pluralization
import { useTranslation } from 'react-i18next'
function ItemCount({ count }: { count: number }) {
const { t } = useTranslation()
// Translation file should have:
// "items": "{{count}} item",
// "items_other": "{{count}} items"
return <p>{t('items', { count })}</p>
}
Dynamic Keys
import { useTranslation } from 'react-i18next'
function StatusBadge({ status }: { status: string }) {
const { t } = useTranslation()
// Dynamically build the translation key
return <span>{t(`certificates.${status}`)}</span>
// Translates to: "Valid", "Pending", "Expired", etc.
}
Context-Specific Translations
import { useTranslation } from 'react-i18next'
function DeleteConfirmation({ itemType }: { itemType: 'host' | 'certificate' }) {
const { t } = useTranslation()
return (
<div>
<p>{t(`${itemType}.deleteConfirmation`)}</p>
<Button variant="danger">{t('common.delete')}</Button>
<Button variant="outline">{t('common.cancel')}</Button>
</div>
)
}
Testing Components with i18n
When testing components that use i18n, mock the useTranslation hook:
import { vi } from 'vitest'
import { render } from '@testing-library/react'
// Mock i18next
vi.mock('react-i18next', () => ({
useTranslation: () => ({
t: (key: string) => key, // Return the key as-is for testing
i18n: {
changeLanguage: vi.fn(),
language: 'en',
},
}),
}))
describe('MyComponent', () => {
it('renders translated content', () => {
const { getByText } = render(<MyComponent />)
expect(getByText('navigation.dashboard')).toBeInTheDocument()
})
})
Best Practices
- Always use translation keys - Never hardcode strings in components
- Use descriptive keys - Keys should indicate what the text is for
- Group related translations - Use namespaces (common, navigation, etc.)
- Keep translations short - Long strings may not fit in the UI
- Test all languages - Verify translations work in different languages
- Provide context - Use comments in translation files to explain usage
Migration Checklist
When converting an existing component to use i18n:
- Import
useTranslationhook - Add
const { t } = useTranslation()at component top - Replace all hardcoded strings with
t('key') - Add missing translation keys to all language files
- Test the component in different languages
- Update component tests to mock i18n