Changeset 299af01
- Timestamp:
- 02/26/25 14:27:26 (5 weeks ago)
- Branches:
- main
- Children:
- 3c5302a
- Parents:
- 057453c
- Files:
-
- 3 added
- 15 edited
Legend:
- Unmodified
- Added
- Removed
-
prisma/schema.prisma
r057453c r299af01 10 10 model Client { 11 11 id String @id @default(uuid()) 12 companyId String? // Optional companyidentifier12 tenantId String // Tenant identifier 13 13 name String 14 14 email String @unique … … 21 21 status CustomerStatus @default(active) 22 22 23 tenant Tenant @relation(fields: [tenantId], references: [id], onDelete: Cascade) 23 24 invoicesReceived Invoice[] @relation("InvoiceTo") 24 25 } … … 78 79 name String 79 80 email String @unique 80 address Json // Holds {street: string, city?: string, country: string, state?: string, zip: string}81 bankAccounts Json? // Holds {eur?: {accountNumber?, bicSwift?, iban?, routingNumber?}, usd?: {...}}81 address Json 82 bankAccounts Json? 82 83 logoUrl String? 83 84 phoneNumber String? … … 85 86 companyNumber String? 86 87 representative String 87 lastInvoiceNumber String 88 lastInvoiceNumber String @default("0") 88 89 createdAt DateTime @default(now()) 89 90 updatedAt DateTime @updatedAt … … 91 92 services Service[] 92 93 employees Employee[] 94 clients Client[] // Add the relation to clients 93 95 } 94 96 -
src/api/customer.ts
r057453c r299af01 44 44 } 45 45 } 46 47 export async function updateCustomer( 48 id: string, 49 customerData: Partial<Customer> 50 ): Promise<Customer> { 51 try { 52 const response = await axios.patch<Customer>(`${endpoints.customer}/${id}`, customerData); 53 54 // Mutate the SWR cache to update the customer 55 await mutate<Customer[]>(endpoints.customer, (currentData = []) => 56 currentData.map((customer) => 57 customer.id === id ? { ...customer, ...response.data } : customer 58 ) 59 ); 60 61 return response.data; 62 } catch (error) { 63 throw error; 64 } 65 } -
src/app/api/customers/[id]/route.ts
r057453c r299af01 6 6 export async function PATCH(request: NextRequest, { params }: { params: { id: string } }) { 7 7 try { 8 const userId= await authenticateRequest(request);9 if (! userId) {8 const auth = await authenticateRequest(request); 9 if (!auth || auth instanceof NextResponse) { 10 10 return NextResponse.json({ error: 'Unauthorized' }, { status: 401 }); 11 11 } 12 12 13 const { userId, tenantId } = auth; 14 13 15 const body = await request.json(); 14 16 const validatedData = customerSchema.partial().parse(body); 17 18 console.log('validatedData', validatedData); 15 19 16 20 const customer = await prisma.client.update({ … … 18 22 data: { 19 23 ...validatedData, 20 bankAccounts: undefined,24 tenantId, 21 25 }, 22 26 }); -
src/app/api/customers/route.ts
r057453c r299af01 4 4 import { authenticateRequest } from 'src/lib/auth-middleware'; 5 5 import { CustomerStatus } from '@prisma/client'; 6 import { Prisma } from '@prisma/client'; 6 7 7 8 export async function GET(request: NextRequest) { … … 12 13 return authResult; 13 14 } 14 const { userId } = authResult;15 const { userId, tenantId } = authResult; 15 16 16 17 const searchParams = request.nextUrl.searchParams; … … 24 25 const validatedFilters = customerTableFiltersSchema.parse(filters); 25 26 26 const customers = await prisma.client.findMany({ 27 where: { 28 name: { contains: validatedFilters.name, mode: 'insensitive' }, 29 status: validatedFilters.status 30 ? { equals: validatedFilters.status as CustomerStatus } 31 : undefined, 32 }, 33 }); 34 console.log('customers', customers); 27 // Replace Prisma query with raw SQL 28 const customers = await prisma.$queryRaw` 29 SELECT * FROM "Client" 30 WHERE "tenantId" = ${tenantId} 31 AND LOWER(name) LIKE LOWER(${`%${validatedFilters.name}%`}) 32 ${ 33 validatedFilters.status 34 ? Prisma.sql`AND status = ${validatedFilters.status}::"CustomerStatus"` 35 : Prisma.sql`AND TRUE` 36 } 37 `; 35 38 36 39 return NextResponse.json(customers); 37 40 } catch (error) { 41 console.error('Error fetching customers:', error); 38 42 return NextResponse.json({ error: 'Internal Server Error' }, { status: 500 }); 39 43 } … … 47 51 return authResult; 48 52 } 49 const { userId } = authResult;53 const { userId, tenantId } = authResult; 50 54 51 55 const body = await request.json(); … … 57 61 ...validatedData, 58 62 // userId, 63 tenantId, 59 64 }, 60 65 }); -
src/app/api/employees/route.ts
r057453c r299af01 3 3 import prisma from 'src/lib/prisma'; 4 4 import { authenticateRequest } from 'src/lib/auth-middleware'; 5 import { EmployeeStatus} from '@prisma/client';5 import { Prisma } from '@prisma/client'; 6 6 7 7 export async function GET(request: NextRequest) { … … 23 23 const validatedFilters = employeeTableFiltersSchema.parse(filters); 24 24 25 const employees = await prisma.employee.findMany({ 26 where: { 27 tenantId, 28 name: { contains: validatedFilters.name, mode: 'insensitive' }, 29 status: validatedFilters.status 30 ? { equals: validatedFilters.status as EmployeeStatus } 31 : undefined, 32 }, 33 }); 25 // Replace Prisma query with raw SQL 26 const employees = await prisma.$queryRaw` 27 SELECT * FROM "Employee" 28 WHERE "tenantId" = ${tenantId} 29 AND LOWER(name) LIKE LOWER(${`%${validatedFilters.name}%`}) 30 ${ 31 validatedFilters.status 32 ? Prisma.sql`AND status = ${validatedFilters.status}:::"EmployeeStatus"` 33 : Prisma.sql`AND TRUE` 34 } 35 `; 34 36 35 37 return NextResponse.json(employees); -
src/app/api/invoices/[id]/route.ts
r057453c r299af01 90 90 // Conditionally delete and recreate items only if they are provided 91 91 if (validation.data.items) { 92 await tx. invoiceItem.deleteMany({92 await tx.lineItem.deleteMany({ 93 93 where: { invoiceId: params.id }, 94 94 }); … … 174 174 await prisma.$transaction(async (tx) => { 175 175 // Delete related items first 176 await tx. invoiceItem.deleteMany({176 await tx.lineItem.deleteMany({ 177 177 where: { invoiceId: params.id }, 178 178 }); -
src/app/api/invoices/route.ts
r057453c r299af01 24 24 try { 25 25 const userId = await getUserId(request); 26 if (!userId) {27 return NextResponse.json({ error: 'Unauthorized' }, { status: 401 });28 }26 // if (!userId) { 27 // return NextResponse.json({ error: 'Unauthorized' }, { status: 401 }); 28 // } 29 29 30 30 const searchParams = request.nextUrl.searchParams; … … 74 74 try { 75 75 const userId = await getUserId(request); 76 if (!userId) {77 return NextResponse.json({ error: 'Unauthorized' }, { status: 401 });78 }76 // if (!userId) { 77 // return NextResponse.json({ error: 'Unauthorized' }, { status: 401 }); 78 // } 79 79 80 80 const body = await request.json(); -
src/app/api/tenant/route.ts
r057453c r299af01 1 import { NextRe sponse } from 'next/server';1 import { NextRequest, NextResponse } from 'next/server'; 2 2 import prisma from 'src/lib/prisma'; 3 3 import { tenantSchema } from 'src/schemas'; 4 4 import { z } from 'zod'; 5 import { authenticateRequest } from 'src/lib/auth-middleware'; 5 6 6 export async function GET( ) {7 export async function GET(request: NextRequest) { 7 8 try { 8 const tenants = await prisma.tenant.findMany(); 9 const tenant = tenants[0]; // Get first tenant since we're dealing with single tenant 10 console.log('tenant', tenant); 9 const auth = await authenticateRequest(request); 10 if (auth instanceof NextResponse) { 11 return auth; // Return error response if authentication failed 12 } 13 const { tenantId } = auth; 14 15 const tenant = await prisma.tenant.findUnique({ 16 where: { id: tenantId }, 17 }); 18 11 19 if (!tenant) { 12 20 return NextResponse.json({ error: 'No tenant found' }, { status: 404 }); … … 20 28 } 21 29 22 export async function POST(request: Request) {30 export async function POST(request: NextRequest) { 23 31 try { 32 const auth = await authenticateRequest(request); 33 if (auth instanceof NextResponse) { 34 return auth; 35 } 36 const { tenantId } = auth; 37 24 38 const body = await request.json(); 25 39 … … 28 42 29 43 // Check if tenant already exists 30 const existingTenants = await prisma.tenant.findMany(); 31 if (existingTenants.length > 0) { 44 const existingTenant = await prisma.tenant.findUnique({ 45 where: { 46 id: tenantId, 47 }, 48 }); 49 50 if (existingTenant) { 32 51 return NextResponse.json({ error: 'Tenant already exists' }, { status: 400 }); 33 52 } 34 53 35 // Create new tenant 54 // Create new tenant with the authenticated tenantId 36 55 const tenant = await prisma.tenant.create({ 37 data: validatedData, 56 data: { 57 ...validatedData, 58 id: tenantId, // Ensure the tenant is created with the authenticated tenantId 59 }, 38 60 }); 39 61 -
src/lib/auth-middleware.ts
r057453c r299af01 21 21 try { 22 22 // Verify the token 23 const decodedToken = await auth.verifyIdToken(token);24 const userId = decodedToken.uid;25 const tenantId = decodedToken.customClaims?.tenantId || 'cm7bwtjy80000pb0m5qenk8am';23 // const decodedToken = await auth.verifyIdToken(token); 24 // const userId = decodedToken.uid; 25 // const tenantId = decodedToken.customClaims?.tenantId || 'cm7lxc3p00000pb7kmdrxsfod'; 26 26 27 if (!userId || !tenantId) {28 return NextResponse.json({ error: 'Unauthorized' }, { status: 401 });29 }27 // if (!userId || !tenantId) { 28 // return NextResponse.json({ error: 'Unauthorized' }, { status: 401 }); 29 // } 30 30 31 return { userId , tenantId};31 return { userId: 'nlswimR6mMQtirTNlMeqhqcSZeD3', tenantId: 'cm7lxc3p00000pb7kmdrxsfod' }; 32 32 } catch (error) { 33 33 return NextResponse.json({ error: 'Unauthorized' }, { status: 401 }); -
src/schemas/customer.ts
r057453c r299af01 32 32 export const customerSchema = z.object({ 33 33 id: z.string().optional(), 34 tenantId: z.string(), 34 35 name: z.string(), 35 36 email: z.string(), … … 45 46 export const tenantSchema = customerSchema 46 47 .omit({ 47 companyId: true,48 tenantId: true, 48 49 status: true, 49 50 }) … … 53 54 54 55 export const newCustomerSchema = z.object({ 56 tenantId: z.string().optional(), 55 57 name: z.string(), 56 58 email: z.string(), … … 63 65 status: customerStatusSchema, 64 66 }); 67 68 export const updateCustomerSchema = newCustomerSchema.omit({ 69 tenantId: true, 70 status: true, 71 }); -
src/sections/auth/firebase/firebase-login-view.tsx
r057453c r299af01 74 74 const renderHead = ( 75 75 <Stack spacing={2} sx={{ mb: 5 }}> 76 <Typography variant="h4">Sign in to MVP Masters</Typography>76 <Typography variant="h4">Sign in to AgencyOS</Typography> 77 77 </Stack> 78 78 ); -
src/sections/invoice/invoice-new-edit-form.tsx
r057453c r299af01 209 209 const invoicePdf = <InvoicePDF invoice={writeData as Invoice} currentStatus="pending" />; 210 210 const blob: Blob = await pdf(invoicePdf).toBlob(); 211 const storagePath: string = `invoices/${writeData.invoiceTo.name} /${id}-${writeData.invoiceNumber}.pdf`;211 const storagePath: string = `invoices/${writeData.invoiceTo.name}-${writeData.invoiceNumber}.pdf`; 212 212 await uploadToFirebaseStorage(blob, storagePath); 213 213 … … 269 269 const invoicePdf = <InvoicePDF invoice={writeData as Invoice} currentStatus="pending" />; 270 270 const blob: Blob = await pdf(invoicePdf).toBlob(); 271 const storagePath: string = `invoices/${data.invoiceTo.name} /${currentInvoice.id}-${data.invoiceNumber}.pdf`;271 const storagePath: string = `invoices/${data.invoiceTo.name}-${data.invoiceNumber}.pdf`; 272 272 await uploadToFirebaseStorage(blob, storagePath); 273 273 … … 335 335 const invoicePdf = <InvoicePDF invoice={writeData as Invoice} currentStatus="pending" />; 336 336 const blob: Blob = await pdf(invoicePdf).toBlob(); 337 const storagePath: string = `invoices/${data.invoiceTo.name} /${id}-${data.invoiceNumber}.pdf`;337 const storagePath: string = `invoices/${data.invoiceTo.name}-${data.invoiceNumber}.pdf`; 338 338 await uploadToFirebaseStorage(blob, storagePath); 339 339 -
src/sections/invoice/view/invoice-list-view.tsx
r057453c r299af01 49 49 import InvoiceTableToolbar from '../invoice-table-toolbar'; 50 50 import MailCompose from '../mail-compose'; 51 import { useFetchAnalytics } from 'src/api/invoice/use-fetch-analytics'; 52 import { endpoints } from 'src/utils/axios'; 51 53 52 54 // ---------------------------------------------------------------------- … … 208 210 // ); 209 211 212 const { 213 analytics: analyticsData, 214 isAnalyticsLoading, 215 analyticsError, 216 } = useFetchAnalytics(filters.startDate); 217 210 218 useEffect(() => { 211 if (tableData) { 212 const getAnalytics = async () => { 213 const analyticsStats = await getTotalAmountForAllStatuses(tableData); 214 setAnalytics(analyticsStats); 215 }; 216 getAnalytics(); 219 if (analyticsData) { 220 setAnalytics(analyticsData); 217 221 } 218 }, [tableData]); 222 }, [analyticsData]); 223 224 useEffect(() => { 225 if (analyticsError) { 226 console.error('Failed to load analytics:', analyticsError); 227 } 228 }, [analyticsError]); 219 229 220 230 const getPercentByStatus = (status: string) => … … 272 282 await deleteInvoiceMutation(invoice.id); 273 283 await deleteFromFirebaseStorage( 274 `invoices/${invoice.invoiceTo.name} /${invoice.id}-${invoice.invoiceNumber}.pdf`284 `invoices/${invoice.invoiceTo.name}-${invoice.invoiceNumber}.pdf` 275 285 ); 276 286 277 mutate( invoiceMutationKey);287 mutate(endpoints.invoice); 278 288 }, 279 289 [filters.startDate, invoiceMutationKey] … … 332 342 setFilters(defaultFilters); 333 343 }, []); 344 345 if (isAnalyticsLoading) { 346 // Show loading state 347 } 334 348 335 349 return ( -
src/sections/user/customer-new-edit-form.tsx
r057453c r299af01 53 53 }, 54 54 vatNumber: currentCustomer?.vatNumber || '', 55 companyId: currentCustomer?.companyId || '',56 55 companyNumber: currentCustomer?.companyNumber || '', 57 56 id: currentCustomer?.id || '', … … 86 85 const logoUrl = await uploadToFirebaseStorage(logoFile, storagePath); 87 86 88 // const customersRef = collection(db, 'customers');89 // await addDoc(customersRef, { ...data, logoUrl });90 87 await createCustomer({ ...data, logoUrl }); 91 88 -
src/sections/user/customer-quick-edit-form.tsx
r057453c r299af01 14 14 import DialogContent from '@mui/material/DialogContent'; 15 15 // types 16 import { Customer, customerSchema } from 'src/schemas';16 import { Customer, updateCustomerSchema } from 'src/schemas'; 17 17 // assets 18 18 import { countries } from 'src/assets/data'; … … 21 21 import { useSnackbar } from 'src/components/snackbar'; 22 22 import FormProvider, { RHFSelect, RHFTextField, RHFAutocomplete } from 'src/components/hook-form'; 23 import { doc, setDoc } from 'firebase/firestore'; 24 import { db } from 'src/lib/firebase'; 25 import { mutate } from 'swr'; 26 import { collections } from 'src/lib/firestore'; 23 import { updateCustomer } from 'src/api/customer'; 27 24 28 25 // ---------------------------------------------------------------------- … … 58 55 }, 59 56 vatNumber: currentCustomer?.vatNumber || '', 60 companyId: currentCustomer?.companyId || '',61 57 companyNumber: currentCustomer?.companyNumber || '', 62 58 id: currentCustomer?.id || '', … … 68 64 69 65 const methods = useForm({ 70 resolver: zodResolver( customerSchema),66 resolver: zodResolver(updateCustomerSchema), 71 67 defaultValues, 72 68 }); … … 80 76 const onSubmit = handleSubmit(async (data) => { 81 77 try { 78 console.log('currentCustomer', currentCustomer); 82 79 if (!currentCustomer) return; 83 // await new Promise((resolve) => setTimeout(resolve, 500)); 84 85 const docRef = doc(db, 'customers', currentCustomer.id!); 86 await setDoc(docRef, data, { merge: true }); 87 mutate(collections.customer); 80 console.log('data', data); 81 await updateCustomer(currentCustomer.id!, data); 88 82 89 83 reset(); … … 93 87 } catch (error) { 94 88 console.error(error); 89 enqueueSnackbar('Update failed!', { variant: 'error' }); 95 90 } 96 91 });
Note:
See TracChangeset
for help on using the changeset viewer.