Changeset 87c9f1e
- Timestamp:
- 02/27/25 00:42:38 (5 weeks ago)
- Branches:
- main
- Children:
- 32e9876
- Parents:
- 3c5302a
- Files:
-
- 6 added
- 25 edited
- 8 moved
Legend:
- Unmodified
- Added
- Removed
-
prisma/schema.prisma
r3c5302a r87c9f1e 9 9 10 10 model Client { 11 id String @id @default(uuid()) 12 tenantId String // Tenant identifier 13 name String 14 email String @unique 15 address Json 16 logoUrl String? 17 phoneNumber String? 18 vatNumber String? 19 companyNumber String? 20 representative String 21 status CustomerStatus @default(active) 11 id String @id @default(uuid()) 12 tenantId String @map("tenant_id") 13 name String 14 email String @unique 15 address Json 16 logoUrl String? @map("logo_url") 17 phoneNumber String? @map("phone_number") 18 vatNumber String? @map("vat_number") 19 companyNumber String? @map("company_number") 20 representative String 21 status ClientStatus @default(active) 22 createdAt DateTime @default(now()) @map("created_at") 23 updatedAt DateTime @updatedAt @map("updated_at") 22 24 23 tenant Tenant@relation(fields: [tenantId], references: [id], onDelete: Cascade)25 tenant Tenant @relation(fields: [tenantId], references: [id], onDelete: Cascade) 24 26 invoicesReceived Invoice[] @relation("InvoiceTo") 25 27 } 26 28 27 29 model Service { 28 id String@id @default(uuid())29 name 30 sprint 31 hour 32 month 33 tenantId String34 tenant Tenant@relation(fields: [tenantId], references: [id], onDelete: Cascade)30 id String @id @default(uuid()) 31 name String 32 sprint Float 33 hour Float 34 month Float 35 tenantId String @map("tenant_id") 36 tenant Tenant @relation(fields: [tenantId], references: [id], onDelete: Cascade) 35 37 36 38 lineItems LineItem[] … … 38 40 39 41 model Invoice { 40 id String 41 sent Int? // Number of times sent42 dueDate DateTime 42 id String @id @default(uuid()) 43 sent Int? 44 dueDate DateTime @map("due_date") 43 45 status InvoiceStatus 44 46 currency Currency 45 quantityType QuantityType 46 subTotal Float 47 createDate DateTime47 quantityType QuantityType @map("quantity_type") 48 subTotal Float @map("sub_total") 49 issueDate DateTime @map("issue_date") 48 50 month Month 49 51 discount Float? 50 52 taxes Float? 51 totalAmount Float 52 invoiceNumber String @unique 53 pdfRef String? 53 totalAmount Float @map("total_amount") 54 invoiceNumber String @unique @map("invoice_number") 55 pdfRef String? @map("pdf_ref") 56 createdAt DateTime @default(now()) @map("created_at") 57 updatedAt DateTime @updatedAt @map("updated_at") 54 58 55 invoiceFromId String 56 invoiceFrom Tenant 59 invoiceFromId String @map("tenant_id") 60 invoiceFrom Tenant @relation(fields: [invoiceFromId], references: [id], onDelete: Cascade) 57 61 58 invoiceToId String59 invoiceTo Client@relation("InvoiceTo", fields: [invoiceToId], references: [id], onDelete: Cascade)62 invoiceToId String @map("client_id") 63 invoiceTo Client @relation("InvoiceTo", fields: [invoiceToId], references: [id], onDelete: Cascade) 60 64 61 items 65 items LineItem[] 62 66 } 63 67 64 68 model LineItem { 65 id String 69 id String @id @default(uuid()) 66 70 title String 67 71 price Float … … 69 73 quantity Int 70 74 description String? 71 serviceId String 72 service Service 73 invoiceId String 74 invoice Invoice 75 serviceId String @map("service_id") 76 service Service @relation(fields: [serviceId], references: [id], onDelete: Cascade) 77 invoiceId String @map("invoice_id") 78 invoice Invoice @relation(fields: [invoiceId], references: [id], onDelete: Cascade) 75 79 } 76 80 77 81 model Tenant { 78 id String @id @default(cuid())82 id String @id @default(cuid()) 79 83 name String 80 email String @unique81 address Json 82 bankAccounts Json? 83 logoUrl String? 84 phoneNumber String? 85 vatNumber String? 86 companyNumber String? 84 email String @unique 85 address Json 86 bankAccounts Json? @map("bank_accounts") 87 logoUrl String? @map("logo_url") 88 phoneNumber String? @map("phone_number") 89 vatNumber String? @map("vat_number") 90 companyNumber String? @map("company_number") 87 91 representative String 88 lastInvoiceNumber String @default("0")89 createdAt DateTime @default(now())90 updatedAt DateTime @updatedAt92 lastInvoiceNumber String @default("0") @map("last_invoice_number") 93 createdAt DateTime @default(now()) @map("created_at") 94 updatedAt DateTime @updatedAt @map("updated_at") 91 95 invoicesSent Invoice[] 92 96 services Service[] 93 97 employees Employee[] 94 clients Client[] // Add the relation to clients 98 clients Client[] 99 users User[] 95 100 } 96 101 97 102 model Employee { 98 id String @id @default(uuid()) 99 name String 100 email String @unique 101 status EmployeeStatus @default(active) 102 iban String? 103 cv String? 104 photo String? 105 project String? 106 tenantId String 107 tenant Tenant @relation(fields: [tenantId], references: [id], onDelete: Cascade) 103 id String @id @default(uuid()) 104 name String 105 email String @unique 106 status EmployeeStatus @default(active) 107 iban String? 108 cv String? 109 photo String? 110 project String? 111 tenantId String @map("tenant_id") 112 tenant Tenant @relation(fields: [tenantId], references: [id], onDelete: Cascade) 113 createdAt DateTime @default(now()) @map("created_at") 114 updatedAt DateTime @updatedAt @map("updated_at") 108 115 } 109 116 110 // Enums 111 enum CustomerStatus { 112 active 113 banned 114 inactive 117 model User { 118 id String @id @default(uuid()) 119 uid String @unique // Firebase UID 120 email String @unique 121 displayName String @map("display_name") 122 role UserRole 123 tenantId String @map("tenant_id") 124 tenant Tenant @relation(fields: [tenantId], references: [id], onDelete: Cascade) 125 createdAt DateTime @default(now()) @map("created_at") 126 updatedAt DateTime @updatedAt @map("updated_at") 127 } 128 129 enum UserRole { 130 ADMIN @map("ADMIN") 131 MANAGER @map("MANAGER") 132 USER @map("USER") 133 } 134 135 enum ClientStatus { 136 active @map("ACTIVE") 137 banned @map("BANNED") 138 inactive @map("INACTIVE") 115 139 } 116 140 117 141 enum InvoiceStatus { 118 draft 119 processing 120 pending 121 overdue 122 paid 142 draft @map("DRAFT") 143 processing @map("PROCESSING") 144 pending @map("PENDING") 145 overdue @map("OVERDUE") 146 paid @map("PAID") 123 147 } 124 148 125 149 enum Currency { 126 EUR 127 USD 150 EUR @map("EUR") 151 USD @map("USD") 128 152 } 129 153 130 154 enum QuantityType { 131 Unit 132 Hour 133 Sprint 134 Month 155 Unit @map("UNIT") 156 Hour @map("HOUR") 157 Sprint @map("SPRINT") 158 Month @map("MONTH") 135 159 } 136 160 137 161 enum Month { 138 January 139 February 140 March 141 April 142 May 143 June 144 July 145 August 146 September 147 October 148 November 149 December 162 January @map("JANUARY") 163 February @map("FEBRUARY") 164 March @map("MARCH") 165 April @map("APRIL") 166 May @map("MAY") 167 June @map("JUNE") 168 July @map("JULY") 169 August @map("AUGUST") 170 September @map("SEPTEMBER") 171 October @map("OCTOBER") 172 November @map("NOVEMBER") 173 December @map("DECEMBER") 150 174 } 151 175 152 176 enum EmployeeStatus { 153 active 154 inactive 177 active @map("ACTIVE") 178 inactive @map("INACTIVE") 155 179 } -
prisma/seed.js
r3c5302a r87c9f1e 6 6 // Clear existing data 7 7 await prisma.service.deleteMany(); 8 await prisma.user.deleteMany(); 8 9 await prisma.tenant.deleteMany(); 9 10 10 11 // Define default tenant data 11 12 const tenantData = { 12 name: "Default Company", 13 email: "contact@defaultcompany.com", 13 id: "cm7lxc3p00000pb7kmdrxsfod", 14 name: "MVP Masters", 15 email: "info@mvpmasters.com", 14 16 address: { 15 street: " 123 Business Street",16 city: " Business City",17 state: " BS",18 zip: "1 2345",19 country: " United States"17 street: "Makedonska Treta Brigada 56", 18 city: "Skopje", 19 state: "Macedonia", 20 zip: "1000", 21 country: "Macedonia" 20 22 }, 21 phoneNumber: "+ 1 234 567 8900",22 representative: " John Doe",23 phoneNumber: "+389 72 233 943", 24 representative: "Naum Shapkarovski", 23 25 lastInvoiceNumber: "1", 24 26 logoUrl: "https://example.com/default-logo.png", … … 72 74 }); 73 75 76 // Add default admin user 77 const defaultUser = await prisma.user.create({ 78 data: { 79 id: 'dK2y3WezYWWltHCaBRvUFlddkOr2', 80 uid: 'dK2y3WezYWWltHCaBRvUFlddkOr2', 81 email: 'naum@mvpmasters.com', 82 displayName: 'Naum', 83 role: 'ADMIN', 84 tenantId: 'cm7lxc3p00000pb7kmdrxsfod' 85 } 86 }); 87 74 88 console.log('Seeded default tenant:', defaultTenant); 89 console.log('Seeded default user:', defaultUser); 75 90 76 91 console.log('🌱 Seeding database...'); -
service-account.json
r3c5302a r87c9f1e 1 1 { 2 2 "type": "service_account", 3 "project_id": " mvp-masters",4 "private_key_id": " 41113eebee172158f148448927355ce095b111f3",5 "private_key": "-----BEGIN PRIVATE KEY-----\nMIIEv gIBADANBgkqhkiG9w0BAQEFAASCBKgwggSkAgEAAoIBAQCjMylcnnaenb6k\nDRY++GyIHbyyzQc+5ChXd6ixB5x0KYLLDs/6hqgSeIjI3urLee7i05NeQYVGIXGE\nvjqOhTdjwr11hIHRcNMIAjMYaI4HNiJHweQa72ux9dB1cZpYpQQrBuG5k3Sf/WjO\ntfiPnP7a7dR00KctsL22FAm4JH+CvfTWQoLpa7n3bhQmNOXZmCLb2ZRU6AkGuYh+\nq5ko5epj7sCtyqAcefUJXysC0EpRySgbeQsXewyvBrSOx2onPnjq+q0Zw9PdVhOH\nSr3zwdQq9DDLYOH1YB1DbaOEI+8tybCT3HHIOKJpCVga/mVZtzoEBR4zbbnkzshe\nS7IDPh2NAgMBAAECggEAIqDFrzkRZsUGUTVUqc5Y6wXSRucRmULcm3iQkuWQSSaQ\nscjGEPyW93pbXbHNBJkt+rOVcpu47WFFvrqFXr29+70zqZaQ3BGSOYIL+Osgbb/L\nBMpLffqcsZE8ptrQuuvip0WJyjBTP+pLXYcHg2N2wRnTKWkne96jVlnImSmnY6RW\n57V0ch/1PjX3SUQaBST6/BkW4qeo93rDU+qhuirtWhTcP64BQyX2CYzzJayLbNuL\ndETvIOaIEw48aBbHGHsmkxUw4E0UaYctaRDAZNlmxA2hulosG6F/TiAQ6/fF+ZCC\nssk5DM5/hGb62/H+Hdoyru/OIjYqNAScgWFjPm50wQKBgQC3Q9qcdm2qzkupEOfj\n2/ATjiXwZkcOjqWFAZuwI0wh4pbuK6dwzUypicMPf9UbGbp48xJKedzXSV5cC+bs\nCubZjdp5pwDyz1gj2QrHTZ37BV93OQyFdjpKVGZHUNVXsDdRmEG3wdrA+TXbGsnU\nLcQrUjjJSlx+PKVUya8OB2PFwQKBgQDj+KMhYbGXsoWWJyV8dzl/jOHc2axW6kc5\nPvnx48sMDgCwHSDTKC5h3IOrbBXTdAlbqztLMCyd7O0OTPFFBbBz4WdICPdl3n0h\nMYySReqjW/cG+ataLRNZ3p1DtKwxLDONSEEib0XyW2x2i4S8QMwUM31hbusbtBz6\ngBnUGJ1CzQKBgQCM/4GUW3FotqtzefRPVQnSoc0Ctk35HzqtqF0WGTIb5+9jcuay\nXOGclscih6F35kWXhLwP3M5SPLqCaw3RkVmnDAKJEjoilfAkNHqceFURqkKWwaem\njx2tzl2ahNB/VK5a8p+tN1KMobAT0PpzanrBMdNK2xFqdlJld35ddsYGgQKBgQCs\n7WFJJCMj0C6XLNC5rnK2N3bpIVEiiQpH+WZ9v265kTGiZiYNJtCwOSbD9PRFdyLW\nH3iV21As55kWnPTzh5JHBLdkpDCOXIwMjtpz5odLLaqf5um9OK4SINSolDd+AWqF\nhEasST4Ezqbi8YhZiMmFlV1JeGrtk93bgyqUgathDQKBgDrnDmIUr9czUIUHIiyz\nFuUDAVqzVAGNol3KknCGfxPssGj7ln+ml7b+db44QKloWxDvtXKiUEVBzYsTsTnz\nX40/oD5FlobeEYUNSIUza/SAhf8KzX6ISo/Ogk8YMd4mvZxeeXPFQHgHd3mJR1s9\ngnNcqCHEulwV+m9E3dnNU6ds\n-----END PRIVATE KEY-----\n",6 "client_email": "firebase-adminsdk- 6i4ka@mvp-masters.iam.gserviceaccount.com",7 "client_id": "10 4648727229584211592",3 "project_id": "agency-os-prod", 4 "private_key_id": "1e74e55e80a03fc705c995b8d2430f6d4761a281", 5 "private_key": "-----BEGIN PRIVATE KEY-----\nMIIEvQIBADANBgkqhkiG9w0BAQEFAASCBKcwggSjAgEAAoIBAQCUrVSjMy575tLw\n2bw10FkzfIRxgY0UWPvlhwH1o8iRV9PQMgPr4HmGwK9CmUIqa3LRdi4KzrrCPYoP\noBzMxJCuPSR9ii9XNdqH0uLolP05xOkfCpxUMR5dgS3ExreX+d9xwFVwjfoHRiuw\nNYoayYZrJakhmzmRAU5oiwVZzFtBilQKkvnQJbIIlovksczBE4xUlTz4xmrZWtvQ\nzEnthzxCDrdCvrw5YtafOGpPNg0rEbA9+IwykPWNR+YYVQXLuIKHNYQSV+SlmYAz\n9CdN3Yl+TIsX01aPMJ+gHPr3OhVTk3a97I6WJ7/NIIMDnEvnVU5dYn8j9GwxIWqP\nIWfs9NizAgMBAAECggEASlXLTnmlkR9ccj17A7DzGHH2SkYKwpSnBSCWUzmba0ft\nSFfpbALk4AHw3qx/z3O/iYi8Bn1MFRftslhMbfkNmYBKgVYYy1LKu0QuXTk4zqxs\nHjAQ72tLklanCo6MdrjhBh+y2D60NvTXnRd3wGLoCSRgRsQ0aRKtIEn51+b77W03\n7VLrXjoXdA6/J4X7NGXN12z4YCUnq7MjTcWoGKYnM0nnay8fFdQw598/CfZBY+zb\nYw9u9E8//OCmQ9p15nmcky+ZOq1lbjPLvOamErLHI+Z+bdRlqQugURItT6rTn4rs\nxxn+VqZ33TDo8iu5jOueEFyu6v/Irs/pQmWQjO/V6QKBgQDHDlqxeD05ac/Mus2m\ncUZesbZPEOLf1iuNRGGyZhUWIH63neCBtMxmpunG27u8Zcc4nOSDb8gVowkrBwRf\nxOT9QkW4Z++0CykMoZFrHySjrx6pgG5ylR6hutJZ8aI07uLU+H1DnkInQwmNrA38\njYu239ofZWsRYB/OXAtMLHqDtwKBgQC/NYcJkyADsZB+UNguwxwPxi2U6vaBh2a4\n+W2F0LI47tNkwXtfNPlDRdTwraoucKlPvu6gcHvSt+MQEPkx1gwdnIgiBoeooi4P\nLDUp4OKWdTPo+s4D0W8Z5h2l5/Fegu/Fn6l0iu8hldeAknttwrwTaoq7M+LeJtcX\nuW+Cjkcq5QKBgEMPi/BkIMQ56J8BhA0B9oIqfs/uUXC1l6CVHBDdIVd+BRLZJmys\nO3yN2Q58sqfK5i4ldTruqsrXTVxolcmp7LeB3zk8Et5mMCMoP3SGXnKiqcLTGOKT\naGl2Ji3VIR+SJ2s2eAUSyRivFgXbpC6khSBMFBElusd0yeJc0hWMmo3LAoGASilt\nvdX1pdkaDRQ4NTLx0GByT38uqyCkQ/xicXN3nMNs9Hhi7JN0VpZgOBVzm12RHeAV\nV98o95rhE9sxfBXkTxvmZSQZO9vjd3kTCbIy0F6XCrc0bqCtseLh/vZOVPT+IK2D\noTM9+s3ObwzhmLneDr3VHzTJupZf+NCwoneivM0CgYEAxIp4qoX/cBpUTfR2Q99r\nzaaYufgs4PcekDPXykJxrdjDmP5cOSIwyAUf6k1fTUB3qyhtlyq481K3dQBpKOP3\nbQAJrxl6w+/rNS2YIdjM9RXw1wHNiLd0RfaNtzdebdiILYzRzSLdBmtzwXKmw7Cu\ntS4FVx/E+qdHsOyggGub24k=\n-----END PRIVATE KEY-----\n", 6 "client_email": "firebase-adminsdk-fbsvc@agency-os-prod.iam.gserviceaccount.com", 7 "client_id": "102922480115315079115", 8 8 "auth_uri": "https://accounts.google.com/o/oauth2/auth", 9 9 "token_uri": "https://oauth2.googleapis.com/token", 10 10 "auth_provider_x509_cert_url": "https://www.googleapis.com/oauth2/v1/certs", 11 "client_x509_cert_url": "https://www.googleapis.com/robot/v1/metadata/x509/firebase-adminsdk- 6i4ka%40mvp-masters.iam.gserviceaccount.com",11 "client_x509_cert_url": "https://www.googleapis.com/robot/v1/metadata/x509/firebase-adminsdk-fbsvc%40agency-os-prod.iam.gserviceaccount.com", 12 12 "universe_domain": "googleapis.com" 13 13 } -
src/api/invoice.ts
r3c5302a r87c9f1e 81 81 // Add this interface for the create invoice payload 82 82 interface CreateInvoicePayload { 83 createDate: Date;83 issueDate: Date; 84 84 dueDate: Date; 85 85 items: any[]; -
src/app/api/customers/route.ts
r3c5302a r87c9f1e 3 3 import prisma from 'src/lib/prisma'; 4 4 import { authenticateRequest } from 'src/lib/auth-middleware'; 5 import { CustomerStatus } from '@prisma/client'; 6 import { Prisma } from '@prisma/client'; 5 import { Prisma, ClientStatus } from '@prisma/client'; 7 6 8 7 export async function GET(request: NextRequest) { … … 25 24 const validatedFilters = customerTableFiltersSchema.parse(filters); 26 25 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 `; 26 // const customers = await prisma.$queryRaw` 27 // SELECT * FROM "Client" 28 // WHERE "tenant_id" = ${tenantId} 29 // AND LOWER(name) LIKE LOWER(${`%${validatedFilters.name}%`}) 30 // ${ 31 // validatedFilters.status 32 // ? Prisma.sql`AND status = ${validatedFilters.status}::"CustomerStatus"` 33 // : Prisma.sql`AND TRUE` 34 // } 35 // `; 36 37 const customers = await prisma.client.findMany({ 38 where: { 39 tenantId, 40 name: { 41 contains: validatedFilters.name, 42 mode: 'insensitive', 43 }, 44 ...(validatedFilters.status && { 45 status: validatedFilters.status as ClientStatus, 46 }), 47 }, 48 }); 38 49 39 50 return NextResponse.json(customers); … … 60 71 data: { 61 72 ...validatedData, 62 // userId,63 73 tenantId, 64 74 }, -
src/app/api/invoices/[id]/route.ts
r3c5302a r87c9f1e 100 100 data: { 101 101 invoiceNumber: validation.data.invoiceNumber, 102 createDate: validation.data.createDate,102 issueDate: validation.data.issueDate, 103 103 dueDate: validation.data.dueDate, 104 104 status: validation.data.status, -
src/app/api/invoices/route.ts
r3c5302a r87c9f1e 45 45 ? { equals: validatedFilters.status as InvoiceStatus } 46 46 : undefined, 47 createDate: {47 issueDate: { 48 48 ...(validatedFilters.startDate && { gte: validatedFilters.startDate }), 49 49 ...(validatedFilters.endDate && { lte: validatedFilters.endDate }), … … 108 108 quantityType: validatedData.quantityType, 109 109 subTotal: validatedData.subTotal, 110 createDate: validatedData.createDate,110 issueDate: validatedData.issueDate, 111 111 month: validatedData.month, 112 112 discount: validatedData.discount, -
src/app/api/invoices/totals/route.ts
r3c5302a r87c9f1e 20 20 const searchParams = request.nextUrl.searchParams; 21 21 const startDate = searchParams.get('startDate') 22 ? new Date(searchParams.get(' startDate')!)22 ? new Date(searchParams.get('issueDate')!) 23 23 : null; 24 24 … … 32 32 status, 33 33 currency, 34 SUM("total Amount") as total34 SUM("total_amount") as total 35 35 FROM "Invoice" 36 WHERE " createDate" >= ${startDate}37 AND " invoiceFromId" = ${tenantId}36 WHERE "issue_date" >= ${startDate} 37 AND "tenant_id" = ${tenantId} 38 38 GROUP BY status, currency 39 39 `; -
src/app/dashboard/customer/list/page.tsx
r3c5302a r87c9f1e 1 1 // sections 2 import { CustomerListView } from 'src/sections/ user/view';2 import { CustomerListView } from 'src/sections/client/view'; 3 3 4 4 // ---------------------------------------------------------------------- -
src/app/dashboard/customer/new/page.tsx
r3c5302a r87c9f1e 1 1 // sections 2 import { CustomerCreateView } from 'src/sections/ user/view';2 import { CustomerCreateView } from 'src/sections/client/view'; 3 3 4 4 // ---------------------------------------------------------------------- -
src/app/loading.tsx
r3c5302a r87c9f1e 7 7 8 8 export default function Loading() { 9 return <SplashScreen />; 9 return ( 10 <div className="flex min-h-screen items-center justify-center"> 11 <div className="animate-spin rounded-full h-32 w-32 border-t-2 border-b-2 border-blue-500"></div> 12 </div> 13 ); 10 14 } -
src/app/not-found.tsx
r3c5302a r87c9f1e 1 1 // sections 2 2 import { NotFoundView } from 'src/sections/error'; 3 import Link from 'next/link'; 3 4 4 5 // ---------------------------------------------------------------------- … … 8 9 }; 9 10 10 export default function NotFoundPage() { 11 return <NotFoundView />; 11 export default function NotFound() { 12 return ( 13 <div className="flex min-h-screen flex-col items-center justify-center"> 14 <h2 className="text-2xl font-bold mb-4">Page Not Found</h2> 15 <p className="mb-4">Could not find requested resource</p> 16 <Link href="/" className="px-4 py-2 bg-blue-500 text-white rounded hover:bg-blue-600"> 17 Return Home 18 </Link> 19 </div> 20 ); 12 21 } -
src/auth/context/firebase/auth-provider.tsx
r3c5302a r87c9f1e 21 21 import { AuthContext } from './auth-context'; 22 22 import { ActionMapType, AuthStateType, AuthUserType } from '../../types'; 23 import { getUser } from 'src/api/user'; 23 24 24 25 // ---------------------------------------------------------------------- … … 71 72 if (user) { 72 73 if (user.emailVerified) { 73 const userProfile = doc(db, collections.administrator, user.uid); 74 75 const docSnap = await getDoc(userProfile); 76 77 const profile = docSnap.data(); 78 79 dispatch({ 80 type: Types.INITIAL, 81 payload: { 82 user: { 83 ...user, 84 ...profile, 85 id: user.uid, 74 try { 75 const profile = await getUser(); 76 console.log('profile', profile); 77 78 dispatch({ 79 type: Types.INITIAL, 80 payload: { 81 user: { ...profile, emailVerified: user.emailVerified }, 86 82 }, 87 }, 88 }); 83 }); 84 } catch (error) { 85 console.error('Failed to fetch user profile:', error); 86 dispatch({ 87 type: Types.INITIAL, 88 payload: { 89 user: null, 90 }, 91 }); 92 } 89 93 } else { 90 94 dispatch({ … … 145 149 const register = useCallback( 146 150 async (email: string, password: string, firstName: string, lastName: string) => { 147 const newUser = await createUserWithEmailAndPassword(auth, email, password); 148 149 await sendEmailVerification(newUser.user); 150 151 const userProfile = doc(collection(db, collections.administrator), newUser.user?.uid); 152 153 await setDoc(userProfile, { 154 uid: newUser.user?.uid, 155 email, 156 displayName: `${firstName} ${lastName}`, 157 }); 151 // const newUser = await createUserWithEmailAndPassword(auth, email, password); 152 // await sendEmailVerification(newUser.user); 153 // const userProfile = doc(collection(db, collections.administrator), newUser.user?.uid); 154 // await setDoc(userProfile, { 155 // uid: newUser.user?.uid, 156 // email, 157 // displayName: `${firstName} ${lastName}`, 158 // }); 158 159 }, 159 160 [] -
src/layouts/dashboard/nav-horizontal.tsx
r3c5302a r87c9f1e 41 41 data={navData} 42 42 config={{ 43 currentRole: user?.role || ' admin',43 currentRole: user?.role || 'ADMIN', 44 44 }} 45 45 /> -
src/layouts/dashboard/nav-mini.tsx
r3c5302a r87c9f1e 51 51 data={navData} 52 52 config={{ 53 currentRole: user?.role || ' admin',53 currentRole: user?.role || 'ADMIN', 54 54 }} 55 55 /> -
src/layouts/dashboard/nav-vertical.tsx
r3c5302a r87c9f1e 58 58 data={navData} 59 59 config={{ 60 currentRole: user?.role || ' admin',60 currentRole: user?.role || 'ADMIN', 61 61 }} 62 62 /> -
src/lib/auth-middleware.ts
r3c5302a r87c9f1e 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 || 'cm7lxc3p00000pb7kmdrxsfod'; 23 const decodedToken = await auth.verifyIdToken(token); 24 const userId = decodedToken.uid; 26 25 27 // if (!userId || !tenantId) { 28 // return NextResponse.json({ error: 'Unauthorized' }, { status: 401 }); 29 // } 26 const tenantId = decodedToken.customClaims?.tenantId || 'cm7lxc3p00000pb7kmdrxsfod'; 30 27 31 return { userId: 'nlswimR6mMQtirTNlMeqhqcSZeD3', tenantId: 'cm7lxc3p00000pb7kmdrxsfod' }; 28 if (!userId || !tenantId) { 29 return NextResponse.json({ error: 'Unauthorized' }, { status: 401 }); 30 } 31 32 return { userId, tenantId: 'cm7lxc3p00000pb7kmdrxsfod' }; 32 33 } catch (error) { 34 console.error('Error verifying token:', error); 33 35 return NextResponse.json({ error: 'Unauthorized' }, { status: 401 }); 34 36 } -
src/schemas/invoice.ts
r3c5302a r87c9f1e 67 67 ]), 68 68 subTotal: z.number(), 69 createDate: z.coerce.date(),69 issueDate: z.coerce.date(), 70 70 month: monthSchema, 71 71 discount: z.number().optional(), -
src/sections/invoice/invoice-details.tsx
r3c5302a r87c9f1e 261 261 Date Issued 262 262 </Typography> 263 {fDate(invoice. createDate)}263 {fDate(invoice.issueDate)} 264 264 </Stack> 265 265 -
src/sections/invoice/invoice-ee-pdf.tsx
r3c5302a r87c9f1e 129 129 discount, 130 130 invoiceTo, 131 createDate,131 issueDate, 132 132 totalAmount, 133 133 invoiceFrom, … … 229 229 <View style={styles.col6}> 230 230 <Text style={[styles.subtitle1, styles.mb4]}>Date Issued</Text> 231 <Text style={styles.body2}>{fDate( createDate)}</Text>231 <Text style={styles.body2}>{fDate(issueDate)}</Text> 232 232 </View> 233 233 <View style={styles.col6}> -
src/sections/invoice/invoice-mk-pdf.tsx
r3c5302a r87c9f1e 113 113 discount, 114 114 invoiceTo, 115 createDate,115 issueDate, 116 116 totalAmount, 117 117 invoiceFrom, … … 179 179 <View style={styles.col6}> 180 180 <Text style={[styles.subtitle1, styles.mb4]}>Date Issued</Text> 181 <Text style={styles.body2}>{fDate( createDate)}</Text>181 <Text style={styles.body2}>{fDate(issueDate)}</Text> 182 182 </View> 183 183 <View style={styles.col6}> -
src/sections/invoice/invoice-new-edit-form.tsx
r3c5302a r87c9f1e 81 81 const NewInvoiceSchema = Yup.object().shape({ 82 82 invoiceNumber: Yup.string().nullable().required('Invoice number is required'), 83 createDate: Yup.mixed<any>().nullable().required('Create date is required'),83 issueDate: Yup.mixed<any>().nullable().required('Create date is required'), 84 84 dueDate: Yup.mixed<any>() 85 85 .required('Due date is required') … … 87 87 'date-min', 88 88 'Due date must be later than create date', 89 (value, { parent }) => value.getTime() > parent. createDate.getTime()89 (value, { parent }) => value.getTime() > parent.issueDate.getTime() 90 90 ), 91 91 invoiceFrom: Yup.mixed<any>().nullable().required('Invoice from is required'), … … 117 117 ? currentInvoice?.invoiceNumber 118 118 : incrementInvoiceNumber(tenant?.lastInvoiceNumber), 119 createDate: currentInvoice?.createDate ? new Date(currentInvoice.createDate) : new Date(),119 issueDate: currentInvoice?.issueDate ? new Date(currentInvoice.issueDate) : new Date(), 120 120 dueDate: currentInvoice?.dueDate 121 121 ? new Date(currentInvoice.dueDate) … … 175 175 176 176 // Ensure dates are valid Date objects 177 const createDate = 178 data.createDate instanceof Date ? data.createDate : new Date(data.createDate); 177 const issueDate = data.issueDate instanceof Date ? data.issueDate : new Date(data.issueDate); 179 178 const dueDate = data.dueDate instanceof Date ? data.dueDate : new Date(data.dueDate); 180 179 181 180 const currentTime = new Date(); 182 createDate.setHours(181 issueDate.setHours( 183 182 currentTime.getHours(), 184 183 currentTime.getMinutes(), … … 197 196 invoiceNumber: incrementInvoiceNumber(tenant?.lastInvoiceNumber), 198 197 status: 'draft', 199 createDate,198 issueDate, 200 199 dueDate, 201 200 items: items.filter((item) => item.service !== null) as CreateInvoice['items'], … … 246 245 if (currentInvoice) { 247 246 // Ensure dates are valid Date objects 248 const createDate =249 data. createDate instanceof Date ? data.createDate : new Date(data.createDate);247 const issueDate = 248 data.issueDate instanceof Date ? data.issueDate : new Date(data.issueDate); 250 249 const dueDate = data.dueDate instanceof Date ? data.dueDate : new Date(data.dueDate); 251 250 … … 259 258 const writeData = { 260 259 ...data, 261 createDate,260 issueDate, 262 261 dueDate, 263 262 items, … … 312 311 313 312 // Ensure dates are valid Date objects 314 const createDate =315 data. createDate instanceof Date ? data.createDate : new Date(data.createDate);313 const issueDate = 314 data.issueDate instanceof Date ? data.issueDate : new Date(data.issueDate); 316 315 const dueDate = data.dueDate instanceof Date ? data.dueDate : new Date(data.dueDate); 317 316 … … 325 324 const writeData = { 326 325 ...data, 327 createDate,326 issueDate, 328 327 dueDate, 329 328 items, -
src/sections/invoice/invoice-new-edit-status-date.tsx
r3c5302a r87c9f1e 109 109 110 110 <Controller 111 name=" createDate"111 name="issueDate" 112 112 control={control} 113 113 render={({ field, fieldState: { error } }) => ( -
src/sections/invoice/invoice-table-row.tsx
r3c5302a r87c9f1e 51 51 sent, 52 52 invoiceNumber, 53 createDate,53 issueDate, 54 54 dueDate, 55 55 status, … … 60 60 } = row; 61 61 62 console.log( createDate);62 console.log(issueDate); 63 63 64 64 const confirmSend = useBoolean(); … … 107 107 <TableCell> 108 108 <ListItemText 109 primary={format(new Date( createDate), 'dd MMM yyyy')}110 secondary={format(new Date( createDate), 'p')}109 primary={format(new Date(issueDate), 'dd MMM yyyy')} 110 secondary={format(new Date(issueDate), 'p')} 111 111 primaryTypographyProps={{ typography: 'body2', noWrap: true }} 112 112 secondaryTypographyProps={{ -
src/sections/invoice/view/invoice-list-view.tsx
r3c5302a r87c9f1e 59 59 { id: 'currency', label: 'Currency' }, 60 60 { id: 'invoicePeriod', label: 'Invoice Period' }, 61 { id: ' createDate', label: 'Create' },61 { id: 'issueDate', label: 'Create' }, 62 62 { id: 'dueDate', label: 'Due' }, 63 63 { id: 'sent', label: 'Sent', align: 'center' }, … … 152 152 153 153 const table = useTable({ 154 defaultOrderBy: ' createDate',154 defaultOrderBy: 'issueDate', 155 155 defaultOrder: 'desc', 156 156 defaultDense: true, … … 166 166 collections.invoice, 167 167 JSON.stringify({ 168 where: [[' createDate', '>=', filters.startDate]],169 orderBy: ' createDate',168 where: [['issueDate', '>=', filters.startDate]], 169 orderBy: 'issueDate', 170 170 direction: 'desc', 171 171 }), … … 275 275 async (invoice: Invoice) => { 276 276 const serializedParams = JSON.stringify({ 277 where: [[' createDate', '>=', filters.startDate]],278 orderBy: ' createDate',277 where: [['issueDate', '>=', filters.startDate]], 278 orderBy: 'issueDate', 279 279 direction: 'desc', 280 280 }); … … 671 671 inputData = inputData.filter( 672 672 (invoice) => 673 fTimestamp(invoice. createDate.getTime()) >= fTimestamp(startDate.getTime()) &&674 fTimestamp(invoice. createDate.getTime()) <= fTimestamp(endDate.getTime())673 fTimestamp(invoice.issueDate.getTime()) >= fTimestamp(startDate.getTime()) && 674 fTimestamp(invoice.issueDate.getTime()) <= fTimestamp(endDate.getTime()) 675 675 ); 676 676 }
Note:
See TracChangeset
for help on using the changeset viewer.