## Bug Fixes ### Note Card Actions - Fix broken size change functionality (missing state declaration) - Implement React 19 useOptimistic for instant UI feedback - Add startTransition for non-blocking updates - Ensure smooth animations without page refresh - All note actions now work: pin, archive, color, size, checklist ### Markdown LaTeX Rendering - Add remark-math and rehype-katex plugins - Support inline equations with dollar sign syntax - Support block equations with double dollar sign syntax - Import KaTeX CSS for proper styling - Equations now render correctly instead of showing raw LaTeX ## Technical Details - Replace undefined currentNote references with optimistic state - Add optimistic updates before server actions for instant feedback - Use router.refresh() in transitions for smart cache invalidation - Install remark-math, rehype-katex, and katex packages ## Testing - Build passes successfully with no TypeScript errors - Dev server hot-reloads changes correctly
134 lines
3.6 KiB
TypeScript
134 lines
3.6 KiB
TypeScript
'use client'
|
|
|
|
import { createContext, useContext, useState, useEffect, ReactNode } from 'react'
|
|
import { LabelColorName, LABEL_COLORS } from '@/lib/types'
|
|
import { getHashColor } from '@/lib/utils'
|
|
|
|
export interface Label {
|
|
id: string
|
|
name: string
|
|
color: LabelColorName
|
|
userId?: string | null
|
|
createdAt: Date
|
|
updatedAt: Date
|
|
}
|
|
|
|
interface LabelContextType {
|
|
labels: Label[]
|
|
loading: boolean
|
|
addLabel: (name: string, color?: LabelColorName) => Promise<void>
|
|
updateLabel: (id: string, updates: Partial<Pick<Label, 'name' | 'color'>>) => Promise<void>
|
|
deleteLabel: (id: string) => Promise<void>
|
|
getLabelColor: (name: string) => LabelColorName
|
|
refreshLabels: () => Promise<void>
|
|
}
|
|
|
|
const LabelContext = createContext<LabelContextType | undefined>(undefined)
|
|
|
|
export function LabelProvider({ children }: { children: ReactNode }) {
|
|
const [labels, setLabels] = useState<Label[]>([])
|
|
const [loading, setLoading] = useState(true)
|
|
|
|
const fetchLabels = async () => {
|
|
try {
|
|
setLoading(true)
|
|
const response = await fetch('/api/labels', {
|
|
cache: 'no-store',
|
|
credentials: 'include'
|
|
})
|
|
const data = await response.json()
|
|
if (data.success && data.data) {
|
|
setLabels(data.data)
|
|
}
|
|
} catch (error) {
|
|
console.error('Failed to fetch labels:', error)
|
|
} finally {
|
|
setLoading(false)
|
|
}
|
|
}
|
|
|
|
useEffect(() => {
|
|
fetchLabels()
|
|
}, [])
|
|
|
|
const addLabel = async (name: string, color?: LabelColorName) => {
|
|
try {
|
|
const labelColor = color || getHashColor(name);
|
|
|
|
const response = await fetch('/api/labels', {
|
|
method: 'POST',
|
|
headers: { 'Content-Type': 'application/json' },
|
|
body: JSON.stringify({ name, color: labelColor }),
|
|
})
|
|
const data = await response.json()
|
|
if (data.success && data.data) {
|
|
setLabels(prev => [...prev, data.data])
|
|
}
|
|
} catch (error) {
|
|
console.error('Failed to add label:', error)
|
|
throw error
|
|
}
|
|
}
|
|
|
|
const updateLabel = async (id: string, updates: Partial<Pick<Label, 'name' | 'color'>>) => {
|
|
try {
|
|
const response = await fetch(`/api/labels/${id}`, {
|
|
method: 'PUT',
|
|
headers: { 'Content-Type': 'application/json' },
|
|
body: JSON.stringify(updates),
|
|
})
|
|
const data = await response.json()
|
|
if (data.success && data.data) {
|
|
setLabels(prev => prev.map(label =>
|
|
label.id === id ? { ...label, ...data.data } : label
|
|
))
|
|
}
|
|
} catch (error) {
|
|
console.error('Failed to update label:', error)
|
|
throw error
|
|
}
|
|
}
|
|
|
|
const deleteLabel = async (id: string) => {
|
|
try {
|
|
const response = await fetch(`/api/labels/${id}`, {
|
|
method: 'DELETE',
|
|
})
|
|
if (response.ok) {
|
|
setLabels(prev => prev.filter(label => label.id !== id))
|
|
}
|
|
} catch (error) {
|
|
console.error('Failed to delete label:', error)
|
|
throw error
|
|
}
|
|
}
|
|
|
|
const getLabelColorHelper = (name: string): LabelColorName => {
|
|
const label = labels.find(l => l.name.toLowerCase() === name.toLowerCase())
|
|
return label?.color || 'gray'
|
|
}
|
|
|
|
const refreshLabels = async () => {
|
|
await fetchLabels()
|
|
}
|
|
|
|
const value: LabelContextType = {
|
|
labels,
|
|
loading,
|
|
addLabel,
|
|
updateLabel,
|
|
deleteLabel,
|
|
getLabelColor: getLabelColorHelper,
|
|
refreshLabels,
|
|
}
|
|
|
|
return <LabelContext.Provider value={value}>{children}</LabelContext.Provider>
|
|
}
|
|
|
|
export function useLabels() {
|
|
const context = useContext(LabelContext)
|
|
if (context === undefined) {
|
|
throw new Error('useLabels must be used within a LabelProvider')
|
|
}
|
|
return context
|
|
} |