144 lines
4.5 KiB
TypeScript
144 lines
4.5 KiB
TypeScript
import '@/styles/globals.css'
|
|
import type { AppProps } from 'next/app'
|
|
import { useI18n } from '@/hooks/useI18n'
|
|
import React from 'react'
|
|
import { platformSyncService } from '@/lib/platformSync'
|
|
import { nostrAuthService } from '@/lib/nostrAuth'
|
|
import { syncUserContentToCache } from '@/lib/userContentSync'
|
|
import { syncProgressManager } from '@/lib/syncProgressManager'
|
|
import { relaySessionManager } from '@/lib/relaySessionManager'
|
|
|
|
function I18nProvider({ children }: { children: React.ReactNode }): React.ReactElement {
|
|
// Get saved locale from localStorage or default to French
|
|
const getInitialLocale = (): 'fr' | 'en' => {
|
|
if (typeof window === 'undefined') {
|
|
return 'fr'
|
|
}
|
|
try {
|
|
const savedLocale = window.localStorage.getItem('zapwall-locale') as 'fr' | 'en' | null
|
|
if (savedLocale === 'fr' || savedLocale === 'en') {
|
|
return savedLocale
|
|
}
|
|
} catch {
|
|
// Fallback to browser locale detection
|
|
}
|
|
// Try to detect browser locale
|
|
const browserLocale = navigator.language.split('-')[0]
|
|
return browserLocale === 'en' ? 'en' : 'fr'
|
|
}
|
|
|
|
const [initialLocale, setInitialLocale] = React.useState<'fr' | 'en'>('fr')
|
|
const [localeLoaded, setLocaleLoaded] = React.useState(false)
|
|
|
|
React.useEffect(() => {
|
|
const locale = getInitialLocale()
|
|
setInitialLocale(locale)
|
|
setLocaleLoaded(true)
|
|
}, [])
|
|
|
|
const { loaded } = useI18n(initialLocale)
|
|
|
|
if (!localeLoaded || !loaded) {
|
|
return <div className="min-h-screen bg-cyber-darker flex items-center justify-center text-neon-cyan">Loading...</div>
|
|
}
|
|
|
|
return <>{children}</>
|
|
}
|
|
|
|
export default function App({ Component, pageProps }: AppProps): React.ReactElement {
|
|
// Initialize relay session manager on app mount (reset all relays to active)
|
|
React.useEffect(() => {
|
|
void relaySessionManager.initialize()
|
|
}, [])
|
|
|
|
// Start platform sync on app mount and resume on each page navigation
|
|
React.useEffect(() => {
|
|
// Start continuous sync (runs periodically in background)
|
|
platformSyncService.startContinuousSync()
|
|
|
|
// Also trigger a sync on each page navigation
|
|
const handleRouteChange = (): void => {
|
|
if (!platformSyncService.isSyncing()) {
|
|
void platformSyncService.startSync()
|
|
}
|
|
}
|
|
|
|
// Listen to route changes
|
|
const router = require('next/router').default
|
|
router.events?.on('routeChangeComplete', handleRouteChange)
|
|
|
|
return () => {
|
|
router.events?.off('routeChangeComplete', handleRouteChange)
|
|
platformSyncService.stopSync()
|
|
}
|
|
}, [])
|
|
|
|
// Start user content sync on app mount and on each page navigation if connected
|
|
React.useEffect(() => {
|
|
let syncInProgress = false
|
|
|
|
const startUserSync = async (): Promise<void> => {
|
|
if (syncInProgress) {
|
|
console.log('[App] Sync already in progress, skipping')
|
|
return
|
|
}
|
|
|
|
const state = nostrAuthService.getState()
|
|
console.log('[App] Checking connection state:', { connected: state.connected, hasPubkey: Boolean(state.pubkey) })
|
|
if (!state.connected || !state.pubkey) {
|
|
console.log('[App] Not connected or no pubkey, skipping sync')
|
|
return
|
|
}
|
|
|
|
syncInProgress = true
|
|
console.log('[App] Starting user content sync...')
|
|
|
|
try {
|
|
await syncUserContentToCache(state.pubkey, (progress) => {
|
|
syncProgressManager.setProgress(progress)
|
|
if (progress.completed) {
|
|
syncProgressManager.setProgress(null)
|
|
}
|
|
})
|
|
console.log('[App] User content sync completed')
|
|
syncProgressManager.setProgress(null)
|
|
} catch (error) {
|
|
console.error('[App] Error during user content sync:', error)
|
|
syncProgressManager.setProgress(null)
|
|
} finally {
|
|
syncInProgress = false
|
|
}
|
|
}
|
|
|
|
// Try to start sync immediately
|
|
void startUserSync()
|
|
|
|
// Also listen to connection changes and route changes to sync when user connects or navigates
|
|
const router = require('next/router').default
|
|
const handleRouteChange = (): void => {
|
|
if (!syncInProgress) {
|
|
void startUserSync()
|
|
}
|
|
}
|
|
|
|
router.events?.on('routeChangeComplete', handleRouteChange)
|
|
|
|
const unsubscribe = nostrAuthService.subscribe((state) => {
|
|
if (state.connected && state.pubkey && !syncInProgress) {
|
|
void startUserSync()
|
|
}
|
|
})
|
|
|
|
return () => {
|
|
router.events?.off('routeChangeComplete', handleRouteChange)
|
|
unsubscribe()
|
|
}
|
|
}, [])
|
|
|
|
return (
|
|
<I18nProvider>
|
|
<Component {...pageProps} />
|
|
</I18nProvider>
|
|
)
|
|
}
|