story-research-zapwall/components/LanguageSelector.tsx

69 lines
2.1 KiB
TypeScript

import { useState, useEffect } from 'react'
import { setLocale, getLocale, type Locale } from '@/lib/i18n'
const LOCALE_STORAGE_KEY = 'zapwall-locale'
interface LocaleButtonProps {
locale: Locale
label: string
currentLocale: Locale
onClick: (locale: Locale) => void
}
function LocaleButton({ locale, label, currentLocale, onClick }: LocaleButtonProps) {
const isActive = currentLocale === locale
return (
<button
onClick={() => onClick(locale)}
className={`px-2 py-1 text-xs font-medium rounded transition-colors ${
isActive
? 'bg-neon-cyan/20 text-neon-cyan border border-neon-cyan/50'
: 'text-cyber-accent hover:text-neon-cyan border border-transparent hover:border-neon-cyan/30'
}`}
>
{label}
</button>
)
}
export function LanguageSelector() {
const [currentLocale, setCurrentLocale] = useState<Locale>(getLocale())
useEffect(() => {
// Load saved locale from IndexedDB
const loadLocale = async () => {
try {
const { storageService } = await import('@/lib/storage/indexedDB')
const savedLocale = await storageService.get<Locale>(LOCALE_STORAGE_KEY, 'app_storage')
if (savedLocale && (savedLocale === 'fr' || savedLocale === 'en')) {
setLocale(savedLocale)
setCurrentLocale(savedLocale)
}
} catch (e) {
console.error('Error loading locale:', e)
}
}
void loadLocale()
}, [])
const handleLocaleChange = async (locale: Locale) => {
setLocale(locale)
setCurrentLocale(locale)
try {
const { storageService } = await import('@/lib/storage/indexedDB')
await storageService.set(LOCALE_STORAGE_KEY, locale, 'app_storage')
} catch (e) {
console.error('Error saving locale:', e)
}
// Force page reload to update all translations
window.location.reload()
}
return (
<div className="flex items-center gap-2">
<LocaleButton locale="fr" label="FR" currentLocale={currentLocale} onClick={handleLocaleChange} />
<LocaleButton locale="en" label="EN" currentLocale={currentLocale} onClick={handleLocaleChange} />
</div>
)
}