## Translation Files - Add 11 new language files (es, de, pt, ru, zh, ja, ko, ar, hi, nl, pl) - Add 100+ missing translation keys across all 15 languages - New sections: notebook, pagination, ai.batchOrganization, ai.autoLabels - Update nav section with workspace, quickAccess, myLibrary keys ## Component Updates - Update 15+ components to use translation keys instead of hardcoded text - Components: notebook dialogs, sidebar, header, note-input, ghost-tags, etc. - Replace 80+ hardcoded English/French strings with t() calls - Ensure consistent UI across all supported languages ## Code Quality - Remove 77+ console.log statements from codebase - Clean up API routes, components, hooks, and services - Keep only essential error handling (no debugging logs) ## UI/UX Improvements - Update Keep logo to yellow post-it style (from-yellow-400 to-amber-500) - Change selection colors to #FEF3C6 (notebooks) and #EFB162 (nav items) - Make "+" button permanently visible in notebooks section - Fix grammar and syntax errors in multiple components ## Bug Fixes - Fix JSON syntax errors in it.json, nl.json, pl.json, zh.json - Fix syntax errors in notebook-suggestion-toast.tsx - Fix syntax errors in use-auto-tagging.ts - Fix syntax errors in paragraph-refactor.service.ts - Fix duplicate "fusion" section in nl.json 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Sonnet 4.5 <noreply@anthropic.com> Ou une version plus courte si vous préférez : feat(i18n): Add 15 languages, remove logs, update UI components - Create 11 new translation files (es, de, pt, ru, zh, ja, ko, ar, hi, nl, pl) - Add 100+ translation keys: notebook, pagination, AI features - Update 15+ components to use translations (80+ strings) - Remove 77+ console.log statements from codebase - Fix JSON syntax errors in 4 translation files - Fix component syntax errors (toast, hooks, services) - Update logo to yellow post-it style - Change selection colors (#FEF3C6, #EFB162) 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Sonnet 4.5 <noreply@anthropic.com>
119 lines
3.2 KiB
TypeScript
119 lines
3.2 KiB
TypeScript
import { NextResponse } from 'next/server'
|
|
import prisma from '@/lib/prisma'
|
|
import { revalidatePath } from 'next/cache'
|
|
|
|
function getHashColor(name: string): string {
|
|
const colors = ['red', 'blue', 'green', 'yellow', 'purple', 'pink', 'orange', 'gray']
|
|
let hash = 0
|
|
for (let i = 0; i < name.length; i++) {
|
|
hash = name.charCodeAt(i) + ((hash << 5) - hash)
|
|
}
|
|
return colors[Math.abs(hash) % colors.length]
|
|
}
|
|
|
|
export async function POST() {
|
|
try {
|
|
const result = { created: 0, deleted: 0, missing: [] as string[] }
|
|
|
|
// Get ALL users
|
|
const users = await prisma.user.findMany({
|
|
select: { id: true, email: true }
|
|
})
|
|
|
|
|
|
for (const user of users) {
|
|
const userId = user.id
|
|
|
|
// 1. Get all labels from notes
|
|
const allNotes = await prisma.note.findMany({
|
|
where: { userId },
|
|
select: { labels: true }
|
|
})
|
|
|
|
const labelsInNotes = new Set<string>()
|
|
allNotes.forEach(note => {
|
|
if (note.labels) {
|
|
try {
|
|
const parsed: string[] = JSON.parse(note.labels)
|
|
if (Array.isArray(parsed)) {
|
|
parsed.forEach(l => {
|
|
if (l && l.trim()) labelsInNotes.add(l.trim())
|
|
})
|
|
}
|
|
} catch (e) {}
|
|
}
|
|
})
|
|
|
|
|
|
// 2. Get existing Label records
|
|
const existingLabels = await prisma.label.findMany({
|
|
where: { userId },
|
|
select: { id: true, name: true }
|
|
})
|
|
|
|
|
|
const existingLabelMap = new Map<string, any>()
|
|
existingLabels.forEach(label => {
|
|
existingLabelMap.set(label.name.toLowerCase(), label)
|
|
})
|
|
|
|
// 3. Create missing Label records
|
|
for (const labelName of labelsInNotes) {
|
|
if (!existingLabelMap.has(labelName.toLowerCase())) {
|
|
try {
|
|
await prisma.label.create({
|
|
data: {
|
|
userId,
|
|
name: labelName,
|
|
color: getHashColor(labelName)
|
|
}
|
|
})
|
|
result.created++
|
|
} catch (e: any) {
|
|
console.error(`[FIX] ✗ Failed to create "${labelName}":`, e.message, e.code)
|
|
result.missing.push(labelName)
|
|
}
|
|
}
|
|
}
|
|
|
|
// 4. Delete orphan Label records
|
|
const usedLabelsSet = new Set<string>()
|
|
allNotes.forEach(note => {
|
|
if (note.labels) {
|
|
try {
|
|
const parsed: string[] = JSON.parse(note.labels)
|
|
if (Array.isArray(parsed)) {
|
|
parsed.forEach(l => usedLabelsSet.add(l.toLowerCase()))
|
|
}
|
|
} catch (e) {}
|
|
}
|
|
})
|
|
|
|
for (const label of existingLabels) {
|
|
if (!usedLabelsSet.has(label.name.toLowerCase())) {
|
|
try {
|
|
await prisma.label.delete({
|
|
where: { id: label.id }
|
|
})
|
|
result.deleted++
|
|
} catch (e) {}
|
|
}
|
|
}
|
|
}
|
|
|
|
revalidatePath('/')
|
|
|
|
return NextResponse.json({
|
|
success: true,
|
|
...result,
|
|
message: `Created ${result.created} labels, deleted ${result.deleted} orphans`
|
|
})
|
|
} catch (error) {
|
|
console.error('[FIX] Error:', error)
|
|
return NextResponse.json(
|
|
{ success: false, error: String(error) },
|
|
{ status: 500 }
|
|
)
|
|
}
|
|
}
|