Spaces:
Sleeping
Sleeping
File size: 2,645 Bytes
f871fed |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 |
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query'
import { notesApi } from '@/lib/api/notes'
import { QUERY_KEYS } from '@/lib/api/query-client'
import { useToast } from '@/lib/hooks/use-toast'
import { CreateNoteRequest, UpdateNoteRequest } from '@/lib/types/api'
export function useNotes(notebookId?: string) {
return useQuery({
queryKey: QUERY_KEYS.notes(notebookId),
queryFn: () => notesApi.list({ notebook_id: notebookId }),
enabled: !!notebookId,
})
}
export function useNote(id?: string, options?: { enabled?: boolean }) {
const noteId = id ?? ''
return useQuery({
queryKey: QUERY_KEYS.note(noteId),
queryFn: () => notesApi.get(noteId),
enabled: !!noteId && (options?.enabled ?? true),
})
}
export function useCreateNote() {
const queryClient = useQueryClient()
const { toast } = useToast()
return useMutation({
mutationFn: (data: CreateNoteRequest) => notesApi.create(data),
onSuccess: (_, variables) => {
queryClient.invalidateQueries({
queryKey: QUERY_KEYS.notes(variables.notebook_id)
})
toast({
title: 'Success',
description: 'Note created successfully',
})
},
onError: () => {
toast({
title: 'Error',
description: 'Failed to create note',
variant: 'destructive',
})
},
})
}
export function useUpdateNote() {
const queryClient = useQueryClient()
const { toast } = useToast()
return useMutation({
mutationFn: ({ id, data }: { id: string; data: UpdateNoteRequest }) =>
notesApi.update(id, data),
onSuccess: (_, { id }) => {
queryClient.invalidateQueries({ queryKey: QUERY_KEYS.notes() })
queryClient.invalidateQueries({ queryKey: QUERY_KEYS.note(id) })
toast({
title: 'Success',
description: 'Note updated successfully',
})
},
onError: () => {
toast({
title: 'Error',
description: 'Failed to update note',
variant: 'destructive',
})
},
})
}
export function useDeleteNote() {
const queryClient = useQueryClient()
const { toast } = useToast()
return useMutation({
mutationFn: (id: string) => notesApi.delete(id),
onSuccess: () => {
// Invalidate all notes queries (with and without notebook IDs)
queryClient.invalidateQueries({ queryKey: ['notes'] })
toast({
title: 'Success',
description: 'Note deleted successfully',
})
},
onError: () => {
toast({
title: 'Error',
description: 'Failed to delete note',
variant: 'destructive',
})
},
})
}
|