source: src/api/invoice.ts@ 057453c

main
Last change on this file since 057453c was 057453c, checked in by Naum Shapkarovski <naumshapkarovski@…>, 5 weeks ago

feat: implement employees

  • Property mode set to 100644
File size: 4.1 KB
Line 
1import { useMemo } from 'react';
2// types
3import { Invoice, UpdateInvoice } from 'src/schemas';
4// db
5import useSWR from 'swr';
6import { endpoints, fetcher } from 'src/utils/axios';
7import axios from 'src/utils/axios';
8import { mutate } from 'swr';
9import { useSWRConfig } from 'swr';
10
11interface InvoiceFilters {
12 name?: string;
13 service?: string[];
14 status?: string;
15 startDate?: string | null;
16 endDate?: string | null;
17}
18
19export function useGetInvoices(params: InvoiceFilters = {}) {
20 const collectionName = endpoints.invoice;
21
22 const searchParams = new URLSearchParams();
23 if (params.name) searchParams.set('name', params.name);
24 if (params.status) searchParams.set('status', params.status);
25 if (params.startDate) searchParams.set('startDate', params.startDate);
26 if (params.endDate) searchParams.set('endDate', params.endDate);
27 if (params.service?.length) {
28 params.service.forEach((service) => searchParams.append('service', service));
29 }
30
31 const queryString = searchParams.toString();
32 const endpoint = queryString ? `${collectionName}?${queryString}` : collectionName;
33
34 const { data, isLoading, error, isValidating } = useSWR(
35 endpoint,
36 () => fetcher<Invoice[]>(endpoint),
37 {
38 revalidateOnFocus: false,
39 }
40 );
41
42 const memoizedValue = useMemo(
43 () => ({
44 invoices: data || [],
45 invoicesLoading: isLoading,
46 invoicesError: error,
47 invoicesValidating: isValidating,
48 invoicesEmpty: !isLoading && !data?.length,
49 }),
50 [data, error, isLoading, isValidating]
51 );
52
53 return memoizedValue;
54}
55
56export function useGetInvoice({ id }: { id: string }) {
57 const path = endpoints.invoice;
58
59 const { data, isLoading, error, isValidating } = useSWR(
60 `${path}/${id}`,
61 () => fetcher<Invoice>(`${path}/${id}`),
62 {
63 revalidateOnFocus: false,
64 }
65 );
66
67 const memoizedValue = useMemo(
68 () => ({
69 currentInvoice: data || null,
70 currentInvoiceLoading: isLoading,
71 currentInvoiceError: error,
72 currentInvoiceValidating: isValidating,
73 currentInvoiceEmpty: !isLoading && !data,
74 }),
75 [data, error, isLoading, isValidating]
76 );
77
78 return memoizedValue;
79}
80
81// Add this interface for the create invoice payload
82interface CreateInvoicePayload {
83 createDate: Date;
84 dueDate: Date;
85 items: any[];
86 invoiceNumber: string;
87 invoiceFrom: any;
88 invoiceTo: any;
89 currency: string;
90 quantityType: string;
91 month: string;
92 status?: string;
93 taxes?: number;
94 discount?: number;
95 totalAmount: number;
96 pdfRef?: string;
97}
98
99export async function createInvoice(data: CreateInvoicePayload): Promise<Invoice> {
100 const response = await axios.post<Invoice>(endpoints.invoice, data);
101
102 // Mutate the SWR cache to include the new invoice
103 await mutate(
104 endpoints.invoice,
105 (existingInvoices: Invoice[] = []) => [response.data, ...existingInvoices],
106 false // Set to false to avoid revalidation since we already have the new data
107 );
108
109 return response.data;
110}
111
112export async function updateInvoice(id: string, data: Partial<UpdateInvoice>) {
113 const response = await axios.patch<Invoice>(`${endpoints.invoice}/${id}`, data);
114
115 // Mutate the individual invoice cache
116 await mutate(`${endpoints.invoice}/${id}`, response.data, false);
117
118 // Mutate the invoice list cache
119 await mutate(
120 endpoints.invoice,
121 (existingInvoices: Invoice[] = []) =>
122 existingInvoices.map((invoice) => (invoice.id === id ? response.data : invoice)),
123 false
124 );
125
126 return response.data;
127}
128
129export async function deleteInvoice(id: string) {
130 const response = await axios.delete<Invoice>(`${endpoints.invoice}/${id}`);
131
132 // Mutate the invoice list cache to remove the deleted invoice
133 await mutate(
134 endpoints.invoice,
135 (existingInvoices: Invoice[] = []) => existingInvoices.filter((invoice) => invoice.id !== id),
136 false
137 );
138
139 return response.data;
140}
141
142// Update the useDeleteInvoice hook to use the new implementation
143export function useDeleteInvoice() {
144 const deleteInvoiceMutation = async (id: string) => {
145 try {
146 await deleteInvoice(id);
147 return true;
148 } catch (error) {
149 console.error('Error deleting invoice:', error);
150 throw error;
151 }
152 };
153
154 return { deleteInvoiceMutation };
155}
Note: See TracBrowser for help on using the repository browser.