fix: i18n system overhaul and sidebar UI bugs

- Fix LanguageProvider: add RTL support (ar/fa), translation caching,
  prevent blank flash during load, browser language detection
- Fix detect-user-language: extend whitelist from 5 to all 15 languages
- Remove hardcoded initialLanguage="fr" from auth layout
- Complete fr.json translation (all sections translated from English)
- Add missing admin.ai keys to all 13 non-English locales
- Translate ai.autoLabels, ai.batchOrganization, memoryEcho sections
  for all locales
- Remove duplicate top-level autoLabels/batchOrganization from en.json
- Fix notebook creation: replace window.location.reload() with
  createNotebookOptimistic + router.refresh()
- Fix notebook name truncation in sidebar with min-w-0
- Remove redundant router.refresh() after note creation in page.tsx

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
Sepehr Ramezani
2026-03-29 22:14:05 +02:00
parent 8bf56cd8cd
commit 8daf50ac3f
27 changed files with 1210 additions and 936 deletions

View File

@@ -8,7 +8,7 @@ export default function AuthLayout({
children: React.ReactNode; children: React.ReactNode;
}>) { }>) {
return ( return (
<LanguageProvider initialLanguage="fr"> <LanguageProvider>
<div className="flex min-h-screen items-center justify-center bg-gray-50 dark:bg-zinc-950"> <div className="flex min-h-screen items-center justify-center bg-gray-50 dark:bg-zinc-950">
<div className="w-full max-w-md p-4"> <div className="w-full max-w-md p-4">
{children} {children}

View File

@@ -3,7 +3,7 @@
import { useState, useEffect, useCallback } from 'react' import { useState, useEffect, useCallback } from 'react'
import { useSearchParams, useRouter } from 'next/navigation' import { useSearchParams, useRouter } from 'next/navigation'
import { Note } from '@/lib/types' import { Note } from '@/lib/types'
import { getAllNotes, getPinnedNotes, getRecentNotes, searchNotes } from '@/app/actions/notes' import { getAllNotes, searchNotes } from '@/app/actions/notes'
import { getAISettings } from '@/app/actions/ai-settings' import { getAISettings } from '@/app/actions/ai-settings'
import { NoteInput } from '@/components/note-input' import { NoteInput } from '@/components/note-input'
import { MasonryGrid } from '@/components/masonry-grid' import { MasonryGrid } from '@/components/masonry-grid'
@@ -35,7 +35,7 @@ export default function HomePage() {
const [notes, setNotes] = useState<Note[]>([]) const [notes, setNotes] = useState<Note[]>([])
const [pinnedNotes, setPinnedNotes] = useState<Note[]>([]) const [pinnedNotes, setPinnedNotes] = useState<Note[]>([])
const [recentNotes, setRecentNotes] = useState<Note[]>([]) const [recentNotes, setRecentNotes] = useState<Note[]>([])
const [showRecentNotes, setShowRecentNotes] = useState(false) const [showRecentNotes, setShowRecentNotes] = useState(true)
const [editingNote, setEditingNote] = useState<{ note: Note; readOnly?: boolean } | null>(null) const [editingNote, setEditingNote] = useState<{ note: Note; readOnly?: boolean } | null>(null)
const [isLoading, setIsLoading] = useState(true) const [isLoading, setIsLoading] = useState(true)
const [notebookSuggestion, setNotebookSuggestion] = useState<{ noteId: string; content: string } | null>(null) const [notebookSuggestion, setNotebookSuggestion] = useState<{ noteId: string; content: string } | null>(null)
@@ -137,8 +137,9 @@ export default function HomePage() {
} }
// Refresh in background to ensure data consistency (non-blocking) // Note: revalidatePath('/') is already called in the server action,
router.refresh() // and the optimistic update above already adds the note to state.
// No additional router.refresh() needed — avoids visible re-render flash.
}, [searchParams, labels, router]) }, [searchParams, labels, router])
const handleOpenNote = (noteId: string) => { const handleOpenNote = (noteId: string) => {
@@ -156,9 +157,11 @@ export default function HomePage() {
const loadSettings = async () => { const loadSettings = async () => {
try { try {
const settings = await getAISettings() const settings = await getAISettings()
setShowRecentNotes(settings.showRecentNotes === true) // Default to true if setting is undefined or null
setShowRecentNotes(settings?.showRecentNotes !== false)
} catch (error) { } catch (error) {
setShowRecentNotes(false) // Default to true on error
setShowRecentNotes(true)
} }
} }
loadSettings() loadSettings()
@@ -203,19 +206,31 @@ export default function HomePage() {
) )
} }
// Load pinned notes separately (shown in favorites section) // Derive pinned notes from already-fetched allNotes (no extra server call)
const pinned = await getPinnedNotes(notebookFilter || undefined) const pinnedFilter = notebookFilter
? allNotes.filter((note: any) => note.isPinned && note.notebookId === notebookFilter)
: allNotes.filter((note: any) => note.isPinned && !note.notebookId)
setPinnedNotes(pinned) setPinnedNotes(pinnedFilter)
// Load recent notes only if enabled in settings // Derive recent notes from already-fetched allNotes (no extra server call)
if (showRecentNotes) { if (showRecentNotes) {
const recent = await getRecentNotes(3) const sevenDaysAgo = new Date()
// Filter recent notes by current filters sevenDaysAgo.setDate(sevenDaysAgo.getDate() - 7)
sevenDaysAgo.setHours(0, 0, 0, 0)
const recentFiltered = allNotes
.filter((note: any) => {
return !note.isArchived && !note.dismissedFromRecent && note.contentUpdatedAt >= sevenDaysAgo
})
.sort((a: any, b: any) => new Date(b.contentUpdatedAt).getTime() - new Date(a.createdAt).getTime())
.slice(0, 3)
if (notebookFilter) { if (notebookFilter) {
setRecentNotes(recent.filter((note: any) => note.notebookId === notebookFilter)) setRecentNotes(recentFiltered.filter((note: any) => note.notebookId === notebookFilter))
} else { } else {
setRecentNotes(recent.filter((note: any) => !note.notebookId)) // Show ALL recent notes when in inbox (not just notes without notebooks)
setRecentNotes(recentFiltered)
} }
} else { } else {
setRecentNotes([]) setRecentNotes([])
@@ -392,7 +407,7 @@ export default function HomePage() {
{/* Recent Notes Section - Only shown if enabled in settings */} {/* Recent Notes Section - Only shown if enabled in settings */}
{showRecentNotes && ( {showRecentNotes && (
<RecentNotesSection <RecentNotesSection
recentNotes={recentNotes.filter(note => !note.isPinned)} recentNotes={recentNotes}
onEdit={(note, readOnly) => setEditingNote({ note, readOnly })} onEdit={(note, readOnly) => setEditingNote({ note, readOnly })}
/> />
)} )}

View File

@@ -1,9 +1,10 @@
'use client' 'use client'
import { useState, useEffect } from 'react' import { memo, useState, useEffect } from 'react'
import { Sparkles } from 'lucide-react' import { Sparkles } from 'lucide-react'
import { cn } from '@/lib/utils' import { cn } from '@/lib/utils'
import { useLanguage } from '@/lib/i18n/LanguageProvider' import { useLanguage } from '@/lib/i18n/LanguageProvider'
import { getConnectionsCount } from '@/lib/connections-cache'
interface ConnectionsBadgeProps { interface ConnectionsBadgeProps {
noteId: string noteId: string
@@ -11,54 +12,44 @@ interface ConnectionsBadgeProps {
className?: string className?: string
} }
interface ConnectionData { export const ConnectionsBadge = memo(function ConnectionsBadge({ noteId, onClick, className }: ConnectionsBadgeProps) {
noteId: string
title: string | null
content: string
createdAt: Date
similarity: number
daysApart: number
}
interface ConnectionsResponse {
connections: ConnectionData[]
pagination: {
total: number
page: number
limit: number
totalPages: number
hasNext: boolean
hasPrev: boolean
}
}
export function ConnectionsBadge({ noteId, onClick, className }: ConnectionsBadgeProps) {
const { t } = useLanguage() const { t } = useLanguage()
const [connectionCount, setConnectionCount] = useState<number>(0) const [connectionCount, setConnectionCount] = useState<number>(0)
const [isLoading, setIsLoading] = useState(false) const [isLoading, setIsLoading] = useState(false)
const [isHovered, setIsHovered] = useState(false) const [isHovered, setIsHovered] = useState(false)
const [fetchAttempted, setFetchAttempted] = useState(false)
useEffect(() => { useEffect(() => {
if (fetchAttempted) return
setFetchAttempted(true)
let isMounted = true
const fetchConnections = async () => { const fetchConnections = async () => {
setIsLoading(true) setIsLoading(true)
try { try {
const res = await fetch(`/api/ai/echo/connections?noteId=${noteId}&limit=1`) const count = await getConnectionsCount(noteId)
if (!res.ok) { if (isMounted) {
throw new Error('Failed to fetch connections') setConnectionCount(count)
} }
const data: ConnectionsResponse = await res.json()
setConnectionCount(data.pagination.total || 0)
} catch (error) { } catch (error) {
console.error('[ConnectionsBadge] Failed to fetch connections:', error) console.error('[ConnectionsBadge] Failed to fetch connections:', error)
setConnectionCount(0) if (isMounted) {
setConnectionCount(0)
}
} finally { } finally {
setIsLoading(false) if (isMounted) {
setIsLoading(false)
}
} }
} }
fetchConnections() fetchConnections()
}, [noteId])
return () => {
isMounted = false
}
}, [noteId]) // eslint-disable-line react-hooks/exhaustive-deps
// Don't render if no connections or still loading // Don't render if no connections or still loading
if (connectionCount === 0 || isLoading) { if (connectionCount === 0 || isLoading) {
@@ -69,19 +60,11 @@ export function ConnectionsBadge({ noteId, onClick, className }: ConnectionsBadg
const badgeText = t('memoryEcho.connectionsBadge', { count: connectionCount, plural }) const badgeText = t('memoryEcho.connectionsBadge', { count: connectionCount, plural })
return ( return (
<div <div className={cn(
className={cn( 'inline-flex items-center gap-1 px-2 py-0.5 rounded-full text-xs font-medium bg-purple-100 dark:bg-purple-900/30 text-purple-700 dark:text-purple-400 border border-purple-200 dark:border-purple-800 transition-all duration-150 ease-out',
'px-1.5 py-0.5 rounded', isHovered && 'scale-105',
'bg-amber-100 dark:bg-amber-900/30', className
'text-amber-700 dark:text-amber-400', )}
'text-[10px] font-medium',
'border border-amber-200 dark:border-amber-800',
'cursor-pointer',
'transition-all duration-150 ease-out',
'hover:bg-amber-200 dark:hover:bg-amber-800/50',
isHovered && 'scale-105',
className
)}
onClick={onClick} onClick={onClick}
onMouseEnter={() => setIsHovered(true)} onMouseEnter={() => setIsHovered(true)}
onMouseLeave={() => setIsHovered(false)} onMouseLeave={() => setIsHovered(false)}
@@ -91,4 +74,4 @@ export function ConnectionsBadge({ noteId, onClick, className }: ConnectionsBadg
{badgeText} {badgeText}
</div> </div>
) )
} })

View File

@@ -14,6 +14,7 @@ import {
import { Input } from '@/components/ui/input' import { Input } from '@/components/ui/input'
import { cn } from '@/lib/utils' import { cn } from '@/lib/utils'
import { useLanguage } from '@/lib/i18n' import { useLanguage } from '@/lib/i18n'
import { useNotebooks } from '@/context/notebooks-context'
const NOTEBOOK_ICONS = [ const NOTEBOOK_ICONS = [
{ icon: Folder, name: 'folder' }, { icon: Folder, name: 'folder' },
@@ -48,6 +49,7 @@ interface CreateNotebookDialogProps {
export function CreateNotebookDialog({ open, onOpenChange }: CreateNotebookDialogProps) { export function CreateNotebookDialog({ open, onOpenChange }: CreateNotebookDialogProps) {
const router = useRouter() const router = useRouter()
const { t } = useLanguage() const { t } = useLanguage()
const { createNotebookOptimistic } = useNotebooks()
const [name, setName] = useState('') const [name, setName] = useState('')
const [selectedIcon, setSelectedIcon] = useState('folder') const [selectedIcon, setSelectedIcon] = useState('folder')
const [selectedColor, setSelectedColor] = useState('#3B82F6') const [selectedColor, setSelectedColor] = useState('#3B82F6')
@@ -61,24 +63,14 @@ export function CreateNotebookDialog({ open, onOpenChange }: CreateNotebookDialo
setIsSubmitting(true) setIsSubmitting(true)
try { try {
const response = await fetch('/api/notebooks', { await createNotebookOptimistic({
method: 'POST', name: name.trim(),
headers: { 'Content-Type': 'application/json' }, icon: selectedIcon,
body: JSON.stringify({ color: selectedColor,
name: name.trim(),
icon: selectedIcon,
color: selectedColor,
}),
}) })
// Close dialog — no full page reload needed
if (response.ok) { onOpenChange?.(false)
// Close dialog and reload router.refresh()
onOpenChange?.(false)
window.location.reload()
} else {
const error = await response.json()
console.error('Failed to create notebook:', error)
}
} catch (error) { } catch (error) {
console.error('Failed to create notebook:', error) console.error('Failed to create notebook:', error)
} finally { } finally {

View File

@@ -1,5 +1,6 @@
'use client' 'use client'
import { memo } from 'react'
import ReactMarkdown from 'react-markdown' import ReactMarkdown from 'react-markdown'
import remarkGfm from 'remark-gfm' import remarkGfm from 'remark-gfm'
import remarkMath from 'remark-math' import remarkMath from 'remark-math'
@@ -11,7 +12,7 @@ interface MarkdownContentProps {
className?: string className?: string
} }
export function MarkdownContent({ content, className = '' }: MarkdownContentProps) { export const MarkdownContent = memo(function MarkdownContent({ content, className }: MarkdownContentProps) {
return ( return (
<div className={`prose prose-sm prose-compact dark:prose-invert max-w-none break-words ${className}`}> <div className={`prose prose-sm prose-compact dark:prose-invert max-w-none break-words ${className}`}>
<ReactMarkdown <ReactMarkdown
@@ -20,11 +21,11 @@ export function MarkdownContent({ content, className = '' }: MarkdownContentProp
components={{ components={{
a: ({ node, ...props }) => ( a: ({ node, ...props }) => (
<a {...props} className="text-primary hover:underline" target="_blank" rel="noopener noreferrer" /> <a {...props} className="text-primary hover:underline" target="_blank" rel="noopener noreferrer" />
) ),
}} }}
> >
{content} {content}
</ReactMarkdown> </ReactMarkdown>
</div> </div>
) )
} })

View File

@@ -26,7 +26,7 @@ interface MasonryItemProps {
isDragging?: boolean; isDragging?: boolean;
} }
const MasonryItem = function MasonryItem({ note, onEdit, onResize, onNoteSizeChange, onDragStart, onDragEnd, isDragging }: MasonryItemProps) { const MasonryItem = memo(function MasonryItem({ note, onEdit, onResize, onNoteSizeChange, onDragStart, onDragEnd, isDragging }: MasonryItemProps) {
const resizeRef = useResizeObserver(onResize); const resizeRef = useResizeObserver(onResize);
useEffect(() => { useEffect(() => {
@@ -55,7 +55,7 @@ const MasonryItem = function MasonryItem({ note, onEdit, onResize, onNoteSizeCha
</div> </div>
</div> </div>
); );
}; })
export function MasonryGrid({ notes, onEdit }: MasonryGridProps) { export function MasonryGrid({ notes, onEdit }: MasonryGridProps) {
const { t } = useLanguage(); const { t } = useLanguage();

View File

@@ -87,6 +87,21 @@ export function NoteActions({
</Button> </Button>
</DropdownMenuTrigger> </DropdownMenuTrigger>
<DropdownMenuContent align="end"> <DropdownMenuContent align="end">
{/* Pin/Unpin Option */}
<DropdownMenuItem onClick={onTogglePin}>
{isPinned ? (
<>
<Pin className="h-4 w-4 mr-2" />
{t('notes.unpin')}
</>
) : (
<>
<Pin className="h-4 w-4 mr-2" />
{t('notes.pin')}
</>
)}
</DropdownMenuItem>
<DropdownMenuItem onClick={onToggleArchive}> <DropdownMenuItem onClick={onToggleArchive}>
{isArchived ? ( {isArchived ? (
<> <>

View File

@@ -10,14 +10,28 @@ import {
DropdownMenuItem, DropdownMenuItem,
DropdownMenuTrigger, DropdownMenuTrigger,
} from '@/components/ui/dropdown-menu' } from '@/components/ui/dropdown-menu'
import { Pin, Bell, GripVertical, X, Link2, FolderOpen, StickyNote, LucideIcon, Folder, Briefcase, FileText, Zap, BarChart3, Globe, Sparkles, Book, Heart, Crown, Music, Building2, Tag } from 'lucide-react' import { Pin, Bell, GripVertical, X, Link2, FolderOpen, StickyNote, LucideIcon, Folder, Briefcase, FileText, Zap, BarChart3, Globe, Sparkles, Book, Heart, Crown, Music, Building2 } from 'lucide-react'
import { useState, useEffect, useTransition, useOptimistic } from 'react' import { useState, useEffect, useTransition, useOptimistic, memo } from 'react'
import { useSession } from 'next-auth/react' import { useSession } from 'next-auth/react'
import { useRouter, useSearchParams } from 'next/navigation' import { useRouter, useSearchParams } from 'next/navigation'
import { deleteNote, toggleArchive, togglePin, updateColor, updateNote, updateSize, getNoteAllUsers, leaveSharedNote, removeFusedBadge } from '@/app/actions/notes' import { deleteNote, toggleArchive, togglePin, updateColor, updateNote, updateSize, getNoteAllUsers, leaveSharedNote, removeFusedBadge } from '@/app/actions/notes'
import { cn } from '@/lib/utils' import { cn } from '@/lib/utils'
import { formatDistanceToNow, Locale } from 'date-fns' import { formatDistanceToNow, Locale } from 'date-fns'
import * as dateFnsLocales from 'date-fns/locale' import { enUS } from 'date-fns/locale/en-US'
import { fr } from 'date-fns/locale/fr'
import { es } from 'date-fns/locale/es'
import { de } from 'date-fns/locale/de'
import { faIR } from 'date-fns/locale/fa-IR'
import { it } from 'date-fns/locale/it'
import { pt } from 'date-fns/locale/pt'
import { ru } from 'date-fns/locale/ru'
import { zhCN } from 'date-fns/locale/zh-CN'
import { ja } from 'date-fns/locale/ja'
import { ko } from 'date-fns/locale/ko'
import { ar } from 'date-fns/locale/ar'
import { hi } from 'date-fns/locale/hi'
import { nl } from 'date-fns/locale/nl'
import { pl } from 'date-fns/locale/pl'
import { MarkdownContent } from './markdown-content' import { MarkdownContent } from './markdown-content'
import { LabelBadge } from './label-badge' import { LabelBadge } from './label-badge'
import { NoteImages } from './note-images' import { NoteImages } from './note-images'
@@ -36,25 +50,25 @@ import { toast } from 'sonner'
// Mapping of supported languages to date-fns locales // Mapping of supported languages to date-fns locales
const localeMap: Record<string, Locale> = { const localeMap: Record<string, Locale> = {
en: dateFnsLocales.enUS, en: enUS,
fr: dateFnsLocales.fr, fr: fr,
es: dateFnsLocales.es, es: es,
de: dateFnsLocales.de, de: de,
fa: dateFnsLocales.faIR, fa: faIR,
it: dateFnsLocales.it, it: it,
pt: dateFnsLocales.pt, pt: pt,
ru: dateFnsLocales.ru, ru: ru,
zh: dateFnsLocales.zhCN, zh: zhCN,
ja: dateFnsLocales.ja, ja: ja,
ko: dateFnsLocales.ko, ko: ko,
ar: dateFnsLocales.ar, ar: ar,
hi: dateFnsLocales.hi, hi: hi,
nl: dateFnsLocales.nl, nl: nl,
pl: dateFnsLocales.pl, pl: pl,
} }
function getDateLocale(language: string): Locale { function getDateLocale(language: string): Locale {
return localeMap[language] || dateFnsLocales.enUS return localeMap[language] || enUS
} }
// Map icon names to lucide-react components // Map icon names to lucide-react components
@@ -118,7 +132,7 @@ function getAvatarColor(name: string): string {
return colors[hash % colors.length] return colors[hash % colors.length]
} }
export function NoteCard({ export const NoteCard = memo(function NoteCard({
note, note,
onEdit, onEdit,
onDragStart, onDragStart,
@@ -133,7 +147,7 @@ export function NoteCard({
const { data: session } = useSession() const { data: session } = useSession()
const { t, language } = useLanguage() const { t, language } = useLanguage()
const { notebooks, moveNoteToNotebookOptimistic } = useNotebooks() const { notebooks, moveNoteToNotebookOptimistic } = useNotebooks()
const [isPending, startTransition] = useTransition() const [, startTransition] = useTransition()
const [isDeleting, setIsDeleting] = useState(false) const [isDeleting, setIsDeleting] = useState(false)
const [showCollaboratorDialog, setShowCollaboratorDialog] = useState(false) const [showCollaboratorDialog, setShowCollaboratorDialog] = useState(false)
const [collaborators, setCollaborators] = useState<any[]>([]) const [collaborators, setCollaborators] = useState<any[]>([])
@@ -172,23 +186,33 @@ export function NoteCard({
// Load collaborators when note changes // Load collaborators when note changes
useEffect(() => { useEffect(() => {
let isMounted = true
const loadCollaborators = async () => { const loadCollaborators = async () => {
if (note.userId) { if (note.userId && isMounted) {
try { try {
const users = await getNoteAllUsers(note.id) const users = await getNoteAllUsers(note.id)
setCollaborators(users) if (isMounted) {
// Owner is always first in the list setCollaborators(users)
if (users.length > 0) { // Owner is always first in the list
setOwner(users[0]) if (users.length > 0) {
setOwner(users[0])
}
} }
} catch (error) { } catch (error) {
console.error('Failed to load collaborators:', error) console.error('Failed to load collaborators:', error)
setCollaborators([]) if (isMounted) {
setCollaborators([])
}
} }
} }
} }
loadCollaborators() loadCollaborators()
return () => {
isMounted = false
}
}, [note.id, note.userId]) }, [note.id, note.userId])
const handleDelete = async () => { const handleDelete = async () => {
@@ -525,47 +549,12 @@ export function NoteCard({
/> />
)} )}
{/* Labels - ONLY show if note belongs to a notebook (labels are contextual per PRD) */} {/* Labels - using shared LabelBadge component */}
{optimisticNote.notebookId && optimisticNote.labels && optimisticNote.labels.length > 0 && ( {optimisticNote.notebookId && optimisticNote.labels && optimisticNote.labels.length > 0 && (
<div className="flex flex-wrap gap-1 mt-3"> <div className="flex flex-wrap gap-1 mt-3">
{optimisticNote.labels.map((label) => { {optimisticNote.labels.map((label) => (
// Map label names to Keep style colors <LabelBadge key={label} label={label} />
const getLabelColor = (labelName: string) => { ))}
if (labelName.includes('hôtels') || labelName.includes('réservations')) {
return 'bg-indigo-50 dark:bg-indigo-900/30 text-indigo-700 dark:text-indigo-300'
} else if (labelName.includes('vols') || labelName.includes('flight')) {
return 'bg-sky-50 dark:bg-sky-900/30 text-sky-700 dark:text-sky-300'
} else if (labelName.includes('restos') || labelName.includes('restaurant')) {
return 'bg-orange-50 dark:bg-orange-900/30 text-orange-700 dark:text-orange-300'
} else {
return 'bg-emerald-50 dark:bg-emerald-900/30 text-emerald-700 dark:text-emerald-300'
}
}
// Map label names to Keep style icons
const getLabelIcon = (labelName: string) => {
if (labelName.includes('hôtels')) return 'label'
else if (labelName.includes('vols')) return 'flight'
else if (labelName.includes('restos')) return 'restaurant'
else return 'label'
}
const icon = getLabelIcon(label)
const colorClass = getLabelColor(label)
return (
<span
key={label}
className={cn(
"inline-flex items-center gap-1.5 px-2.5 py-1 rounded-full text-xs font-semibold",
colorClass
)}
>
<Tag className="w-3 h-3" />
{label}
</span>
)
})}
</div> </div>
)} )}
@@ -655,4 +644,4 @@ export function NoteCard({
)} )}
</Card> </Card>
) )
} })

View File

@@ -234,7 +234,7 @@ export function NotebooksList() {
)} )}
> >
<NotebookIcon className="w-5 h-5 flex-shrink-0" /> <NotebookIcon className="w-5 h-5 flex-shrink-0" />
<span className="text-sm font-medium tracking-wide truncate flex-1 text-left">{notebook.name}</span> <span className="text-sm font-medium tracking-wide truncate min-w-0 text-left">{notebook.name}</span>
{notebook.notesCount > 0 && ( {notebook.notesCount > 0 && (
<span className="text-xs text-gray-400 ml-2 flex-shrink-0">({notebook.notesCount})</span> <span className="text-xs text-gray-400 ml-2 flex-shrink-0">({notebook.notesCount})</span>
)} )}

View File

@@ -1,9 +1,18 @@
'use client' 'use client'
import { useState, useTransition, useOptimistic } from 'react'
import { Note } from '@/lib/types' import { Note } from '@/lib/types'
import { Clock } from 'lucide-react' import { Clock, Pin, FolderOpen, Trash2, Folder, X } from 'lucide-react'
import { cn } from '@/lib/utils' import { cn } from '@/lib/utils'
import { useLanguage } from '@/lib/i18n' import { useLanguage } from '@/lib/i18n'
import { Button } from './ui/button'
import { DropdownMenu, DropdownMenuContent, DropdownMenuItem, DropdownMenuTrigger } from './ui/dropdown-menu'
import { togglePin, deleteNote, dismissFromRecent } from '@/app/actions/notes'
import { useRouter } from 'next/navigation'
import { useNotebooks } from '@/context/notebooks-context'
import { useNoteRefresh } from '@/context/NoteRefreshContext'
import { toast } from 'sonner'
import { StickyNote } from 'lucide-react'
interface RecentNotesSectionProps { interface RecentNotesSectionProps {
recentNotes: Note[] recentNotes: Note[]
@@ -53,16 +62,89 @@ function CompactCard({
onEdit?: (note: Note, readOnly?: boolean) => void onEdit?: (note: Note, readOnly?: boolean) => void
}) { }) {
const { t } = useLanguage() const { t } = useLanguage()
const timeAgo = getCompactTime(note.contentUpdatedAt || note.updatedAt, t) const router = useRouter()
const { notebooks, moveNoteToNotebookOptimistic } = useNotebooks()
const { triggerRefresh } = useNoteRefresh()
const [isDeleting, setIsDeleting] = useState(false)
const [showNotebookMenu, setShowNotebookMenu] = useState(false)
const [, startTransition] = useTransition()
// Optimistic UI state
const [optimisticNote, addOptimisticNote] = useOptimistic(
note,
(state: Note, newProps: Partial<Note>) => ({ ...state, ...newProps })
)
const timeAgo = getCompactTime(optimisticNote.contentUpdatedAt || optimisticNote.updatedAt, t)
const isFirstNote = index === 0 const isFirstNote = index === 0
const handleTogglePin = async (e: React.MouseEvent) => {
e.stopPropagation()
startTransition(async () => {
const newPinnedState = !optimisticNote.isPinned
addOptimisticNote({ isPinned: newPinnedState })
await togglePin(note.id, newPinnedState)
// Trigger global refresh to update lists
triggerRefresh()
router.refresh()
if (newPinnedState) {
toast.success(t('notes.pinned') || 'Note pinned')
} else {
toast.info(t('notes.unpinned') || 'Note unpinned')
}
})
}
const handleMoveToNotebook = async (notebookId: string | null) => {
await moveNoteToNotebookOptimistic(note.id, notebookId)
setShowNotebookMenu(false)
triggerRefresh()
}
const handleDelete = async (e: React.MouseEvent) => {
e.stopPropagation()
if (confirm(t('notes.confirmDelete'))) {
setIsDeleting(true)
try {
await deleteNote(note.id)
triggerRefresh()
router.refresh()
} catch (error) {
console.error('Failed to delete note:', error)
setIsDeleting(false)
}
}
}
const handleDismiss = async (e: React.MouseEvent) => {
e.stopPropagation()
// Optimistic removal
setIsDeleting(true)
try {
await dismissFromRecent(note.id)
// Don't refresh list to prevent immediate replacement
// triggerRefresh()
// router.refresh()
toast.success(t('notes.dismissed') || 'Note dismissed from recent')
} catch (error) {
console.error('Failed to dismiss note:', error)
setIsDeleting(false)
toast.error(t('common.error') || 'Failed to dismiss')
}
}
if (isDeleting) return null
return ( return (
<button <div
onClick={() => onEdit?.(note)}
className={cn( className={cn(
"group relative text-left p-4 bg-card border rounded-xl shadow-sm hover:shadow-md transition-all duration-200 min-h-[44px]", "group relative flex flex-col p-4 bg-card border rounded-xl shadow-sm hover:shadow-md transition-all duration-200 min-h-[44px]",
isFirstNote && "ring-2 ring-primary/20" isFirstNote && "ring-2 ring-primary/20",
"cursor-pointer"
)} )}
onClick={() => onEdit?.(note)}
> >
<div className={cn( <div className={cn(
"absolute left-0 top-0 bottom-0 w-1 rounded-l-xl", "absolute left-0 top-0 bottom-0 w-1 rounded-l-xl",
@@ -73,14 +155,83 @@ function CompactCard({
: "bg-muted dark:bg-muted/60" : "bg-muted dark:bg-muted/60"
)} /> )} />
{/* Action Buttons Overlay - Ensure visible on hover and touch devices often handle this with tap */}
<div className="absolute top-2 right-2 flex items-center gap-1 opacity-100 md:opacity-0 group-hover:opacity-100 transition-opacity z-10">
{/* Pin Button */}
<Button
variant="ghost"
size="sm"
className="h-8 w-8 p-0 bg-background/50 backdrop-blur-sm border shadow-sm md:shadow-none md:border-none md:bg-transparent"
onClick={handleTogglePin}
title={optimisticNote.isPinned ? t('notes.unpin') : t('notes.pin')}
>
<Pin className={cn("h-3.5 w-3.5", optimisticNote.isPinned ? "fill-current text-primary" : "text-muted-foreground")} />
</Button>
{/* Move to Notebook */}
<DropdownMenu open={showNotebookMenu} onOpenChange={setShowNotebookMenu}>
<DropdownMenuTrigger asChild>
<Button
variant="ghost"
size="sm"
className="h-8 w-8 p-0 bg-background/50 backdrop-blur-sm border shadow-sm md:shadow-none md:border-none md:bg-transparent"
onClick={(e) => e.stopPropagation()}
title={t('notebookSuggestion.moveToNotebook')}
>
<FolderOpen className="h-3.5 w-3.5 text-muted-foreground" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end" className="w-56" onClick={(e) => e.stopPropagation()}>
<div className="px-2 py-1.5 text-xs font-semibold text-muted-foreground">
{t('notebookSuggestion.moveToNotebook')}
</div>
<DropdownMenuItem onClick={() => handleMoveToNotebook(null)}>
<StickyNote className="h-4 w-4 mr-2" />
{t('notebookSuggestion.generalNotes')}
</DropdownMenuItem>
{notebooks.map((notebook: any) => (
<DropdownMenuItem
key={notebook.id}
onClick={() => handleMoveToNotebook(notebook.id)}
>
<Folder className="h-4 w-4 mr-2" />
{notebook.name}
</DropdownMenuItem>
))}
</DropdownMenuContent>
</DropdownMenu>
{/* Dismiss Button */}
<Button
variant="ghost"
size="sm"
className="h-8 w-8 p-0 hover:text-destructive bg-background/50 backdrop-blur-sm border shadow-sm md:shadow-none md:border-none md:bg-transparent"
onClick={handleDismiss}
title={t('common.close') || 'Dismiss'}
>
<X className="h-3.5 w-3.5" />
</Button>
{/* Delete Button */}
<Button
variant="ghost"
size="sm"
className="h-8 w-8 p-0 hover:text-destructive bg-background/50 backdrop-blur-sm border shadow-sm md:shadow-none md:border-none md:bg-transparent"
onClick={handleDelete}
title={t('notes.delete')}
>
<Trash2 className="h-3.5 w-3.5" />
</Button>
</div>
<div className="pl-2"> <div className="pl-2">
<h3 className="text-sm font-semibold text-foreground line-clamp-1 mb-2"> <h3 className="text-sm font-semibold text-foreground line-clamp-1 mb-2">
{note.title || t('notes.untitled')} {optimisticNote.title || t('notes.untitled')}
</h3> </h3>
<p className="text-xs text-muted-foreground line-clamp-2 mb-3 min-h-[2.5rem]"> <p className="text-xs text-muted-foreground line-clamp-2 mb-3 min-h-[2.5rem]">
{note.content?.substring(0, 80) || ''} {(optimisticNote.content && typeof optimisticNote.content === 'string') ? optimisticNote.content.substring(0, 80) : ''}
{note.content && note.content.length > 80 && '...'} {optimisticNote.content && typeof optimisticNote.content === 'string' && optimisticNote.content.length > 80 && '...'}
</p> </p>
<div className="flex items-center justify-between pt-2 border-t border-border"> <div className="flex items-center justify-between pt-2 border-t border-border">
@@ -90,18 +241,19 @@ function CompactCard({
</span> </span>
<div className="flex items-center gap-1.5"> <div className="flex items-center gap-1.5">
{note.notebookId && ( {optimisticNote.isPinned && (
<Pin className="w-3 h-3 text-primary fill-current" />
)}
{optimisticNote.notebookId && (
<div className="w-1.5 h-1.5 rounded-full bg-primary dark:bg-primary/70" title={t('notes.inNotebook')} /> <div className="w-1.5 h-1.5 rounded-full bg-primary dark:bg-primary/70" title={t('notes.inNotebook')} />
)} )}
{note.labels && note.labels.length > 0 && ( {optimisticNote.labels && optimisticNote.labels.length > 0 && (
<div className="w-1.5 h-1.5 rounded-full bg-emerald-500 dark:bg-emerald-400" title={t('labels.count', { count: note.labels.length })} /> <div className="w-1.5 h-1.5 rounded-full bg-emerald-500 dark:bg-emerald-400" title={t('labels.count', { count: optimisticNote.labels.length })} />
)} )}
</div> </div>
</div> </div>
</div> </div>
</div>
<div className="absolute top-3 right-3 w-2 h-2 rounded-full bg-primary opacity-0 group-hover:opacity-100 transition-opacity duration-200" />
</button>
) )
} }

View File

@@ -1,6 +1,6 @@
'use client' 'use client'
import { createContext, useContext, useEffect, useState } from 'react' import { createContext, useContext, useEffect, useState, useCallback, useRef } from 'react'
import type { ReactNode } from 'react' import type { ReactNode } from 'react'
import { SupportedLanguage, loadTranslations, getTranslationValue, Translations } from './load-translations' import { SupportedLanguage, loadTranslations, getTranslationValue, Translations } from './load-translations'
@@ -13,18 +13,35 @@ type LanguageContextType = {
const LanguageContext = createContext<LanguageContextType | undefined>(undefined) const LanguageContext = createContext<LanguageContextType | undefined>(undefined)
const RTL_LANGUAGES: SupportedLanguage[] = ['ar', 'fa']
function updateDocumentDirection(lang: SupportedLanguage) {
document.documentElement.lang = lang
document.documentElement.dir = RTL_LANGUAGES.includes(lang) ? 'rtl' : 'ltr'
}
export function LanguageProvider({ children, initialLanguage = 'en' }: { export function LanguageProvider({ children, initialLanguage = 'en' }: {
children: ReactNode children: ReactNode
initialLanguage?: SupportedLanguage initialLanguage?: SupportedLanguage
}) { }) {
const [language, setLanguageState] = useState<SupportedLanguage>(initialLanguage) const [language, setLanguageState] = useState<SupportedLanguage>(initialLanguage)
const [translations, setTranslations] = useState<Translations | null>(null) const [translations, setTranslations] = useState<Translations | null>(null)
const cacheRef = useRef<Map<SupportedLanguage, Translations>>(new Map())
// Load translations when language changes // Load translations when language changes (with caching)
useEffect(() => { useEffect(() => {
const cached = cacheRef.current.get(language)
if (cached) {
setTranslations(cached)
updateDocumentDirection(language)
return
}
const loadLang = async () => { const loadLang = async () => {
const loaded = await loadTranslations(language) const loaded = await loadTranslations(language)
cacheRef.current.set(language, loaded)
setTranslations(loaded) setTranslations(loaded)
updateDocumentDirection(language)
} }
loadLang() loadLang()
}, [language]) }, [language])
@@ -34,7 +51,6 @@ export function LanguageProvider({ children, initialLanguage = 'en' }: {
const saved = localStorage.getItem('user-language') as SupportedLanguage const saved = localStorage.getItem('user-language') as SupportedLanguage
if (saved) { if (saved) {
setLanguageState(saved) setLanguageState(saved)
document.documentElement.lang = saved
} else { } else {
// Auto-detect from browser language // Auto-detect from browser language
const browserLang = navigator.language.split('-')[0] as SupportedLanguage const browserLang = navigator.language.split('-')[0] as SupportedLanguage
@@ -43,35 +59,44 @@ export function LanguageProvider({ children, initialLanguage = 'en' }: {
if (supportedLangs.includes(browserLang)) { if (supportedLangs.includes(browserLang)) {
setLanguageState(browserLang) setLanguageState(browserLang)
localStorage.setItem('user-language', browserLang) localStorage.setItem('user-language', browserLang)
document.documentElement.lang = browserLang
} }
} }
}, []) }, [])
const setLanguage = (lang: SupportedLanguage) => { const setLanguage = useCallback((lang: SupportedLanguage) => {
setLanguageState(lang) setLanguageState(lang)
localStorage.setItem('user-language', lang) localStorage.setItem('user-language', lang)
// Update HTML lang attribute for font styling updateDocumentDirection(lang)
document.documentElement.lang = lang }, [])
}
const t = (key: string, params?: Record<string, string | number>) => { const t = useCallback((key: string, params?: Record<string, string | number>) => {
if (!translations) return key if (!translations) return key
let value: any = getTranslationValue(translations, key) let value: any = getTranslationValue(translations, key)
// Replace parameters like {count}, {percentage}, etc. // Replace parameters like {count}, {percentage}, etc.
if (params) { if (params && typeof value === 'string') {
Object.entries(params).forEach(([param, paramValue]) => { Object.entries(params).forEach(([param, paramValue]) => {
value = value.replace(`{${param}}`, String(paramValue)) value = value.replace(`{${param}}`, String(paramValue))
}) })
} }
return value return typeof value === 'string' ? value : key
} }, [translations])
// During initial load, show children with the initial language as fallback
// to prevent blank flash
if (!translations) { if (!translations) {
return null // Show loading state if needed return (
<LanguageContext.Provider value={{
language: initialLanguage,
setLanguage,
t: (key: string) => key,
translations: {} as Translations
}}>
{children}
</LanguageContext.Provider>
)
} }
return ( return (

View File

@@ -49,7 +49,7 @@ export async function detectUserLanguage(): Promise<SupportedLanguage> {
if (sortedLanguages.length > 0) { if (sortedLanguages.length > 0) {
const topLanguage = sortedLanguages[0][0] as SupportedLanguage const topLanguage = sortedLanguages[0][0] as SupportedLanguage
// Verify it's a supported language // Verify it's a supported language
if (['fr', 'en', 'es', 'de', 'fa'].includes(topLanguage)) { if (['en', 'fr', 'es', 'de', 'fa', 'it', 'pt', 'ru', 'zh', 'ja', 'ko', 'ar', 'hi', 'nl', 'pl'].includes(topLanguage)) {
return topLanguage return topLanguage
} }
} }

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "مزود توليد الوسوم", "tagsGenerationProvider": "مزود توليد الوسوم",
"title": "تكوين الذكاء الاصطناعي", "title": "تكوين الذكاء الاصطناعي",
"updateFailed": "فشل تحديث إعدادات الذكاء الاصطناعي", "updateFailed": "فشل تحديث إعدادات الذكاء الاصطناعي",
"updateSuccess": "تم تحديث إعدادات الذكاء الاصطناعي بنجاح" "updateSuccess": "تم تحديث إعدادات الذكاء الاصطناعي بنجاح",
"bestValue": "أفضل قيمة",
"bestQuality": "أفضل جودة",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(تم الحفظ)"
}, },
"aiTest": { "aiTest": {
"description": "اختبر مزودي الذكاء الاصطناعي لتوليد الوسوم وتضمينات البحث الدلالي", "description": "اختبر مزودي الذكاء الاصطناعي لتوليد الوسوم وتضمينات البحث الدلالي",
@@ -153,34 +159,36 @@
"analyzing": "الذكاء الاصطناعي يحلل...", "analyzing": "الذكاء الاصطناعي يحلل...",
"assistant": "مساعد الذكاء الاصطناعي", "assistant": "مساعد الذكاء الاصطناعي",
"autoLabels": { "autoLabels": {
"analyzing": "تحليل ملاحظاتك لاقتراحات التصنيفات...", "error": "فشل في جلب اقتراحات التصنيفات",
"create": "إنشاء", "noLabelsSelected": "لم يتم اختيار تصنيفات",
"createNewLabel": "Create this new label and add it", "created": "تم إنشاء {count} تصنيفات بنجاح",
"created": "{count} labels created successfully", "analyzing": "تحليل ملاحظاتك...",
"creating": "إنشاء التصنيفات...", "title": "اقتراحات تصنيفات جديدة",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "اكتشفت مواضيع متكررة في \"{notebookName}\" ({totalNotes} ملاحظات). هل تريد إنشاء تصنيفات لها؟",
"error": "Failed to fetch label suggestions", "note": "ملاحظة",
"notes": "ملاحظات",
"typeContent": "اكتب محتوى للحصول على اقتراحات التصنيفات...",
"createNewLabel": "إنشاء هذا التصنيف الجديد وإضافته",
"new": "(جديد)", "new": "(جديد)",
"noLabelsSelected": "No labels selected", "create": "إنشاء",
"note": "note", "creating": "جارٍ إنشاء التصنيفات...",
"notes": "notes", "notesCount": "{count} ملاحظات",
"title": "اقتراحات التصنيفات", "typeForSuggestions": "اكتب محتوى للحصول على اقتراحات التصنيفات..."
"typeContent": "Type content to get label suggestions..."
}, },
"batchOrganization": { "batchOrganization": {
"analyzing": "Analyzing your notes...", "title": "تنظيم بالذكاء الاصطناعي",
"apply": "Apply", "description": "سيحلل الذكاء الاصطناعي ملاحظاتك ويقترح تنظيمها في دفاتر.",
"applyFailed": "Failed to apply organization plan", "analyzing": "تحليل ملاحظاتك...",
"applying": "Applying...", "noNotebooks": "لا توجد دفاتر متاحة. أنشئ دفاتر أولاً.",
"description": "سيقوم الذكاء الاصطناعي بتحليل ملاحظاتك واقتراح تنظيمها في دفاتر.", "noSuggestions": "لم يتمكن الذكاء الاصطناعي من إيجاد طريقة جيدة لتنظيم هذه الملاحظات.",
"error": "Failed to create organization plan", "apply": "تطبيق",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.", "applying": "جارٍ التطبيق...",
"noNotesSelected": "No notes selected", "success": "تم نقل {count} ملاحظات بنجاح",
"noSuggestions": "AI could not find a good way to organize these notes.", "error": "فشل في إنشاء خطة التنظيم",
"selectAllIn": "Select all notes in {notebook}", "noNotesSelected": "لم يتم اختيار ملاحظات",
"selectNote": "Select note: {title}", "applyFailed": "فشل في تطبيق خطة التنظيم",
"success": "{count} notes moved successfully", "selectAllIn": "تحديد جميع الملاحظات في {notebook}",
"title": "Organize with AI" "selectNote": "تحديد ملاحظة: {title}"
}, },
"clarify": "توضيح", "clarify": "توضيح",
"clickToAddTag": "انقر لإضافة هذا الوسم", "clickToAddTag": "انقر لإضافة هذا الوسم",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "Tags-Generierungsanbieter", "tagsGenerationProvider": "Tags-Generierungsanbieter",
"title": "KI-Konfiguration", "title": "KI-Konfiguration",
"updateFailed": "Fehler beim Aktualisieren der KI-Einstellungen", "updateFailed": "Fehler beim Aktualisieren der KI-Einstellungen",
"updateSuccess": "KI-Einstellungen erfolgreich aktualisiert" "updateSuccess": "KI-Einstellungen erfolgreich aktualisiert",
"bestValue": "Bestes Preis-Leistungs-Verhältnis",
"bestQuality": "Beste Qualität",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(Gespeichert)"
}, },
"aiTest": { "aiTest": {
"description": "Testen Sie Ihre KI-Anbieter für Tag-Generierung und semantische Such-Embeddings", "description": "Testen Sie Ihre KI-Anbieter für Tag-Generierung und semantische Such-Embeddings",
@@ -153,34 +159,36 @@
"analyzing": "KI analysiert...", "analyzing": "KI analysiert...",
"assistant": "KI-Assistent", "assistant": "KI-Assistent",
"autoLabels": { "autoLabels": {
"analyzing": "Analysiere Ihre Notizen r Etikettenvorschläge...", "error": "Fehler beim Abrufen der Etikettvorschläge",
"create": "Erstellen", "noLabelsSelected": "Keine Etiketten ausgewählt",
"createNewLabel": "Create this new label and add it", "created": "{count} Etiketten erfolgreich erstellt",
"created": "{count} labels created successfully", "analyzing": "Analysiere deine Notizen...",
"creating": "Erstelle Etiketten...", "title": "Neue Etikettvorschläge",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "Ich habe wiederkehrende Themen in \"{notebookName}\" ({totalNotes} Notizen) erkannt. Etiketten erstellen?",
"error": "Failed to fetch label suggestions", "note": "Notiz",
"notes": "Notizen",
"typeContent": "Inhalt eingeben für Etikettvorschläge...",
"createNewLabel": "Dieses neue Etikett erstellen und hinzufügen",
"new": "(neu)", "new": "(neu)",
"noLabelsSelected": "No labels selected", "create": "Erstellen",
"note": "note", "creating": "Etiketten werden erstellt...",
"notes": "notes", "notesCount": "{count} Notizen",
"title": "Etikettenvorschläge", "typeForSuggestions": "Inhalt eingeben für Etikettvorschläge..."
"typeContent": "Type content to get label suggestions..."
}, },
"batchOrganization": { "batchOrganization": {
"analyzing": "Analyzing your notes...", "title": "Mit KI organisieren",
"apply": "Apply", "description": "Die KI analysiert deine Notizen und schlägt vor, sie in Notizbücher zu organisieren.",
"applyFailed": "Failed to apply organization plan", "analyzing": "Analysiere deine Notizen...",
"applying": "Applying...", "noNotebooks": "Keine Notizbücher verfügbar. Erstelle zuerst Notizbücher.",
"description": "Die KI analysiert Ihre Notizen und schlägt vor, sie in Notizbüchern zu organisieren.", "noSuggestions": "Die KI konnte keine gute Möglichkeit finden, diese Notizen zu organisieren.",
"error": "Failed to create organization plan", "apply": "Anwenden",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.", "applying": "Wird angewendet...",
"noNotesSelected": "No notes selected", "success": "{count} Notizen erfolgreich verschoben",
"noSuggestions": "AI could not find a good way to organize these notes.", "error": "Fehler beim Erstellen des Organisationsplans",
"selectAllIn": "Select all notes in {notebook}", "noNotesSelected": "Keine Notizen ausgewählt",
"selectNote": "Select note: {title}", "applyFailed": "Fehler beim Anwenden des Organisationsplans",
"success": "{count} notes moved successfully", "selectAllIn": "Alle Notizen in {notebook} auswählen",
"title": "Organize with AI" "selectNote": "Notiz auswählen: {title}"
}, },
"clarify": "Klarstellen", "clarify": "Klarstellen",
"clickToAddTag": "Klicken Sie, um diesen Tag hinzuzufügen", "clickToAddTag": "Klicken Sie, um diesen Tag hinzuzufügen",
@@ -193,7 +201,7 @@
"languageDetected": "Sprache erkannt", "languageDetected": "Sprache erkannt",
"notebookSummary": { "notebookSummary": {
"regenerate": "Zusammenfassung neu generieren", "regenerate": "Zusammenfassung neu generieren",
"regenerating": "Generiere Zusammenfassung neu..." "regenerating": "Zusammenfassung wird neu generiert..."
}, },
"original": "Original", "original": "Original",
"poweredByAI": "Powered by KI", "poweredByAI": "Powered by KI",

View File

@@ -291,34 +291,6 @@
"regenerating": "Regenerating summary..." "regenerating": "Regenerating summary..."
} }
}, },
"batchOrganization": {
"error": "Failed to create organization plan",
"noNotesSelected": "No notes selected",
"title": "Organize with AI",
"description": "AI will analyze your notes and suggest organizing them into notebooks.",
"analyzing": "Analyzing your notes...",
"notesToOrganize": "{count} notes to organize",
"selected": "{count} selected",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.",
"noSuggestions": "AI could not find a good way to organize these notes.",
"confidence": "confidence",
"unorganized": "{count} notes couldn't be categorized and will stay in General Notes.",
"applying": "Applying...",
"apply": "Apply ({count})"
},
"autoLabels": {
"error": "Failed to fetch label suggestions",
"noLabelsSelected": "No labels selected",
"created": "{count} labels created successfully",
"analyzing": "Analyzing your notes...",
"title": "New Label Suggestions",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?",
"note": "note",
"notes": "notes",
"typeContent": "Type content to get label suggestions...",
"createNewLabel": "Create this new label and add it",
"new": "(new)"
},
"titleSuggestions": { "titleSuggestions": {
"available": "Title suggestions", "available": "Title suggestions",
"title": "AI suggestions", "title": "AI suggestions",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "Proveedor de generación de etiquetas", "tagsGenerationProvider": "Proveedor de generación de etiquetas",
"title": "Configuración de IA", "title": "Configuración de IA",
"updateFailed": "Error al actualizar la configuración de IA", "updateFailed": "Error al actualizar la configuración de IA",
"updateSuccess": "Configuración de IA actualizada correctamente" "updateSuccess": "Configuración de IA actualizada correctamente",
"bestValue": "Mejor relación calidad/precio",
"bestQuality": "Mejor calidad",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(Guardado)"
}, },
"aiTest": { "aiTest": {
"description": "Prueba tus proveedores de IA para generación de etiquetas y embeddings de búsqueda semántica", "description": "Prueba tus proveedores de IA para generación de etiquetas y embeddings de búsqueda semántica",
@@ -153,35 +159,36 @@
"analyzing": "IA analizando...", "analyzing": "IA analizando...",
"assistant": "Asistente IA", "assistant": "Asistente IA",
"autoLabels": { "autoLabels": {
"analyzing": "Analizando tus notas para sugerencias de etiquetas...", "error": "Error al obtener sugerencias de etiquetas",
"create": "Crear", "noLabelsSelected": "No se seleccionaron etiquetas",
"createNewLabel": "Crear nueva etiqueta", "created": "{count} etiquetas creadas exitosamente",
"created": "{count} labels created successfully", "analyzing": "Analizando tus notas...",
"creating": "Creando etiquetas...", "title": "Nuevas sugerencias de etiquetas",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "He detectado temas recurrentes en \"{notebookName}\" ({totalNotes} notas). ¿Crear etiquetas para ellos?",
"error": "Failed to fetch label suggestions", "note": "nota",
"notes": "notas",
"typeContent": "Escribe contenido para obtener sugerencias de etiquetas...",
"createNewLabel": "Crear esta nueva etiqueta y agregarla",
"new": "(nuevo)", "new": "(nuevo)",
"noLabelsSelected": "No labels selected", "create": "Crear",
"note": "note", "creating": "Creando etiquetas...",
"notes": "notes", "notesCount": "{count} notas",
"title": "Sugerencias de etiquetas", "typeForSuggestions": "Escribe contenido para obtener sugerencias de etiquetas..."
"typeContent": "Type content to get label suggestions...",
"typeForSuggestions": "Escribe para obtener sugerencias"
}, },
"batchOrganization": { "batchOrganization": {
"analyzing": "Analyzing your notes...", "title": "Organizar con IA",
"apply": "Apply", "description": "La IA analizará tus notas y sugerirá organizarlas en cuadernos.",
"applyFailed": "Error al aplicar", "analyzing": "Analizando tus notas...",
"applying": "Applying...", "noNotebooks": "No hay cuadernos disponibles. Crea cuadernos primero para organizar tus notas.",
"description": "La IA analizará tus notas y sugerirá organizarlas en libretas.", "noSuggestions": "La IA no pudo encontrar una buena manera de organizar estas notas.",
"error": "Error al organizar", "apply": "Aplicar",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.", "applying": "Aplicando...",
"noNotesSelected": "Sin notas seleccionadas", "success": "{count} notas movidas exitosamente",
"noSuggestions": "AI could not find a good way to organize these notes.", "error": "Error al crear el plan de organización",
"selectAllIn": "Seleccionar todo en", "noNotesSelected": "No se seleccionaron notas",
"selectNote": "Seleccionar nota", "applyFailed": "Error al aplicar el plan de organización",
"success": "Organización completada", "selectAllIn": "Seleccionar todas las notas en {notebook}",
"title": "Organizar con IA" "selectNote": "Seleccionar nota: {title}"
}, },
"clarify": "Aclarar", "clarify": "Aclarar",
"clickToAddTag": "Haz clic para agregar esta etiqueta", "clickToAddTag": "Haz clic para agregar esta etiqueta",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "ارائه‌دهنده تولید برچسب", "tagsGenerationProvider": "ارائه‌دهنده تولید برچسب",
"title": "پیکربندی هوش مصنوعی", "title": "پیکربندی هوش مصنوعی",
"updateFailed": "شکست در به‌روزرسانی تنظیمات هوش مصنوعی", "updateFailed": "شکست در به‌روزرسانی تنظیمات هوش مصنوعی",
"updateSuccess": "تنظیمات هوش مصنوعی با موفقیت به‌روزرسانی شد" "updateSuccess": "تنظیمات هوش مصنوعی با موفقیت به‌روزرسانی شد",
"bestValue": "بهترین ارزش",
"bestQuality": "بهترین کیفیت",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(ذخیره شد)"
}, },
"aiTest": { "aiTest": {
"description": "تست ارائه‌دهندگان هوش مصنوعی برای تولید برچسب و تعبیه‌های جستجوی معنایی", "description": "تست ارائه‌دهندگان هوش مصنوعی برای تولید برچسب و تعبیه‌های جستجوی معنایی",
@@ -153,34 +159,36 @@
"analyzing": "در حال تحلیل هوش مصنوعی...", "analyzing": "در حال تحلیل هوش مصنوعی...",
"assistant": "دستیار هوش مصنوعی", "assistant": "دستیار هوش مصنوعی",
"autoLabels": { "autoLabels": {
"analyzing": "در حال تحلیل یادداشت‌های شما برای پیشنهادات برچسب...", "analyzing": "تحلیل یادداشت‌های شما...",
"create": "ایجاد", "create": "ایجاد",
"createNewLabel": "Create this new label and add it", "createNewLabel": "ایجاد این برچسب جدید و اضافه کردن آن",
"created": "{count} labels created successfully", "created": "{count} برچسب با موفقیت ایجاد شد",
"creating": "در حال ایجاد برچسب‌ها...", "creating": "در حال ایجاد برچسب‌ها...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "من موضوعات تکراری در \"{notebookName}\" ({totalNotes} یادداشت) تشخیص دادم. برچسب برای آنها ایجاد شود؟",
"error": "Failed to fetch label suggestions", "error": "دریافت پیشنهادهای برچسب ناموفق",
"new": "(جدید)", "new": "(جدید)",
"noLabelsSelected": "No labels selected", "noLabelsSelected": "برچسبی انتخاب نشده",
"note": "note", "note": "یادداشت",
"notes": "notes", "notes": "یادداشت",
"title": "پیشنهادات برچسب", "title": "پیشنهادهای برچسب جدید",
"typeContent": "Type content to get label suggestions..." "typeContent": "برای دریافت پیشنهاد برچسب محتوا وارد کنید...",
"notesCount": "{count} یادداشت",
"typeForSuggestions": "برای دریافت پیشنهاد برچسب محتوا وارد کنید..."
}, },
"batchOrganization": { "batchOrganization": {
"analyzing": "Analyzing your notes...", "analyzing": "تحلیل یادداشت‌های شما...",
"apply": "Apply", "apply": "اعمال",
"applyFailed": "Failed to apply organization plan", "applyFailed": "اعمال طرح سازماندهی ناموفق",
"applying": "Applying...", "applying": "در حال اعمال...",
"description": "هوش مصنوعی یادداشت‌های شما را تحلیل کرده و پیشنهاد می‌کند آن‌ها را در دفترچه‌ها سازماندهی کنید.", "description": "هوش مصنوعی یادداشت‌های شما را تحلیل و پیشنهاد سازماندهی در دفترچه‌ها را می‌دهد.",
"error": "Failed to create organization plan", "error": "ایجاد طرح سازماندهی ناموفق",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.", "noNotebooks": "دفترچه‌ای موجود نیست. ابتدا دفترچه ایجاد کنید.",
"noNotesSelected": "No notes selected", "noNotesSelected": "یادداشتی انتخاب نشده",
"noSuggestions": "AI could not find a good way to organize these notes.", "noSuggestions": "هوش مصنوعی نتوانست روش خوبی برای سازماندهی این یادداشت‌ها پیدا کند.",
"selectAllIn": "Select all notes in {notebook}", "selectAllIn": "انتخاب تمام یادداشت‌ها در {notebook}",
"selectNote": "Select note: {title}", "selectNote": "انتخاب یادداشت: {title}",
"success": "{count} notes moved successfully", "success": "{count} یادداشت با موفقیت جابجا شد",
"title": "Organize with AI" "title": "سازماندهی با هوش مصنوعی"
}, },
"clarify": "شفاف‌سازی", "clarify": "شفاف‌سازی",
"clickToAddTag": "برای افزودن این برچسب کلیک کنید", "clickToAddTag": "برای افزودن این برچسب کلیک کنید",
@@ -192,8 +200,8 @@
"improveStyle": "بهبود سبک", "improveStyle": "بهبود سبک",
"languageDetected": "زبان شناسایی شد", "languageDetected": "زبان شناسایی شد",
"notebookSummary": { "notebookSummary": {
"regenerate": "تولید مجدد خلاصه", "regenerate": "بازسازی خلاصه",
"regenerating": "در حال تولید مجدد خلاصه..." "regenerating": "در حال بازسازی خلاصه..."
}, },
"original": "اصلی", "original": "اصلی",
"poweredByAI": "قدرت گرفته از هوش مصنوعی", "poweredByAI": "قدرت گرفته از هوش مصنوعی",

View File

@@ -45,16 +45,22 @@
"baseUrl": "URL de base", "baseUrl": "URL de base",
"commonEmbeddingModels": "Modèles d'embeddings courants pour API compatibles OpenAI", "commonEmbeddingModels": "Modèles d'embeddings courants pour API compatibles OpenAI",
"commonModelsDescription": "Modèles courants pour API compatibles OpenAI", "commonModelsDescription": "Modèles courants pour API compatibles OpenAI",
"description": "Configurez les fournisseurs IA pour l'étiquetage auto et la recherche sémantique.", "description": "Configurez les fournisseurs IA pour l'étiquetage auto et la recherche sémantique. Utilisez différents fournisseurs pour des performances optimales.",
"embeddingsDescription": "Fournisseur IA pour la recherche sémantique. Recommandé : OpenAI (meilleure qualité).", "embeddingsDescription": "Fournisseur IA pour la recherche sémantique. Recommandé : OpenAI (meilleure qualité).",
"embeddingsProvider": "Fournisseur d'embeddings", "embeddingsProvider": "Fournisseur d'embeddings",
"model": "Modèle", "model": "Modèle",
"modelRecommendations": "gpt-4o-mini = Meilleur prix • gpt-4o = Meilleure qualité", "modelRecommendations": "gpt-4o-mini = Meilleur rapport qualité/prix • gpt-4o = Meilleure qualité",
"openAIKeyDescription": "Votre clé API OpenAI depuis platform.openai.com", "openAIKeyDescription": "Votre clé API OpenAI depuis platform.openai.com",
"openTestPanel": "Ouvrir le panneau de test IA", "openTestPanel": "Ouvrir le panneau de test IA",
"provider": "Fournisseur", "provider": "Fournisseur",
"providerEmbeddingRequired": "AI_PROVIDER_EMBEDDING est requis", "providerEmbeddingRequired": "AI_PROVIDER_EMBEDDING est requis",
"providerTagsRequired": "AI_PROVIDER_TAGS est requis", "providerTagsRequired": "AI_PROVIDER_TAGS est requis",
"providerOllamaOption": "🦙 Ollama (Local & Gratuit)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom Compatible OpenAI",
"bestValue": "Meilleur rapport qualité/prix",
"bestQuality": "Meilleure qualité",
"saved": "(Enregistré)",
"saveSettings": "Enregistrer les paramètres IA", "saveSettings": "Enregistrer les paramètres IA",
"saving": "Enregistrement...", "saving": "Enregistrement...",
"selectEmbeddingModel": "Sélectionnez un modèle d'embedding installé localement", "selectEmbeddingModel": "Sélectionnez un modèle d'embedding installé localement",
@@ -63,83 +69,77 @@
"tagsGenerationProvider": "Fournisseur de génération d'étiquettes", "tagsGenerationProvider": "Fournisseur de génération d'étiquettes",
"title": "Configuration IA", "title": "Configuration IA",
"updateFailed": "Échec de la mise à jour des paramètres IA", "updateFailed": "Échec de la mise à jour des paramètres IA",
"updateSuccess": "Paramètres IA mis à jour avec succès", "updateSuccess": "Paramètres IA mis à jour avec succès"
"providerOllamaOption": "🦙 Ollama (Local & Gratuit)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom Compatible OpenAI",
"bestValue": "Meilleur rapport qualité/prix",
"bestQuality": "Meilleure qualité",
"saved": "(Enregistré)"
}, },
"aiTest": { "aiTest": {
"description": "Test your AI providers for tag generation and semantic search embeddings", "description": "Testez vos fournisseurs IA pour la génération d'étiquettes et les embeddings de recherche sémantique",
"embeddingDimensions": "Embedding Dimensions:", "embeddingDimensions": "Dimensions de l'embedding :",
"embeddingsTestDescription": "Test the AI provider responsible for semantic search embeddings", "embeddingsTestDescription": "Testez le fournisseur IA responsable des embeddings de recherche sémantique",
"embeddingsTestTitle": "Embeddings Test", "embeddingsTestTitle": "Test d'embeddings",
"error": "Error:", "error": "Erreur :",
"first5Values": "First 5 values:", "first5Values": "5 premières valeurs :",
"generatedTags": "Generated Tags:", "generatedTags": "Étiquettes générées :",
"howItWorksTitle": "How Testing Works", "howItWorksTitle": "Fonctionnement des tests",
"model": "Model:", "model": "Modèle :",
"provider": "Provider:", "provider": "Fournisseur :",
"responseTime": "Response time: {time}ms", "responseTime": "Temps de réponse : {time}ms",
"runTest": "Run Test", "runTest": "Lancer le test",
"tagsTestDescription": "Test the AI provider responsible for automatic tag suggestions", "tagsTestDescription": "Testez le fournisseur IA responsable des suggestions d'étiquettes automatiques",
"tagsTestTitle": "Tags Generation Test", "tagsTestTitle": "Test de génération d'étiquettes",
"testError": "Test Error: {error}", "testError": "Erreur de test : {error}",
"testFailed": "Test Failed", "testFailed": "Test échoué",
"testPassed": "Test Passed", "testPassed": "Test réussi",
"testing": "Testing...", "testing": "Test en cours...",
"tipDescription": "Use the AI Test Panel to diagnose configuration issues before testing.", "tipDescription": "Utilisez le panneau de test IA pour diagnostiquer les problèmes de configuration avant de tester.",
"tipTitle": "Tip:", "tipTitle": "Astuce :",
"title": "AI Provider Testing", "title": "Test des fournisseurs IA",
"vectorDimensions": "vector dimensions" "vectorDimensions": "dimensions vectorielles"
}, },
"aiTesting": "AI Testing", "aiTesting": "Test IA",
"security": { "security": {
"allowPublicRegistration": "Allow Public Registration", "allowPublicRegistration": "Autoriser l'inscription publique",
"allowPublicRegistrationDescription": "If disabled, new users can only be added by an Administrator via the User Management page.", "allowPublicRegistrationDescription": "Si désactivé, les nouveaux utilisateurs ne peuvent être ajoutés que par un administrateur via la page de gestion des utilisateurs.",
"description": "Manage access control and registration policies.", "description": "Gérez le contrôle d'accès et les politiques d'inscription.",
"title": "Security Settings", "title": "Paramètres de sécurité",
"updateFailed": "Failed to update security settings", "updateFailed": "Échec de la mise à jour des paramètres de sécurité",
"updateSuccess": "Security Settings updated" "updateSuccess": "Paramètres de sécurité mis à jour"
}, },
"settings": "Admin Settings", "settings": "Paramètres administrateur",
"smtp": { "smtp": {
"description": "Configure email server for password resets.", "description": "Configurez le serveur email pour les réinitialisations de mot de passe.",
"forceSSL": "Force SSL/TLS (usually for port 465)", "forceSSL": "Forcer SSL/TLS (généralement pour le port 465)",
"fromEmail": "From Email", "fromEmail": "Email d'expédition",
"host": "Host", "host": "Hôte",
"ignoreCertErrors": "Ignore Certificate Errors (Self-hosted/Dev only)", "ignoreCertErrors": "Ignorer les erreurs de certificat (Auto-hébergé/Dev uniquement)",
"password": "Password", "password": "Mot de passe",
"port": "Port", "port": "Port",
"saveSettings": "Save SMTP Settings", "saveSettings": "Enregistrer les paramètres SMTP",
"sending": "Sending...", "sending": "Envoi en cours...",
"testEmail": "Test Email", "testEmail": "Email de test",
"testFailed": "Failed: {error}", "testFailed": "Échec : {error}",
"testSuccess": "Test email sent successfully!", "testSuccess": "Email de test envoyé avec succès !",
"title": "SMTP Configuration", "title": "Configuration SMTP",
"updateFailed": "Failed to update SMTP settings", "updateFailed": "Échec de la mise à jour des paramètres SMTP",
"updateSuccess": "SMTP Settings updated", "updateSuccess": "Paramètres SMTP mis à jour",
"username": "Username" "username": "Nom d'utilisateur"
}, },
"title": "Admin Dashboard", "title": "Tableau de bord Admin",
"userManagement": "User Management", "userManagement": "Gestion des utilisateurs",
"users": { "users": {
"addUser": "Add User", "addUser": "Ajouter un utilisateur",
"confirmDelete": "Êtes-vous sûr ? Cette action est irréversible.", "confirmDelete": "Êtes-vous sûr ? Cette action est irréversible.",
"createFailed": "Failed to create user", "createFailed": "Échec de la création de l'utilisateur",
"createSuccess": "User created successfully", "createSuccess": "Utilisateur créé avec succès",
"createUser": "Create User", "createUser": "Créer un utilisateur",
"createUserDescription": "Add a new user to the system.", "createUserDescription": "Ajouter un nouvel utilisateur au système.",
"deleteFailed": "Échec de la suppression", "deleteFailed": "Échec de la suppression",
"deleteSuccess": "Utilisateur supprimé", "deleteSuccess": "Utilisateur supprimé",
"demote": "Rétrograder en utilisateur", "demote": "Rétrograder en utilisateur",
"email": "Email", "email": "Email",
"name": "Name", "name": "Nom",
"password": "Password", "password": "Mot de passe",
"promote": "Promouvoir en admin", "promote": "Promouvoir en admin",
"role": "Role", "role": "Rôle",
"roleUpdateFailed": "Échec de la mise à jour du rôle", "roleUpdateFailed": "Échec de la mise à jour du rôle",
"roleUpdateSuccess": "Rôle de l'utilisateur mis à jour à {role}", "roleUpdateSuccess": "Rôle de l'utilisateur mis à jour à {role}",
"roles": { "roles": {
@@ -156,79 +156,80 @@
} }
}, },
"ai": { "ai": {
"analyzing": "AI analyzing...", "analyzing": "Analyse IA en cours...",
"assistant": "AI Assistant", "assistant": "Assistant IA",
"autoLabels": { "autoLabels": {
"analyzing": "Analyse de vos notes pour les suggestions d'étiquettes...", "analyzing": "Analyse de vos notes pour les suggestions d'étiquettes...",
"create": "Créer", "create": "Créer",
"createNewLabel": "Créer cette nouvelle étiquette et l'ajouter", "createNewLabel": "Créer cette nouvelle étiquette et l'ajouter",
"created": "{count} labels created successfully", "created": "{count} étiquettes créées avec succès",
"creating": "Création des étiquettes...", "creating": "Création des étiquettes...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "J'ai détecté des thèmes récurrents dans \"{notebookName}\" ({totalNotes} notes). Créer des étiquettes pour eux ?",
"error": "Failed to fetch label suggestions", "error": "Échec de la récupération des suggestions d'étiquettes",
"new": "(nouveau)", "new": "(nouveau)",
"noLabelsSelected": "No labels selected", "noLabelsSelected": "Aucune étiquette sélectionnée",
"note": "note", "note": "note",
"notes": "notes", "notes": "notes",
"title": "Suggestions d'étiquettes", "title": "Suggestions d'étiquettes",
"typeContent": "Type content to get label suggestions...", "typeContent": "Tapez du contenu pour obtenir des suggestions d'étiquettes...",
"typeForSuggestions": "Tapez du contenu pour obtenir des suggestions d'étiquettes..." "typeForSuggestions": "Tapez du contenu pour obtenir des suggestions d'étiquettes...",
"notesCount": "{count} notes"
}, },
"batchOrganization": { "batchOrganization": {
"analyzing": "Analyzing your notes...", "analyzing": "Analyse de vos notes...",
"apply": "Apply", "apply": "Appliquer",
"applyFailed": "Échec de l'application du plan d'organisation", "applyFailed": "Échec de l'application du plan d'organisation",
"applying": "Applying...", "applying": "Application...",
"description": "L'IA analysera vos notes et suggérera de les organiser dans des carnets.", "description": "L'IA analysera vos notes et suggérera de les organiser dans des carnets.",
"error": "Échec de la création du plan d'organisation", "error": "Échec de la création du plan d'organisation",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.", "noNotebooks": "Aucun carnet disponible. Créez d'abord des carnets pour organiser vos notes.",
"noNotesSelected": "Aucune note sélectionnée", "noNotesSelected": "Aucune note sélectionnée",
"noSuggestions": "AI could not find a good way to organize these notes.", "noSuggestions": "L'IA n'a pas trouvé de bonne manière d'organiser ces notes.",
"selectAllIn": "Sélectionner toutes les notes dans {notebook}", "selectAllIn": "Sélectionner toutes les notes dans {notebook}",
"selectNote": "Sélectionner la note : {title}", "selectNote": "Sélectionner la note : {title}",
"success": "{count} notes déplacées avec succès", "success": "{count} notes déplacées avec succès",
"title": "Organiser avec l'IA" "title": "Organiser avec l'IA"
}, },
"clarify": "Clarify", "clarify": "Clarifier",
"clickToAddTag": "Click to add this tag", "clickToAddTag": "Cliquer pour ajouter cette étiquette",
"generateTitles": "Generate titles", "generateTitles": "Générer des titres",
"generateTitlesTooltip": "Generate titles with AI", "generateTitlesTooltip": "Générer des titres avec l'IA",
"generating": "Generating...", "generating": "Génération...",
"generatingTitles": "Generating titles...", "generatingTitles": "Génération de titres...",
"ignoreSuggestion": "Ignore this suggestion", "ignoreSuggestion": "Ignorer cette suggestion",
"improveStyle": "Improve style", "improveStyle": "Améliorer le style",
"languageDetected": "Language detected", "languageDetected": "Langue détectée",
"notebookSummary": { "notebookSummary": {
"regenerate": "Régénérer le résumé", "regenerate": "Régénérer le résumé",
"regenerating": "Régénération du résumé..." "regenerating": "Régénération du résumé..."
}, },
"original": "Original", "original": "Original",
"poweredByAI": "Powered by AI", "poweredByAI": "Propulsé par l'IA",
"processing": "Processing...", "processing": "Traitement en cours...",
"reformulateText": "Reformulate text", "reformulateText": "Reformuler le texte",
"reformulated": "Reformulated", "reformulated": "Reformulé",
"reformulating": "Reformulating...", "reformulating": "Reformulation...",
"reformulationApplied": "Reformulated text applied!", "reformulationApplied": "Texte reformulé appliqué !",
"reformulationComparison": "Reformulation Comparison", "reformulationComparison": "Comparaison de reformulation",
"reformulationError": "Error during reformulation", "reformulationError": "Erreur lors de la reformulation",
"reformulationFailed": "Failed to reformulate text", "reformulationFailed": "Échec de la reformulation du texte",
"reformulationMaxWords": "Text must have maximum 500 words", "reformulationMaxWords": "Le texte doit avoir au maximum 500 mots",
"reformulationMinWords": "Text must have at least 10 words (current: {count} words)", "reformulationMinWords": "Le texte doit avoir au moins 10 mots (actuel : {count} mots)",
"reformulationNoText": "Please select text or add content", "reformulationNoText": "Veuillez sélectionner du texte ou ajouter du contenu",
"reformulationSelectionTooShort": "Selection too short, using full content", "reformulationSelectionTooShort": "Sélection trop courte, utilisation du contenu complet",
"shorten": "Shorten", "shorten": "Raccourcir",
"tagAdded": "Tag \"{tag}\" added", "tagAdded": "Étiquette \"{tag}\" ajoutée",
"titleApplied": "Title applied!", "titleApplied": "Titre appliqué !",
"titleGenerateWithAI": "Generate titles with AI", "titleGenerateWithAI": "Générer des titres avec l'IA",
"titleGenerating": "Generating...", "titleGenerating": "Génération...",
"titleGenerationError": "Error generating titles", "titleGenerationError": "Erreur lors de la génération des titres",
"titleGenerationFailed": "Failed to generate titles", "titleGenerationFailed": "Échec de la génération des titres",
"titleGenerationMinWords": "Content must have at least 10 words to generate titles (current: {count} words)", "titleGenerationMinWords": "Le contenu doit avoir au moins 10 mots pour générer des titres (actuel : {count} mots)",
"titlesGenerated": "💡 {count} titles generated!", "titlesGenerated": "💡 {count} titres générés !",
"transformError": "Error during transformation", "transformError": "Erreur lors de la transformation",
"transformMarkdown": "Transform to Markdown", "transformMarkdown": "Transformer en Markdown",
"transformSuccess": "Text transformed to Markdown successfully!", "transformSuccess": "Texte transformé en Markdown avec succès !",
"transforming": "Transforming..." "transforming": "Transformation..."
}, },
"aiSettings": { "aiSettings": {
"description": "Configurez vos fonctionnalités IA et préférences", "description": "Configurez vos fonctionnalités IA et préférences",
@@ -282,7 +283,7 @@
"sending": "Envoi en cours...", "sending": "Envoi en cours...",
"signIn": "Connexion", "signIn": "Connexion",
"signInToAccount": "Connectez-vous à votre compte", "signInToAccount": "Connectez-vous à votre compte",
"signOut": "Sign out", "signOut": "Déconnexion",
"signUp": "S'inscrire" "signUp": "S'inscrire"
}, },
"autoLabels": { "autoLabels": {
@@ -387,51 +388,51 @@
}, },
"dataManagement": { "dataManagement": {
"cleanup": { "cleanup": {
"button": "Cleanup", "button": "Nettoyer",
"description": "Remove labels and connections that reference deleted notes.", "description": "Supprimer les étiquettes et connexions qui référencent des notes supprimées.",
"failed": "Error during cleanup", "failed": "Erreur lors du nettoyage",
"title": "Cleanup Orphaned Data" "title": "Nettoyer les données orphelines"
}, },
"cleanupComplete": "Nettoyage terminé : {created} créés, {deleted} supprimés", "cleanupComplete": "Nettoyage terminé : {created} créés, {deleted} supprimés",
"cleanupError": "Erreur lors du nettoyage", "cleanupError": "Erreur lors du nettoyage",
"dangerZone": "Zone de danger", "dangerZone": "Zone de danger",
"dangerZoneDescription": "Supprimer définitivement vos données", "dangerZoneDescription": "Supprimer définitivement vos données",
"delete": { "delete": {
"button": "Delete All Notes", "button": "Supprimer toutes les notes",
"confirm": "Are you sure? This will permanently delete all your notes.", "confirm": "Êtes-vous sûr ? Cette action supprimera définitivement toutes vos notes.",
"description": "Permanently delete all your notes. This action cannot be undone.", "description": "Supprimer définitivement toutes vos notes. Cette action est irréversible.",
"failed": "Failed to delete notes", "failed": "Échec de la suppression des notes",
"success": "All notes deleted", "success": "Toutes les notes ont été supprimées",
"title": "Delete All Notes" "title": "Supprimer toutes les notes"
}, },
"deleting": "Suppression...", "deleting": "Suppression...",
"export": { "export": {
"button": "Export Notes", "button": "Exporter les notes",
"description": "Download all your notes as a JSON file. This includes all content, labels, and metadata.", "description": "Télécharger toutes vos notes au format JSON. Inclut tout le contenu, les étiquettes et les métadonnées.",
"failed": "Failed to export notes", "failed": "Échec de l'exportation des notes",
"success": "Notes exported successfully", "success": "Notes exportées avec succès",
"title": "Export All Notes" "title": "Exporter toutes les notes"
}, },
"exporting": "Exportation...", "exporting": "Exportation...",
"import": { "import": {
"button": "Import Notes", "button": "Importer des notes",
"description": "Upload a JSON file to import notes. This will add to your existing notes, not replace them.", "description": "Téléchargez un fichier JSON pour importer des notes. Les notes seront ajoutées aux existantes, pas remplacées.",
"failed": "Failed to import notes", "failed": "Échec de l'importation des notes",
"success": "Imported {count} notes", "success": "{count} notes importées",
"title": "Import Notes" "title": "Importer des notes"
}, },
"importing": "Importation...", "importing": "Importation...",
"indexing": { "indexing": {
"button": "Rebuild Index", "button": "Reconstruire l'index",
"description": "Regenerate embeddings for all notes to improve semantic search.", "description": "Régénérer les embeddings pour toutes les notes afin d'améliorer la recherche sémantique.",
"failed": "Error during indexing", "failed": "Erreur lors de l'indexation",
"success": "Indexing complete: {count} notes processed", "success": "Indexation terminée : {count} notes traitées",
"title": "Rebuild Search Index" "title": "Reconstruire l'index de recherche"
}, },
"indexingComplete": "Indexation terminée : {count} notes traitées", "indexingComplete": "Indexation terminée : {count} notes traitées",
"indexingError": "Erreur lors de l'indexation", "indexingError": "Erreur lors de l'indexation",
"title": "Data Management", "title": "Gestion des données",
"toolsDescription": "Tools to maintain your database health" "toolsDescription": "Outils pour maintenir la santé de votre base de données"
}, },
"demoMode": { "demoMode": {
"activated": "Mode Démo activé ! Memory Echo fonctionnera maintenant instantanément.", "activated": "Mode Démo activé ! Memory Echo fonctionnera maintenant instantanément.",
@@ -501,53 +502,53 @@
"title": "Paramètres généraux" "title": "Paramètres généraux"
}, },
"labels": { "labels": {
"addLabel": "Add label", "addLabel": "Ajouter une étiquette",
"allLabels": "All Labels", "allLabels": "Toutes les étiquettes",
"changeColor": "Change Color", "changeColor": "Changer la couleur",
"changeColorTooltip": "Change color", "changeColorTooltip": "Changer la couleur",
"clearAll": "Clear all", "clearAll": "Tout effacer",
"confirmDelete": "Are you sure you want to delete this label?", "confirmDelete": "Êtes-vous sûr de vouloir supprimer cette étiquette ?",
"count": "{count} étiquettes", "count": "{count} étiquettes",
"createLabel": "Create label", "createLabel": "Créer une étiquette",
"delete": "Delete", "delete": "Supprimer",
"deleteTooltip": "Delete label", "deleteTooltip": "Supprimer l'étiquette",
"editLabels": "Edit Labels", "editLabels": "Modifier les étiquettes",
"editLabelsDescription": "Create, edit colors, or delete labels.", "editLabelsDescription": "Créer, modifier les couleurs ou supprimer des étiquettes.",
"filter": "Filter by Label", "filter": "Filtrer par étiquette",
"filterByLabel": "Filter by label", "filterByLabel": "Filtrer par étiquette",
"labelColor": "Label color", "labelColor": "Couleur de l'étiquette",
"labelName": "Label name", "labelName": "Nom de l'étiquette",
"loading": "Loading...", "loading": "Chargement...",
"manage": "Manage Labels", "manage": "Gérer les étiquettes",
"manageLabels": "Manage labels", "manageLabels": "Gérer les étiquettes",
"manageLabelsDescription": "Add or remove labels for this note. Click on a label to change its color.", "manageLabelsDescription": "Ajouter ou supprimer des étiquettes pour cette note. Cliquez sur une étiquette pour changer sa couleur.",
"manageTooltip": "Manage Labels", "manageTooltip": "Gérer les étiquettes",
"namePlaceholder": "Enter label name", "namePlaceholder": "Entrez le nom de l'étiquette",
"newLabelPlaceholder": "Create new label", "newLabelPlaceholder": "Créer une nouvelle étiquette",
"noLabels": "Aucune étiquette", "noLabels": "Aucune étiquette",
"noLabelsFound": "No labels found.", "noLabelsFound": "Aucune étiquette trouvée.",
"notebookRequired": "⚠️ Labels are only available in notebooks. Move this note to a notebook first.", "notebookRequired": "⚠️ Les étiquettes sont uniquement disponibles dans les carnets. Déplacez cette note dans un carnet d'abord.",
"selectedLabels": "Selected Labels", "selectedLabels": "Étiquettes sélectionnées",
"showLess": "Show less", "showLess": "Voir moins",
"showMore": "Show more", "showMore": "Voir plus",
"tagAdded": "Tag \"{tag}\" added", "tagAdded": "Étiquette \"{tag}\" ajoutée",
"title": "Labels" "title": "Étiquettes"
}, },
"memoryEcho": { "memoryEcho": {
"clickToView": "Cliquer pour voir la note →", "clickToView": "Cliquer pour voir la note →",
"comparison": { "comparison": {
"clickToView": "Click to view note", "clickToView": "Cliquer pour voir la note",
"helpful": "Helpful", "helpful": "Utile",
"helpfulQuestion": "Is this comparison helpful?", "helpfulQuestion": "Cette comparaison est-elle utile ?",
"highSimilarityInsight": "These notes deal with the same topic with a high degree of similarity. They could be merged or consolidated.", "highSimilarityInsight": "Ces notes traitent du même sujet avec un fort degré de similarité. Elles pourraient être fusionnées ou consolidées.",
"notHelpful": "Not Helpful", "notHelpful": "Pas utile",
"similarityInfo": "These notes are connected by {similarity}% similarity", "similarityInfo": "Ces notes sont connectées par {similarity}% de similarité",
"title": "💡 Note Comparison", "title": "💡 Comparaison de notes",
"untitled": "Untitled" "untitled": "Sans titre"
}, },
"connection": "connection", "connection": "connexion",
"connections": "Connections", "connections": "Connexions",
"connectionsBadge": "{count} connection{plural}", "connectionsBadge": "{count} connexion{plural}",
"title": "💡 J'ai remarqué quelque chose...", "title": "💡 J'ai remarqué quelque chose...",
"description": "Connexions proactives entre vos notes", "description": "Connexions proactives entre vos notes",
"dailyInsight": "Aperçu quotidien de vos notes", "dailyInsight": "Aperçu quotidien de vos notes",
@@ -568,8 +569,44 @@
"sortSimilarity": "Similarité", "sortSimilarity": "Similarité",
"sortOldest": "Plus ancien" "sortOldest": "Plus ancien"
}, },
"thanksFeedback": "Thanks for your feedback!", "thanksFeedback": "Merci pour votre retour !",
"thanksFeedbackImproving": "Thanks! We'll use this to improve." "thanksFeedbackImproving": "Merci ! Nous l'utiliserons pour nous améliorer.",
"fused": "Fusionné",
"editorSection": {
"title": "⚡ Notes connectées ({count})",
"loading": "Chargement...",
"view": "Voir",
"compare": "Comparer",
"merge": "Fusionner",
"compareAll": "Tout comparer",
"mergeAll": "Tout fusionner",
"close": "Fermer"
},
"fusion": {
"title": "🔗 Fusion intelligente",
"mergeNotes": "Fusionner {count} note(s)",
"notesToMerge": "📝 Notes à fusionner",
"optionalPrompt": "💬 Prompt de fusion (optionnel)",
"promptPlaceholder": "Instructions optionnelles pour l'IA (ex. : 'Garder le style formel de la note 1')...",
"generateFusion": "Générer la fusion",
"generating": "Génération...",
"previewTitle": "📝 Aperçu de la note fusionnée",
"edit": "Modifier",
"modify": "Modifier",
"finishEditing": "Terminer l'édition",
"optionsTitle": "Options de fusion",
"archiveOriginals": "Archiver les notes originales",
"keepAllTags": "Conserver toutes les étiquettes",
"useLatestTitle": "Utiliser la note la plus récente comme titre",
"createBacklinks": "Créer un lien vers les notes originales",
"cancel": "Annuler",
"confirmFusion": "Confirmer la fusion",
"success": "Notes fusionnées avec succès !",
"error": "Échec de la fusion des notes",
"generateError": "Échec de la génération de la fusion",
"noContentReturned": "Aucun contenu de fusion retourné par l'API",
"unknownDate": "Date inconnue"
}
}, },
"nav": { "nav": {
"accountSettings": "Paramètres du compte", "accountSettings": "Paramètres du compte",
@@ -607,33 +644,33 @@
"workspace": "Espace de travail" "workspace": "Espace de travail"
}, },
"notebook": { "notebook": {
"cancel": "Cancel", "cancel": "Annuler",
"create": "Create Notebook", "create": "Créer un carnet",
"createDescription": "Start a new collection to organize your notes, ideas, and projects efficiently.", "createDescription": "Commencez une nouvelle collection pour organiser vos notes, idées et projets efficacement.",
"createNew": "Create New Notebook", "createNew": "Créer un nouveau carnet",
"creating": "Creating...", "creating": "Création...",
"delete": "Delete Notebook", "delete": "Supprimer le carnet",
"deleteConfirm": "Delete", "deleteConfirm": "Supprimer",
"deleteWarning": "Are you sure you want to delete this notebook? Notes will be moved to General Notes.", "deleteWarning": "Êtes-vous sûr de vouloir supprimer ce carnet ? Les notes seront déplacées dans les Notes générales.",
"edit": "Edit Notebook", "edit": "Modifier le carnet",
"editDescription": "Change the name, icon, and color of your notebook.", "editDescription": "Changer le nom, l'icône et la couleur de votre carnet.",
"generating": "Generating summary...", "generating": "Génération du résumé...",
"labels": "Étiquettes :", "labels": "Étiquettes :",
"name": "Notebook Name", "name": "Nom du carnet",
"noLabels": "Aucune étiquette", "noLabels": "Aucune étiquette",
"selectColor": "Color", "selectColor": "Couleur",
"selectIcon": "Icon", "selectIcon": "Icône",
"summary": "Notebook Summary", "summary": "Résumé du carnet",
"summaryDescription": "Generate an AI-powered summary of all notes in this notebook.", "summaryDescription": "Générer un résumé alimenté par l'IA de toutes les notes de ce carnet.",
"summaryError": "Error generating summary" "summaryError": "Erreur lors de la génération du résumé"
}, },
"notebookSuggestion": { "notebookSuggestion": {
"description": "Cette note semble appartenir à ce notebook", "description": "Cette note semble appartenir à ce carnet",
"dismiss": "Rejeter", "dismiss": "Rejeter",
"dismissIn": "Rejeter (ferme dans {timeLeft}s)", "dismissIn": "Rejeter (ferme dans {timeLeft}s)",
"generalNotes": "Notes générales", "generalNotes": "Notes générales",
"move": "Déplacer", "move": "Déplacer",
"moveToNotebook": "Déplacer vers un notebook", "moveToNotebook": "Déplacer vers un carnet",
"title": "Déplacer vers {icon} {name} ?" "title": "Déplacer vers {icon} {name} ?"
}, },
"notebooks": { "notebooks": {
@@ -643,106 +680,106 @@
"noNotebooks": "Aucun carnet encore" "noNotebooks": "Aucun carnet encore"
}, },
"notes": { "notes": {
"add": "Add", "add": "Ajouter",
"addCollaborators": "Add collaborators", "addCollaborators": "Ajouter des collaborateurs",
"addImage": "Add image", "addImage": "Ajouter une image",
"addItem": "Add item", "addItem": "Ajouter un élément",
"addLink": "Add link", "addLink": "Ajouter un lien",
"addListItem": "+ List item", "addListItem": "+ Élément de liste",
"addNote": "Ajouter une note", "addNote": "Ajouter une note",
"adding": "Adding...", "adding": "Ajout...",
"aiAssistant": "AI Assistant", "aiAssistant": "Assistant IA",
"archive": "Archive", "archive": "Archiver",
"backgroundOptions": "Background options", "backgroundOptions": "Options d'arrière-plan",
"changeColor": "Change color", "changeColor": "Changer la couleur",
"changeSize": "Change size", "changeSize": "Changer la taille",
"clarifyFailed": "Échec de la clarification du texte", "clarifyFailed": "Échec de la clarification du texte",
"close": "Close", "close": "Fermer",
"color": "Color", "color": "Couleur",
"confirmDelete": "Are you sure you want to delete this note?", "confirmDelete": "Êtes-vous sûr de vouloir supprimer cette note ?",
"confirmLeaveShare": "Are you sure you want to leave this shared note?", "confirmLeaveShare": "Êtes-vous sûr de vouloir quitter cette note partagée ?",
"contentOrMediaRequired": "Please enter some content or add a link/image", "contentOrMediaRequired": "Veuillez entrer du contenu ou ajouter un lien/image",
"copy": "Copy", "copy": "Copier",
"copyFailed": "Failed to copy note", "copyFailed": "Échec de la copie de la note",
"copySuccess": "Note copied successfully!", "copySuccess": "Note copiée avec succès !",
"createFirstNote": "Create your first note", "createFirstNote": "Créez votre première note",
"date": "Date", "date": "Date",
"delete": "Delete", "delete": "Supprimer",
"dragToReorder": "Glisser pour réorganiser", "dragToReorder": "Glisser pour réorganiser",
"duplicate": "Duplicate", "duplicate": "Dupliquer",
"edit": "Edit Note", "edit": "Modifier la note",
"emptyState": "Aucune note encore. Créez votre première note !", "emptyState": "Aucune note encore. Créez votre première note !",
"fileTooLarge": "File too large: {fileName}. Maximum size is {maxSize}.", "fileTooLarge": "Fichier trop volumineux : {fileName}. Taille maximale : {maxSize}.",
"improveFailed": "Échec de l'amélioration du texte", "improveFailed": "Échec de l'amélioration du texte",
"inNotebook": "Dans le carnet", "inNotebook": "Dans le carnet",
"invalidDateTime": "Invalid date or time", "invalidDateTime": "Date ou heure invalide",
"invalidFileType": "Invalid file type: {fileName}. Only JPEG, PNG, GIF, and WebP allowed.", "invalidFileType": "Type de fichier invalide : {fileName}. Seuls JPEG, PNG, GIF et WebP sont autorisés.",
"itemOrMediaRequired": "Please add at least one item or media", "itemOrMediaRequired": "Veuillez ajouter au moins un élément ou média",
"large": "Large", "large": "Grande",
"leaveShare": "Leave", "leaveShare": "Quitter",
"linkAddFailed": "Failed to add link", "linkAddFailed": "Échec de l'ajout du lien",
"linkAdded": "Link added", "linkAdded": "Lien ajouté",
"linkMetadataFailed": "Could not fetch link metadata", "linkMetadataFailed": "Impossible de récupérer les métadonnées du lien",
"listItem": "List item", "listItem": "Élément de liste",
"makeCopy": "Make a copy", "makeCopy": "Faire une copie",
"markdown": "Markdown", "markdown": "Markdown",
"markdownMode": "Markdown", "markdownMode": "Markdown",
"markdownOff": "Markdown OFF", "markdownOff": "Markdown DÉSACTIVÉ",
"markdownOn": "Markdown ON", "markdownOn": "Markdown ACTIVÉ",
"markdownPlaceholder": "Take a note... (Markdown supported)", "markdownPlaceholder": "Prenez une note... (Markdown supporté)",
"medium": "Medium", "medium": "Moyenne",
"more": "Plus d'options", "more": "Plus d'options",
"moreOptions": "More options", "moreOptions": "Plus d'options",
"moveFailed": "Échec du déplacement de la note. Veuillez réessayer.", "moveFailed": "Échec du déplacement de la note. Veuillez réessayer.",
"newChecklist": "New checklist", "newChecklist": "Nouvelle checklist",
"newNote": "New note", "newNote": "Nouvelle note",
"noContent": "No content", "noContent": "Pas de contenu",
"noNotes": "No notes", "noNotes": "Aucune note",
"noNotesFound": "No notes found", "noNotesFound": "Aucune note trouvée",
"noteCreateFailed": "Failed to create note", "noteCreateFailed": "Échec de la création de la note",
"noteCreated": "Note created successfully", "noteCreated": "Note créée avec succès",
"others": "Others", "others": "Autres",
"pin": "Pin", "pin": "Épingler",
"pinned": "Pinned", "pinned": "Épinglées",
"pinnedNotes": "Notes épinglées", "pinnedNotes": "Notes épinglées",
"placeholder": "Take a note...", "placeholder": "Prenez une note...",
"preview": "Preview", "preview": "Aperçu",
"readOnly": "Read Only", "readOnly": "Lecture seule",
"recent": "Récent", "recent": "Récent",
"redo": "Redo (Ctrl+Y)", "redo": "Rétablir (Ctrl+Y)",
"redoShortcut": "Rétablir (Ctrl+Y)", "redoShortcut": "Rétablir (Ctrl+Y)",
"remindMe": "Remind me", "remindMe": "Me rappeler",
"reminderDateTimeRequired": "Please enter date and time", "reminderDateTimeRequired": "Veuillez entrer la date et l'heure",
"reminderMustBeFuture": "Reminder must be in the future", "reminderMustBeFuture": "Le rappel doit être dans le futur",
"reminderPastError": "Reminder must be in the future", "reminderPastError": "Le rappel doit être dans le futur",
"reminderRemoved": "Reminder removed", "reminderRemoved": "Rappel supprimé",
"reminderSet": "Reminder set for {datetime}", "reminderSet": "Rappel défini pour {datetime}",
"remove": "Supprimer", "remove": "Supprimer",
"saving": "Saving...", "saving": "Enregistrement...",
"setReminder": "Set reminder", "setReminder": "Définir un rappel",
"setReminderButton": "Set Reminder", "setReminderButton": "Définir un rappel",
"share": "Share", "share": "Partager",
"shareWithCollaborators": "Share with collaborators", "shareWithCollaborators": "Partager avec les collaborateurs",
"sharedBy": "Shared by", "sharedBy": "Partagé par",
"sharedReadOnly": "This note is shared with you in read-only mode", "sharedReadOnly": "Cette note est partagée avec vous en lecture seule",
"shortenFailed": "Échec du raccourcissement du texte", "shortenFailed": "Échec du raccourcissement du texte",
"showCollaborators": "Show collaborators", "showCollaborators": "Voir les collaborateurs",
"size": "Size", "size": "Taille",
"small": "Small", "small": "Petite",
"takeNote": "Take a note...", "takeNote": "Prenez une note...",
"takeNoteMarkdown": "Take a note... (Markdown supported)", "takeNoteMarkdown": "Prenez une note... (Markdown supporté)",
"time": "Time", "time": "Heure",
"title": "Notes", "title": "Notes",
"titlePlaceholder": "Title", "titlePlaceholder": "Titre",
"transformFailed": "Échec de la transformation du texte", "transformFailed": "Échec de la transformation du texte",
"unarchive": "Unarchive", "unarchive": "Désarchiver",
"undo": "Undo (Ctrl+Z)", "undo": "Annuler (Ctrl+Z)",
"undoShortcut": "Annuler (Ctrl+Z)", "undoShortcut": "Annuler (Ctrl+Z)",
"unpin": "Unpin", "unpin": "Désépingler",
"unpinned": "Désépinglées", "unpinned": "Désépinglées",
"untitled": "Untitled", "untitled": "Sans titre",
"uploadFailed": "Échec du téléchargement", "uploadFailed": "Échec du téléchargement",
"view": "View Note" "view": "Voir la note"
}, },
"pagination": { "pagination": {
"next": "→", "next": "→",
@@ -842,37 +879,37 @@
"searching": "Recherche en cours..." "searching": "Recherche en cours..."
}, },
"settings": { "settings": {
"about": "About", "about": "À propos",
"account": "Account", "account": "Compte",
"appearance": "Appearance", "appearance": "Apparence",
"cleanTags": "Clean Orphan Tags", "cleanTags": "Nettoyer les étiquettes orphelines",
"cleanTagsDescription": "Remove tags that are no longer used by any notes", "cleanTagsDescription": "Supprimer les étiquettes qui ne sont plus utilisées par aucune note",
"description": "Manage your settings and preferences", "description": "Gérez vos paramètres et préférences",
"language": "Language", "language": "Langue",
"languageAuto": "Langue définie sur Auto", "languageAuto": "Langue définie sur Auto",
"maintenance": "Maintenance", "maintenance": "Maintenance",
"maintenanceDescription": "Tools to maintain your database health", "maintenanceDescription": "Outils pour maintenir la santé de votre base de données",
"notifications": "Notifications", "notifications": "Notifications",
"privacy": "Privacy", "privacy": "Confidentialité",
"profile": "Profil", "profile": "Profil",
"searchNoResults": "Aucun paramètre trouvé", "searchNoResults": "Aucun paramètre trouvé",
"security": "Security", "security": "Sécurité",
"selectLanguage": "Select language", "selectLanguage": "Sélectionner une langue",
"semanticIndexing": "Semantic Indexing", "semanticIndexing": "Indexation sémantique",
"semanticIndexingDescription": "Generate vectors for all notes to enable intent-based search", "semanticIndexingDescription": "Générer des vecteurs pour toutes les notes afin de permettre la recherche par intention",
"settingsError": "Error saving settings", "settingsError": "Erreur lors de la sauvegarde des paramètres",
"settingsSaved": "Settings saved", "settingsSaved": "Paramètres enregistrés",
"theme": "Theme", "theme": "Thème",
"themeDark": "Dark", "themeDark": "Sombre",
"themeLight": "Light", "themeLight": "Clair",
"themeSystem": "System", "themeSystem": "Système",
"title": "Settings", "title": "Paramètres",
"version": "Version" "version": "Version"
}, },
"sidebar": { "sidebar": {
"archive": "Archives", "archive": "Archives",
"editLabels": "Modifier les libellés", "editLabels": "Modifier les étiquettes",
"labels": "Libellés", "labels": "Étiquettes",
"notes": "Notes", "notes": "Notes",
"reminders": "Rappels", "reminders": "Rappels",
"trash": "Corbeille" "trash": "Corbeille"

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "टैग जनरेशन प्रदाता", "tagsGenerationProvider": "टैग जनरेशन प्रदाता",
"title": "AI कॉन्फ़िगरेशन", "title": "AI कॉन्फ़िगरेशन",
"updateFailed": "AI सेटिंग्स अपडेट करने में विफल", "updateFailed": "AI सेटिंग्स अपडेट करने में विफल",
"updateSuccess": "AI सेटिंग्स सफलतापूर्वक अपडेट की गईं" "updateSuccess": "AI सेटिंग्स सफलतापूर्वक अपडेट की गईं",
"bestValue": "सर्वोत्तम मूल्य",
"bestQuality": "सर्वोत्तम गुणवत्ता",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(सहेजा गया)"
}, },
"aiTest": { "aiTest": {
"description": "टैग जनरेशन और सिमेंटिक खोज एम्बेडिंग्स के लिए अपने AI प्रदाताओं का परीक्षण करें", "description": "टैग जनरेशन और सिमेंटिक खोज एम्बेडिंग्स के लिए अपने AI प्रदाताओं का परीक्षण करें",
@@ -153,34 +159,36 @@
"analyzing": "AI विश्लेषण जारी है...", "analyzing": "AI विश्लेषण जारी है...",
"assistant": "AI सहायक", "assistant": "AI सहायक",
"autoLabels": { "autoLabels": {
"analyzing": "लेबल सुझावों के लिए आपके नोट्स का विश्लेषण किया जा रहा है...", "analyzing": "आपके नोट्स का विश्लेषण हो रहा है...",
"create": "बनाएं", "create": "बनाएं",
"createNewLabel": "Create this new label and add it", "createNewLabel": "यह नया लेबल बनाएं और जोड़ें",
"created": "{count} labels created successfully", "created": "{count} लेबल सफलतापूर्वक बनाए गए",
"creating": "लेबल बनाए जा रहे हैं...", "creating": "लेबल बनाए जा रहे हैं...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "मैंने \"{notebookName}\" ({totalNotes} नोट्स) में बार-बार आने वाले विषयों का पता लगाया। उनके लिए लेबल बनाएं?",
"error": "Failed to fetch label suggestions", "error": "लेबल सुझाव प्राप्त करने में विफल",
"new": "(नया)", "new": "(नया)",
"noLabelsSelected": "No labels selected", "noLabelsSelected": "कोई लेबल चयनित नहीं",
"note": "note", "note": "नोट",
"notes": "notes", "notes": "नोट्स",
"title": "लेबल सुझाव", "title": "नए लेबल सुझाव",
"typeContent": "Type content to get label suggestions..." "typeContent": "लेबल सुझाव प्राप्त करने के लिए सामग्री लिखें...",
"notesCount": "{count} नोट्स",
"typeForSuggestions": "लेबल सुझाव प्राप्त करने के लिए सामग्री लिखें..."
}, },
"batchOrganization": { "batchOrganization": {
"analyzing": "Analyzing your notes...", "analyzing": "आपके नोट्स का विश्लेषण हो रहा है...",
"apply": "Apply", "apply": "लागू करें",
"applyFailed": "Failed to apply organization plan", "applyFailed": "संगठन योजना लागू करने में विफल",
"applying": "Applying...", "applying": "लागू हो रहा है...",
"description": "AI आपके नोट्स का विश्लेषण करेगा और उन्हें नोटबुक में व्यवस्थित करने का सुझाव देगा।", "description": "AI आपके नोट्स का विश्लेषण करेगा और नोटबुक में व्यवस्थित करने का सुझाव देगा।",
"error": "Failed to create organization plan", "error": "संगठन योजना बनाने में विफल",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.", "noNotebooks": "कोई नोटबुक उपलब्ध नहीं। पहले नोटबुक बनाएं।",
"noNotesSelected": "No notes selected", "noNotesSelected": "कोई नोट चयनित नहीं",
"noSuggestions": "AI could not find a good way to organize these notes.", "noSuggestions": "AI इन नोट्स को व्यवस्थित करने का अच्छा तरीका नहीं ढूंढ सका।",
"selectAllIn": "Select all notes in {notebook}", "selectAllIn": "{notebook} में सभी नोट्स चुनें",
"selectNote": "Select note: {title}", "selectNote": "नोट चुनें: {title}",
"success": "{count} notes moved successfully", "success": "{count} नोट्स सफलतापूर्वक स्थानांतरित",
"title": "Organize with AI" "title": "AI से व्यवस्थित करें"
}, },
"clarify": "स्पष्ट करें", "clarify": "स्पष्ट करें",
"clickToAddTag": "इस टैग को जोड़ने के लिए क्लिक करें", "clickToAddTag": "इस टैग को जोड़ने के लिए क्लिक करें",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "Tags Generation Provider", "tagsGenerationProvider": "Tags Generation Provider",
"title": "AI Configuration", "title": "AI Configuration",
"updateFailed": "Failed to update AI settings", "updateFailed": "Failed to update AI settings",
"updateSuccess": "AI Settings updated successfully" "updateSuccess": "AI Settings updated successfully",
"bestValue": "Miglior rapporto qualità/prezzo",
"bestQuality": "Miglior qualità",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(Salvato)"
}, },
"aiTest": { "aiTest": {
"description": "Test your AI providers for tag generation and semantic search embeddings", "description": "Test your AI providers for tag generation and semantic search embeddings",
@@ -156,9 +162,9 @@
"analyzing": "Analisi delle tue note per suggerimenti etichette...", "analyzing": "Analisi delle tue note per suggerimenti etichette...",
"create": "Crea", "create": "Crea",
"createNewLabel": "Crea nuova etichetta", "createNewLabel": "Crea nuova etichetta",
"created": "{count} labels created successfully", "created": "{count} etichette create con successo",
"creating": "Creazione etichette...", "creating": "Creazione etichette...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "Ho rilevato temi ricorrenti in \"{notebookName}\" ({totalNotes} note). Creare etichette per essi?",
"error": "Failed to fetch label suggestions", "error": "Failed to fetch label suggestions",
"new": "(nuovo)", "new": "(nuovo)",
"noLabelsSelected": "No labels selected", "noLabelsSelected": "No labels selected",
@@ -580,14 +586,14 @@
"memoryEcho": { "memoryEcho": {
"clickToView": "Clicca per visualizzare", "clickToView": "Clicca per visualizzare",
"comparison": { "comparison": {
"clickToView": "Click to view note", "title": "💡 Confronto note",
"helpful": "Helpful", "similarityInfo": "Queste note sono collegate da {similarity}% di similarità",
"helpfulQuestion": "Is this comparison helpful?", "highSimilarityInsight": "Queste note trattano lo stesso argomento con un alto grado di similarità. Potrebbero essere fuse o consolidate.",
"highSimilarityInsight": "These notes deal with the same topic with a high degree of similarity. They could be merged or consolidated.", "untitled": "Senza titolo",
"notHelpful": "Not Helpful", "clickToView": "Clicca per visualizzare la nota",
"similarityInfo": "These notes are connected by {similarity}% similarity", "helpfulQuestion": "Questo confronto è utile?",
"title": "💡 Note Comparison", "helpful": "Utile",
"untitled": "Untitled" "notHelpful": "Non utile"
}, },
"connection": "connection", "connection": "connection",
"connections": "Connections", "connections": "Connections",
@@ -596,40 +602,40 @@
"description": "Proactive connections between your notes", "description": "Proactive connections between your notes",
"dismiss": "Dismiss for now", "dismiss": "Dismiss for now",
"editorSection": { "editorSection": {
"close": "Chiudi", "title": "⚡ Note connesse ({count})",
"compare": "Compare", "loading": "Caricamento...",
"compareAll": "Compare all", "view": "Visualizza",
"loading": "Loading...", "compare": "Confronta",
"merge": "Merge", "merge": "Unisci",
"mergeAll": "Merge all", "compareAll": "Confronta tutto",
"title": "⚡ Connected Notes ({count})", "mergeAll": "Unisci tutto",
"view": "View" "close": "Chiudi"
}, },
"fused": "Fused", "fused": "Fuso",
"fusion": { "fusion": {
"archiveOriginals": "Archive original notes", "title": "🔗 Fusione intelligente",
"cancel": "Cancel", "mergeNotes": "Unisci {count} nota/e",
"confirmFusion": "Confirm fusion", "notesToMerge": "📝 Note da unire",
"createBacklinks": "Create backlink to original notes", "optionalPrompt": "💬 Prompt di fusione (opzionale)",
"edit": "Edit", "promptPlaceholder": "Istruzioni opzionali per l'IA (es. 'Mantieni lo stile formale della nota 1')...",
"error": "Failed to merge notes", "generateFusion": "Genera la fusione",
"finishEditing": "Finish editing", "generating": "Generazione...",
"generateError": "Failed to generate fusion", "previewTitle": "📝 Anteprima della nota unita",
"generateFusion": "Generate the fusion", "edit": "Modifica",
"generating": "Generating...", "modify": "Modifica",
"keepAllTags": "Keep all tags", "finishEditing": "Termina modifica",
"mergeNotes": "Merge {count} note(s)", "optionsTitle": "Opzioni di fusione",
"modify": "Modify", "archiveOriginals": "Archivia note originali",
"noContentReturned": "No fusion content returned from API", "keepAllTags": "Mantieni tutti i tag",
"notesToMerge": "📝 Notes to merge", "useLatestTitle": "Usa la nota più recente come titolo",
"optionalPrompt": "💬 Fusion prompt (optional)", "createBacklinks": "Crea collegamento alle note originali",
"optionsTitle": "Fusion options", "cancel": "Annulla",
"previewTitle": "📝 Preview of merged note", "confirmFusion": "Conferma fusione",
"promptPlaceholder": "Optional instructions for AI (e.g., 'Keep the formal style of note 1')...", "success": "Note unite con successo!",
"success": "Notes merged successfully!", "error": "Impossibile unire le note",
"title": "🔗 Intelligent Fusion", "generateError": "Impossibile generare la fusione",
"unknownDate": "Unknown date", "noContentReturned": "Nessun contenuto di fusione restituito dall'API",
"useLatestTitle": "Use latest note as title" "unknownDate": "Data sconosciuta"
}, },
"helpful": "Helpful", "helpful": "Helpful",
"insightReady": "Your insight is ready!", "insightReady": "Your insight is ready!",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "タグ生成プロバイダー", "tagsGenerationProvider": "タグ生成プロバイダー",
"title": "AI設定", "title": "AI設定",
"updateFailed": "AI設定の更新に失敗しました", "updateFailed": "AI設定の更新に失敗しました",
"updateSuccess": "AI設定が正常に更新されました" "updateSuccess": "AI設定が正常に更新されました",
"bestValue": "最もコスパが良い",
"bestQuality": "最高品質",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(保存済み)"
}, },
"aiTest": { "aiTest": {
"description": "タグ生成とセマンティック検索埋め込みのAIプロバイダーをテストします", "description": "タグ生成とセマンティック検索埋め込みのAIプロバイダーをテストします",
@@ -153,34 +159,36 @@
"analyzing": "AI分析中...", "analyzing": "AI分析中...",
"assistant": "AIアシスタント", "assistant": "AIアシスタント",
"autoLabels": { "autoLabels": {
"analyzing": "ラベル提案のためにノートを分析中...", "analyzing": "ノートを分析中...",
"create": "作成", "create": "作成",
"createNewLabel": "Create this new label and add it", "createNewLabel": "この新しいラベルを作成して追加",
"created": "{count} labels created successfully", "created": "{count} 個のラベルを作成しました",
"creating": "ラベルを作成中...", "creating": "ラベルを作成中...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "\"{notebookName}\"{totalNotes} 件のノート)で繰り返し出てくるテーマを検出しました。ラベルを作成しますか?",
"error": "Failed to fetch label suggestions", "error": "ラベル候補の取得に失敗しました",
"new": "(新規)", "new": "新規",
"noLabelsSelected": "No labels selected", "noLabelsSelected": "ラベルが選択されていません",
"note": "note", "note": "",
"notes": "notes", "notes": "",
"title": "ラベルの提案", "title": "新しいラベル候補",
"typeContent": "Type content to get label suggestions..." "typeContent": "ラベル候補を取得するにはコンテンツを入力...",
"notesCount": "{count} 件",
"typeForSuggestions": "ラベル候補を取得するにはコンテンツを入力..."
}, },
"batchOrganization": { "batchOrganization": {
"analyzing": "Analyzing your notes...", "analyzing": "ノートを分析中...",
"apply": "Apply", "apply": "適用",
"applyFailed": "Failed to apply organization plan", "applyFailed": "整理プランの適用に失敗しました",
"applying": "Applying...", "applying": "適用中...",
"description": "AIがートを分析し、ートブックに整理することを提案します。", "description": "AI がノートを分析し、ノートブックに整理する方法を提案します。",
"error": "Failed to create organization plan", "error": "整理プランの作成に失敗しました",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.", "noNotebooks": "利用可能なノートブックがありません。先にノートブックを作成してください。",
"noNotesSelected": "No notes selected", "noNotesSelected": "ノートが選択されていません",
"noSuggestions": "AI could not find a good way to organize these notes.", "noSuggestions": "AI はこれらのノートを整理する良い方法を見つけられませんでした。",
"selectAllIn": "Select all notes in {notebook}", "selectAllIn": "{notebook} のすべてのノートを選択",
"selectNote": "Select note: {title}", "selectNote": "ノートを選択:{title}",
"success": "{count} notes moved successfully", "success": "{count} 件のノートを移動しました",
"title": "Organize with AI" "title": "AI で整理"
}, },
"clarify": "明確にする", "clarify": "明確にする",
"clickToAddTag": "クリックしてこのタグを追加", "clickToAddTag": "クリックしてこのタグを追加",
@@ -192,8 +200,8 @@
"improveStyle": "スタイルを改善", "improveStyle": "スタイルを改善",
"languageDetected": "検出された言語", "languageDetected": "検出された言語",
"notebookSummary": { "notebookSummary": {
"regenerate": "要を再生成", "regenerate": "要を再生成",
"regenerating": "要を再生成中..." "regenerating": "要を再生成中..."
}, },
"original": "元のテキスト", "original": "元のテキスト",
"poweredByAI": "AI powered", "poweredByAI": "AI powered",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "태그 생성 공급자", "tagsGenerationProvider": "태그 생성 공급자",
"title": "AI 구성", "title": "AI 구성",
"updateFailed": "AI 설정 업데이트 실패", "updateFailed": "AI 설정 업데이트 실패",
"updateSuccess": "AI 설정이 성공적으로 업데이트되었습니다" "updateSuccess": "AI 설정이 성공적으로 업데이트되었습니다",
"bestValue": "최고 가성비",
"bestQuality": "최고 품질",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(저장됨)"
}, },
"aiTest": { "aiTest": {
"description": "태그 생성 및 의미 검색 임베딩을 위한 AI 공급자 테스트", "description": "태그 생성 및 의미 검색 임베딩을 위한 AI 공급자 테스트",
@@ -153,34 +159,36 @@
"analyzing": "AI 분석 중...", "analyzing": "AI 분석 중...",
"assistant": "AI 도우미", "assistant": "AI 도우미",
"autoLabels": { "autoLabels": {
"analyzing": "라벨 제안을 위해 메모 분석 중...", "error": "라벨 제안을 가져오지 못했습니다",
"create": "생성", "noLabelsSelected": "선택된 라벨이 없습니다",
"createNewLabel": "Create this new label and add it", "created": "{count}개의 라벨이 생성되었습니다",
"created": "{count} labels created successfully", "analyzing": "노트를 분석 중...",
"creating": "라벨 생성 중...", "title": "라벨 제안",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "\"{notebookName}\"({totalNotes}개의 노트)에서 반복되는 테마를 감지했습니다. 라벨을 만들까요?",
"error": "Failed to fetch label suggestions", "note": "",
"new": "(새로운)", "notes": "",
"noLabelsSelected": "No labels selected", "typeContent": "라벨 제안을 받으려면 내용을 입력하세요...",
"note": "note", "createNewLabel": "이 새 라벨을 만들고 추가",
"notes": "notes", "new": "(새)",
"title": "라벨 제안", "create": "만들기",
"typeContent": "Type content to get label suggestions..." "creating": "라벨 만드는 중...",
"notesCount": "{count}개",
"typeForSuggestions": "라벨 제안을 받으려면 내용을 입력하세요..."
}, },
"batchOrganization": { "batchOrganization": {
"analyzing": "Analyzing your notes...", "title": "AI로 정리",
"apply": "Apply", "description": "AI가 노트를 분석하고 노트북으로 정리할 방법을 제안합니다.",
"applyFailed": "Failed to apply organization plan", "analyzing": "노트를 분석 중...",
"applying": "Applying...", "noNotebooks": "사용 가능한 노트북이 없습니다. 먼저 노트북을 만드세요.",
"description": "AI가 메모를 분석하여 노트북으로 정리할 것을 제안합니다.", "noSuggestions": "AI가 이 노트들을 정리할 좋은 방법을 찾지 못했습니다.",
"error": "Failed to create organization plan", "apply": "적용",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.", "applying": "적용 중...",
"noNotesSelected": "No notes selected", "success": "{count}개의 노트를 성공적으로 이동했습니다",
"noSuggestions": "AI could not find a good way to organize these notes.", "error": "정리 계획 생성 실패",
"selectAllIn": "Select all notes in {notebook}", "noNotesSelected": "선택된 노트가 없습니다",
"selectNote": "Select note: {title}", "applyFailed": "정리 계획 적용 실패",
"success": "{count} notes moved successfully", "selectAllIn": "{notebook}의 모든 노트 선택",
"title": "Organize with AI" "selectNote": "노트 선택: {title}"
}, },
"clarify": "명확히 하기", "clarify": "명확히 하기",
"clickToAddTag": "클릭하여 이 태그 추가", "clickToAddTag": "클릭하여 이 태그 추가",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "Tags Generation Provider", "tagsGenerationProvider": "Tags Generation Provider",
"title": "AI Configuration", "title": "AI Configuration",
"updateFailed": "Failed to update AI settings", "updateFailed": "Failed to update AI settings",
"updateSuccess": "AI Settings updated successfully" "updateSuccess": "AI Settings updated successfully",
"bestValue": "Beste prijs-kwaliteit",
"bestQuality": "Beste kwaliteit",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(Opgeslagen)"
}, },
"aiTest": { "aiTest": {
"description": "Test your AI providers for tag generation and semantic search embeddings", "description": "Test your AI providers for tag generation and semantic search embeddings",
@@ -156,9 +162,9 @@
"analyzing": "Uw notities analyseren voor labelsuggesties...", "analyzing": "Uw notities analyseren voor labelsuggesties...",
"create": "Maken", "create": "Maken",
"createNewLabel": "Nieuw label maken", "createNewLabel": "Nieuw label maken",
"created": "{count} labels created successfully", "created": "{count} labels succesvol aangemaakt",
"creating": "Labels maken...", "creating": "Labels maken...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "Ik heb terugkerende themas gedetecteerd in \"{notebookName}\" ({totalNotes} notities). Labels hiervoor maken?",
"error": "Failed to fetch label suggestions", "error": "Failed to fetch label suggestions",
"new": "(nieuw)", "new": "(nieuw)",
"noLabelsSelected": "No labels selected", "noLabelsSelected": "No labels selected",
@@ -580,14 +586,14 @@
"memoryEcho": { "memoryEcho": {
"clickToView": "Klik om te bekijken", "clickToView": "Klik om te bekijken",
"comparison": { "comparison": {
"clickToView": "Click to view note", "title": "💡 Notitie vergelijking",
"helpful": "Helpful", "similarityInfo": "Deze notities zijn verbonden door {similarity}% overeenkomst",
"helpfulQuestion": "Is this comparison helpful?", "highSimilarityInsight": "Deze notities gaan over hetzelfde onderwerp met een hoge mate van overeenkomst. Ze kunnen worden samengevoegd.",
"highSimilarityInsight": "These notes deal with the same topic with a high degree of similarity. They could be merged or consolidated.", "untitled": "Naamloos",
"notHelpful": "Not Helpful", "clickToView": "Klik om notitie te bekijken",
"similarityInfo": "These notes are connected by {similarity}% similarity", "helpfulQuestion": "Is deze vergelijking nuttig?",
"title": "💡 Note Comparison", "helpful": "Nuttig",
"untitled": "Untitled" "notHelpful": "Niet nuttig"
}, },
"connection": "connection", "connection": "connection",
"connections": "Connections", "connections": "Connections",
@@ -596,40 +602,40 @@
"description": "Proactive connections between your notes", "description": "Proactive connections between your notes",
"dismiss": "Dismiss for now", "dismiss": "Dismiss for now",
"editorSection": { "editorSection": {
"close": "Sluiten", "title": "⚡ Verbinde notities ({count})",
"compare": "Compare", "loading": "Laden...",
"compareAll": "Compare all", "view": "Bekijken",
"loading": "Loading...", "compare": "Vergelijken",
"merge": "Merge", "merge": "Samenvoegen",
"mergeAll": "Merge all", "compareAll": "Alles vergelijken",
"title": "⚡ Connected Notes ({count})", "mergeAll": "Alles samenvoegen",
"view": "View" "close": "Sluiten"
}, },
"fused": "Fused", "fused": "Samengevoegd",
"fusion": { "fusion": {
"archiveOriginals": "Archive original notes", "title": "🔗 Intelligente fusie",
"cancel": "Cancel", "mergeNotes": "Voeg {count} notitie(s) samen",
"confirmFusion": "Confirm fusion", "notesToMerge": "📝 Te samenvoegen notities",
"createBacklinks": "Create backlink to original notes", "optionalPrompt": "💬 Fusie prompt (optioneel)",
"edit": "Edit", "promptPlaceholder": "Optionele instructies voor AI (bijv. 'Behoud de formele stijl van notitie 1')...",
"error": "Failed to merge notes", "generateFusion": "Genereer fusie",
"finishEditing": "Finish editing", "generating": "Genereren...",
"generateError": "Failed to generate fusion", "previewTitle": "📝 Voorbeeld van samengevoegde notitie",
"generateFusion": "Generate the fusion", "edit": "Bewerken",
"generating": "Generating...", "modify": "Wijzigen",
"keepAllTags": "Keep all tags", "finishEditing": "Bewerken voltooid",
"mergeNotes": "Merge {count} note(s)", "optionsTitle": "Fusie-opties",
"modify": "Modify", "archiveOriginals": "Archiveer originele notities",
"noContentReturned": "No fusion content returned from API", "keepAllTags": "Bewaar alle tags",
"notesToMerge": "📝 Notes to merge", "useLatestTitle": "Gebruik meest recente notitie als titel",
"optionalPrompt": "💬 Fusion prompt (optional)", "createBacklinks": "Maak terugverwijzing naar originele notities",
"optionsTitle": "Fusion options", "cancel": "Annuleren",
"previewTitle": "📝 Preview of merged note", "confirmFusion": "Bevestig fusie",
"promptPlaceholder": "Optional instructions for AI (e.g., 'Keep the formal style of note 1')...", "success": "Notities succesvol samengevoegd!",
"success": "Notes merged successfully!", "error": "Kan notities niet samenvoegen",
"title": "🔗 Intelligent Fusion", "generateError": "Kan fusie niet genereren",
"unknownDate": "Unknown date", "noContentReturned": "Geen fusie-inhoud ontvangen van API",
"useLatestTitle": "Use latest note as title" "unknownDate": "Onbekende datum"
}, },
"helpful": "Helpful", "helpful": "Helpful",
"insightReady": "Your insight is ready!", "insightReady": "Your insight is ready!",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "Tags Generation Provider", "tagsGenerationProvider": "Tags Generation Provider",
"title": "AI Configuration", "title": "AI Configuration",
"updateFailed": "Failed to update AI settings", "updateFailed": "Failed to update AI settings",
"updateSuccess": "AI Settings updated successfully" "updateSuccess": "AI Settings updated successfully",
"bestValue": "Najlepszy stosunek jakości do ceny",
"bestQuality": "Najwyższa jakość",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(Zapisano)"
}, },
"aiTest": { "aiTest": {
"description": "Test your AI providers for tag generation and semantic search embeddings", "description": "Test your AI providers for tag generation and semantic search embeddings",
@@ -156,9 +162,9 @@
"analyzing": "Analizowanie Twoich notatek pod kątem sugestii etykiet...", "analyzing": "Analizowanie Twoich notatek pod kątem sugestii etykiet...",
"create": "Utwórz", "create": "Utwórz",
"createNewLabel": "Utwórz nową etykietę", "createNewLabel": "Utwórz nową etykietę",
"created": "{count} labels created successfully", "created": "{count} etykiet utworzono pomyślnie",
"creating": "Tworzenie etykiet...", "creating": "Tworzenie etykiet...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "Wykryłem powtarzające się tematy w \"{notebookName}\" ({totalNotes} notatkach). Utworzyć dla nich etykiety?",
"error": "Failed to fetch label suggestions", "error": "Failed to fetch label suggestions",
"new": "(nowa)", "new": "(nowa)",
"noLabelsSelected": "No labels selected", "noLabelsSelected": "No labels selected",
@@ -602,14 +608,14 @@
"memoryEcho": { "memoryEcho": {
"clickToView": "Kliknij, aby wyświetlić", "clickToView": "Kliknij, aby wyświetlić",
"comparison": { "comparison": {
"clickToView": "Click to view note", "title": "💡 Porównanie notatek",
"helpful": "Helpful", "similarityInfo": "Te notatki są połączone przez {similarity}% podobieństwa",
"helpfulQuestion": "Is this comparison helpful?", "highSimilarityInsight": "Te notatki dotyczą tego samego tematu z wysokim stopniem podobieństwa. Mogą zostać połączone.",
"highSimilarityInsight": "These notes deal with the same topic with a high degree of similarity. They could be merged or consolidated.", "untitled": "Bez tytułu",
"notHelpful": "Not Helpful", "clickToView": "Kliknij aby wyświetlić notatkę",
"similarityInfo": "These notes are connected by {similarity}% similarity", "helpfulQuestion": "Czy to porównanie jest pomocne?",
"title": "💡 Note Comparison", "helpful": "Pomocne",
"untitled": "Untitled" "notHelpful": "Nie pomocne"
}, },
"connection": "connection", "connection": "connection",
"connections": "Connections", "connections": "Connections",
@@ -618,40 +624,40 @@
"description": "Proactive connections between your notes", "description": "Proactive connections between your notes",
"dismiss": "Dismiss for now", "dismiss": "Dismiss for now",
"editorSection": { "editorSection": {
"close": "Zamknij", "title": "⚡ Połączone notatki ({count})",
"compare": "Compare", "loading": "Ładowanie...",
"compareAll": "Compare all", "view": "Wyświetl",
"loading": "Loading...", "compare": "Porównaj",
"merge": "Merge", "merge": "Połącz",
"mergeAll": "Merge all", "compareAll": "Porównaj wszystko",
"title": "⚡ Connected Notes ({count})", "mergeAll": "Połącz wszystko",
"view": "View" "close": "Zamknij"
}, },
"fused": "Fused", "fused": "Połączono",
"fusion": { "fusion": {
"archiveOriginals": "Archive original notes", "title": "🔗 Inteligentne fuzja",
"cancel": "Cancel", "mergeNotes": "Połącz {count} notatkę/i",
"confirmFusion": "Confirm fusion", "notesToMerge": "📝 Notatki do połączenia",
"createBacklinks": "Create backlink to original notes", "optionalPrompt": "💬 Prompt fuzji (opcjonalny)",
"edit": "Edit", "promptPlaceholder": "Opcjonalne instrukcje dla AI (np. 'Zachowaj formalny styl notatki 1')...",
"error": "Failed to merge notes", "generateFusion": "Wygeneruj fuzję",
"finishEditing": "Finish editing", "generating": "Generowanie...",
"generateError": "Failed to generate fusion", "previewTitle": "📝 Podgląd połączonej notatki",
"generateFusion": "Generate the fusion", "edit": "Edytuj",
"generating": "Generating...", "modify": "Modyfikuj",
"keepAllTags": "Keep all tags", "finishEditing": "Zakończ edycję",
"mergeNotes": "Merge {count} note(s)", "optionsTitle": "Opcje fuzji",
"modify": "Modify", "archiveOriginals": "Archiwizuj oryginalne notatki",
"noContentReturned": "No fusion content returned from API", "keepAllTags": "Zachowaj wszystkie tagi",
"notesToMerge": "📝 Notes to merge", "useLatestTitle": "Użyj najnowszej notatki jako tytułu",
"optionalPrompt": "💬 Fusion prompt (optional)", "createBacklinks": "Utwórz link do oryginalnych notatek",
"optionsTitle": "Fusion options", "cancel": "Anuluj",
"previewTitle": "📝 Preview of merged note", "confirmFusion": "Potwierdź fuzję",
"promptPlaceholder": "Optional instructions for AI (e.g., 'Keep the formal style of note 1')...", "success": "Notatki połączone pomyślnie!",
"success": "Notes merged successfully!", "error": "Nie udało się połączyć notatek",
"title": "🔗 Intelligent Fusion", "generateError": "Nie udało się wygenerować fuzji",
"unknownDate": "Unknown date", "noContentReturned": "Brak zawartości fuzji z API",
"useLatestTitle": "Use latest note as title" "unknownDate": "Nieznana data"
}, },
"helpful": "Helpful", "helpful": "Helpful",
"insightReady": "Your insight is ready!", "insightReady": "Your insight is ready!",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "Tags Generation Provider", "tagsGenerationProvider": "Tags Generation Provider",
"title": "AI Configuration", "title": "AI Configuration",
"updateFailed": "Failed to update AI settings", "updateFailed": "Failed to update AI settings",
"updateSuccess": "AI Settings updated successfully" "updateSuccess": "AI Settings updated successfully",
"bestValue": "Melhor custo-benefício",
"bestQuality": "Melhor qualidade",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(Salvo)"
}, },
"aiTest": { "aiTest": {
"description": "Test your AI providers for tag generation and semantic search embeddings", "description": "Test your AI providers for tag generation and semantic search embeddings",
@@ -156,9 +162,9 @@
"analyzing": "Analisando suas notas para sugestões de rótulos...", "analyzing": "Analisando suas notas para sugestões de rótulos...",
"create": "Criar", "create": "Criar",
"createNewLabel": "Criar nova etiqueta", "createNewLabel": "Criar nova etiqueta",
"created": "{count} labels created successfully", "created": "{count} etiquetas criadas com sucesso",
"creating": "Criando rótulos...", "creating": "Criando rótulos...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "Detectei temas recorrentes em \"{notebookName}\" ({totalNotes} notas). Criar etiquetas para eles?",
"error": "Failed to fetch label suggestions", "error": "Failed to fetch label suggestions",
"new": "(novo)", "new": "(novo)",
"noLabelsSelected": "No labels selected", "noLabelsSelected": "No labels selected",
@@ -530,14 +536,14 @@
"memoryEcho": { "memoryEcho": {
"clickToView": "Clique para visualizar", "clickToView": "Clique para visualizar",
"comparison": { "comparison": {
"clickToView": "Click to view note", "title": "💡 Comparação de notas",
"helpful": "Helpful", "similarityInfo": "Estas notas estão conectadas por {similarity}% de similaridade",
"helpfulQuestion": "Is this comparison helpful?", "highSimilarityInsight": "Estas notas tratam do mesmo tema com alto grau de similaridade. Podem ser mescladas.",
"highSimilarityInsight": "These notes deal with the same topic with a high degree of similarity. They could be merged or consolidated.", "untitled": "Sem título",
"notHelpful": "Not Helpful", "clickToView": "Clique para ver a nota",
"similarityInfo": "These notes are connected by {similarity}% similarity", "helpfulQuestion": "Esta comparação é útil?",
"title": "💡 Note Comparison", "helpful": "Útil",
"untitled": "Untitled" "notHelpful": "Não útil"
}, },
"connection": "connection", "connection": "connection",
"connections": "Connections", "connections": "Connections",
@@ -546,40 +552,40 @@
"description": "Proactive connections between your notes", "description": "Proactive connections between your notes",
"dismiss": "Dismiss for now", "dismiss": "Dismiss for now",
"editorSection": { "editorSection": {
"close": "Fechar", "title": "⚡ Notas conectadas ({count})",
"compare": "Compare", "loading": "Carregando...",
"compareAll": "Compare all", "view": "Visualizar",
"loading": "Loading...", "compare": "Comparar",
"merge": "Merge", "merge": "Mesclar",
"mergeAll": "Merge all", "compareAll": "Comparar tudo",
"title": "⚡ Connected Notes ({count})", "mergeAll": "Mesclar tudo",
"view": "View" "close": "Fechar"
}, },
"fused": "Fused", "fused": "Mesclado",
"fusion": { "fusion": {
"archiveOriginals": "Archive original notes", "title": "🔗 Fusão inteligente",
"cancel": "Cancel", "mergeNotes": "Mesclar {count} nota(s)",
"confirmFusion": "Confirm fusion", "notesToMerge": "📝 Notas para mesclar",
"createBacklinks": "Create backlink to original notes", "optionalPrompt": "💬 Prompt de fusão (opcional)",
"edit": "Edit", "promptPlaceholder": "Instruções opcionais para IA (ex: 'Manter o estilo formal da nota 1')...",
"error": "Failed to merge notes", "generateFusion": "Gerar fusão",
"finishEditing": "Finish editing", "generating": "Gerando...",
"generateError": "Failed to generate fusion", "previewTitle": "📝 Prévia da nota mesclada",
"generateFusion": "Generate the fusion", "edit": "Editar",
"generating": "Generating...", "modify": "Modificar",
"keepAllTags": "Keep all tags", "finishEditing": "Concluir edição",
"mergeNotes": "Merge {count} note(s)", "optionsTitle": "Opções de fusão",
"modify": "Modify", "archiveOriginals": "Arquivar notas originais",
"noContentReturned": "No fusion content returned from API", "keepAllTags": "Manter todas as tags",
"notesToMerge": "📝 Notes to merge", "useLatestTitle": "Usar nota mais recente como título",
"optionalPrompt": "💬 Fusion prompt (optional)", "createBacklinks": "Criar link para notas originais",
"optionsTitle": "Fusion options", "cancel": "Cancelar",
"previewTitle": "📝 Preview of merged note", "confirmFusion": "Confirmar fusão",
"promptPlaceholder": "Optional instructions for AI (e.g., 'Keep the formal style of note 1')...", "success": "Notas mescladas com sucesso!",
"success": "Notes merged successfully!", "error": "Falha ao mesclar notas",
"title": "🔗 Intelligent Fusion", "generateError": "Falha ao gerar fusão",
"unknownDate": "Unknown date", "noContentReturned": "Nenhum conteúdo de fusão retornado pela API",
"useLatestTitle": "Use latest note as title" "unknownDate": "Data desconhecida"
}, },
"helpful": "Helpful", "helpful": "Helpful",
"insightReady": "Your insight is ready!", "insightReady": "Your insight is ready!",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "Tags Generation Provider", "tagsGenerationProvider": "Tags Generation Provider",
"title": "AI Configuration", "title": "AI Configuration",
"updateFailed": "Failed to update AI settings", "updateFailed": "Failed to update AI settings",
"updateSuccess": "AI Settings updated successfully" "updateSuccess": "AI Settings updated successfully",
"bestValue": "Лучшее соотношение цена/качество",
"bestQuality": "Лучшее качество",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(Сохранено)"
}, },
"aiTest": { "aiTest": {
"description": "Test your AI providers for tag generation and semantic search embeddings", "description": "Test your AI providers for tag generation and semantic search embeddings",
@@ -156,9 +162,9 @@
"analyzing": "Анализ ваших заметок для предложений меток...", "analyzing": "Анализ ваших заметок для предложений меток...",
"create": "Создать", "create": "Создать",
"createNewLabel": "Создать новую метку", "createNewLabel": "Создать новую метку",
"created": "{count} labels created successfully", "created": "{count} тегов успешно создано",
"creating": "Создание меток...", "creating": "Создание меток...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "description": "Я обнаружил повторяющиеся темы в \"{notebookName}\" ({totalNotes} заметках). Создать для них теги?",
"error": "Failed to fetch label suggestions", "error": "Failed to fetch label suggestions",
"new": "(новая)", "new": "(новая)",
"noLabelsSelected": "No labels selected", "noLabelsSelected": "No labels selected",
@@ -530,14 +536,14 @@
"memoryEcho": { "memoryEcho": {
"clickToView": "Нажмите для просмотра", "clickToView": "Нажмите для просмотра",
"comparison": { "comparison": {
"clickToView": "Click to view note", "title": "💡 Сравнение заметок",
"helpful": "Helpful", "similarityInfo": "Эти заметки связаны на {similarity}% подобия",
"helpfulQuestion": "Is this comparison helpful?", "highSimilarityInsight": "Эти заметки относятся к одной теме с высокой степенью подобия. Их можно объединить.",
"highSimilarityInsight": "These notes deal with the same topic with a high degree of similarity. They could be merged or consolidated.", "untitled": "Без названия",
"notHelpful": "Not Helpful", "clickToView": "Нажмите для просмотра заметки",
"similarityInfo": "These notes are connected by {similarity}% similarity", "helpfulQuestion": "Полезно ли это сравнение?",
"title": "💡 Note Comparison", "helpful": "Полезно",
"untitled": "Untitled" "notHelpful": "Не полезно"
}, },
"connection": "connection", "connection": "connection",
"connections": "Connections", "connections": "Connections",
@@ -546,40 +552,40 @@
"description": "Proactive connections between your notes", "description": "Proactive connections between your notes",
"dismiss": "Dismiss for now", "dismiss": "Dismiss for now",
"editorSection": { "editorSection": {
"close": "Закрыть", "title": "⚡ Связанные заметки ({count})",
"compare": "Compare", "loading": "Загрузка...",
"compareAll": "Compare all", "view": "Просмотр",
"loading": "Loading...", "compare": "Сравнить",
"merge": "Merge", "merge": "Объединить",
"mergeAll": "Merge all", "compareAll": "Сравнить всё",
"title": "⚡ Connected Notes ({count})", "mergeAll": "Объединить всё",
"view": "View" "close": "Закрыть"
}, },
"fused": "Fused", "fused": "Объединено",
"fusion": { "fusion": {
"archiveOriginals": "Archive original notes", "title": "🔗 Умное слияние",
"cancel": "Cancel", "mergeNotes": "Объединить {count} заметку/и",
"confirmFusion": "Confirm fusion", "notesToMerge": "📝 Заметки для объединения",
"createBacklinks": "Create backlink to original notes", "optionalPrompt": "💬 Промпт слияния (необязательно)",
"edit": "Edit", "promptPlaceholder": "Необязательные инструкции для ИИ (напр. 'Сохранить формальный стиль заметки 1')...",
"error": "Failed to merge notes", "generateFusion": "Сгенерировать слияние",
"finishEditing": "Finish editing", "generating": "Генерация...",
"generateError": "Failed to generate fusion", "previewTitle": "📝 Предпросмотр объединённой заметки",
"generateFusion": "Generate the fusion", "edit": "Редактировать",
"generating": "Generating...", "modify": "Изменить",
"keepAllTags": "Keep all tags", "finishEditing": "Завершить редактирование",
"mergeNotes": "Merge {count} note(s)", "optionsTitle": "Параметры слияния",
"modify": "Modify", "archiveOriginals": "Архивировать оригинальные заметки",
"noContentReturned": "No fusion content returned from API", "keepAllTags": "Сохранить все теги",
"notesToMerge": "📝 Notes to merge", "useLatestTitle": "Использовать последнюю заметку как заголовок",
"optionalPrompt": "💬 Fusion prompt (optional)", "createBacklinks": "Создать обратную ссылку на оригинальные заметки",
"optionsTitle": "Fusion options", "cancel": "Отмена",
"previewTitle": "📝 Preview of merged note", "confirmFusion": "Подтвердить слияние",
"promptPlaceholder": "Optional instructions for AI (e.g., 'Keep the formal style of note 1')...", "success": "Заметки успешно объединены!",
"success": "Notes merged successfully!", "error": "Не удалось объединить заметки",
"title": "🔗 Intelligent Fusion", "generateError": "Не удалось создать слияние",
"unknownDate": "Unknown date", "noContentReturned": "API не вернул содержимого слияния",
"useLatestTitle": "Use latest note as title" "unknownDate": "Неизвестная дата"
}, },
"helpful": "Helpful", "helpful": "Helpful",
"insightReady": "Your insight is ready!", "insightReady": "Your insight is ready!",

View File

@@ -63,7 +63,13 @@
"tagsGenerationProvider": "标签生成提供商", "tagsGenerationProvider": "标签生成提供商",
"title": "AI 配置", "title": "AI 配置",
"updateFailed": "更新 AI 设置失败", "updateFailed": "更新 AI 设置失败",
"updateSuccess": "AI 设置更新成功" "updateSuccess": "AI 设置更新成功",
"bestValue": "最佳性价比",
"bestQuality": "最佳质量",
"providerOllamaOption": "🦙 Ollama (Local & Free)",
"providerOpenAIOption": "🤖 OpenAI (GPT-5, GPT-4)",
"providerCustomOption": "🔧 Custom OpenAI-Compatible",
"saved": "(已保存)"
}, },
"aiTest": { "aiTest": {
"description": "测试您的 AI 提供商的标签生成和语义搜索嵌入", "description": "测试您的 AI 提供商的标签生成和语义搜索嵌入",
@@ -153,34 +159,36 @@
"analyzing": "AI 分析中...", "analyzing": "AI 分析中...",
"assistant": "AI 助手", "assistant": "AI 助手",
"autoLabels": { "autoLabels": {
"analyzing": "正在分析您的笔记以获取标签建议...", "error": "获取标签建议失败",
"noLabelsSelected": "未选择标签",
"created": "成功创建 {count} 个标签",
"analyzing": "正在分析您的笔记...",
"title": "新标签建议",
"description": "我在\"{notebookName}\"{totalNotes} 条笔记)中检测到了重复主题。要为它们创建标签吗?",
"note": "条笔记",
"notes": "条笔记",
"typeContent": "输入内容以获取标签建议...",
"createNewLabel": "创建此新标签并添加",
"new": "(新)",
"create": "创建", "create": "创建",
"createNewLabel": "Create this new label and add it",
"created": "{count} labels created successfully",
"creating": "正在创建标签...", "creating": "正在创建标签...",
"description": "I've detected recurring themes in \"{notebookName}\" ({totalNotes} notes). Create labels for them?", "notesCount": "{count} 条笔记",
"error": "Failed to fetch label suggestions", "typeForSuggestions": "输入内容以获取标签建议..."
"new": "(新建)",
"noLabelsSelected": "No labels selected",
"note": "note",
"notes": "notes",
"title": "标签建议",
"typeContent": "Type content to get label suggestions..."
}, },
"batchOrganization": { "batchOrganization": {
"analyzing": "Analyzing your notes...", "title": "使用 AI 整理",
"apply": "Apply", "description": "AI 将分析您的笔记并建议将它们整理到笔记本中。",
"applyFailed": "Failed to apply organization plan", "analyzing": "正在分析您的笔记...",
"applying": "Applying...", "noNotebooks": "没有可用的笔记本。请先创建笔记本。",
"description": "AI将分析您的笔记并建议将它们组织到笔记本中。", "noSuggestions": "AI 无法找到整理这些笔记的好方法。",
"error": "Failed to create organization plan", "apply": "应用",
"noNotebooks": "No notebooks available. Create notebooks first to organize your notes.", "applying": "正在应用...",
"noNotesSelected": "No notes selected", "success": "成功移动 {count} 条笔记",
"noSuggestions": "AI could not find a good way to organize these notes.", "error": "创建整理计划失败",
"selectAllIn": "Select all notes in {notebook}", "noNotesSelected": "未选择笔记",
"selectNote": "Select note: {title}", "applyFailed": "应用整理计划失败",
"success": "{count} notes moved successfully", "selectAllIn": "选择 {notebook} 中的所有笔记",
"title": "Organize with AI" "selectNote": "选择笔记:{title}"
}, },
"clarify": "澄清", "clarify": "澄清",
"clickToAddTag": "点击添加此标签", "clickToAddTag": "点击添加此标签",