Changeset 299af01


Ignore:
Timestamp:
02/26/25 14:27:26 (5 weeks ago)
Author:
Naum Shapkarovski <naumshapkarovski@…>
Branches:
main
Children:
3c5302a
Parents:
057453c
Message:

chore

Files:
3 added
15 edited

Legend:

Unmodified
Added
Removed
  • prisma/schema.prisma

    r057453c r299af01  
    1010model Client {
    1111  id              String        @id @default(uuid())
    12   companyId       String?       // Optional company identifier
     12  tenantId        String       // Tenant identifier
    1313  name            String
    1414  email           String        @unique
     
    2121  status          CustomerStatus @default(active)
    2222
     23  tenant          Tenant        @relation(fields: [tenantId], references: [id], onDelete: Cascade)
    2324  invoicesReceived Invoice[] @relation("InvoiceTo")
    2425}
     
    7879  name              String
    7980  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?     
    8283  logoUrl           String?
    8384  phoneNumber       String?
     
    8586  companyNumber     String?
    8687  representative    String
    87   lastInvoiceNumber String       @default("0")
     88  lastInvoiceNumber String    @default("0")
    8889  createdAt         DateTime  @default(now())
    8990  updatedAt         DateTime  @updatedAt
     
    9192  services          Service[]
    9293  employees         Employee[]
     94  clients           Client[]  // Add the relation to clients
    9395}
    9496
  • src/api/customer.ts

    r057453c r299af01  
    4444  }
    4545}
     46
     47export 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  
    66export async function PATCH(request: NextRequest, { params }: { params: { id: string } }) {
    77  try {
    8     const userId = await authenticateRequest(request);
    9     if (!userId) {
     8    const auth = await authenticateRequest(request);
     9    if (!auth || auth instanceof NextResponse) {
    1010      return NextResponse.json({ error: 'Unauthorized' }, { status: 401 });
    1111    }
    1212
     13    const { userId, tenantId } = auth;
     14
    1315    const body = await request.json();
    1416    const validatedData = customerSchema.partial().parse(body);
     17
     18    console.log('validatedData', validatedData);
    1519
    1620    const customer = await prisma.client.update({
     
    1822      data: {
    1923        ...validatedData,
    20         bankAccounts: undefined,
     24        tenantId,
    2125      },
    2226    });
  • src/app/api/customers/route.ts

    r057453c r299af01  
    44import { authenticateRequest } from 'src/lib/auth-middleware';
    55import { CustomerStatus } from '@prisma/client';
     6import { Prisma } from '@prisma/client';
    67
    78export async function GET(request: NextRequest) {
     
    1213      return authResult;
    1314    }
    14     const { userId } = authResult;
     15    const { userId, tenantId } = authResult;
    1516
    1617    const searchParams = request.nextUrl.searchParams;
     
    2425    const validatedFilters = customerTableFiltersSchema.parse(filters);
    2526
    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    `;
    3538
    3639    return NextResponse.json(customers);
    3740  } catch (error) {
     41    console.error('Error fetching customers:', error);
    3842    return NextResponse.json({ error: 'Internal Server Error' }, { status: 500 });
    3943  }
     
    4751      return authResult;
    4852    }
    49     const { userId } = authResult;
     53    const { userId, tenantId } = authResult;
    5054
    5155    const body = await request.json();
     
    5761        ...validatedData,
    5862        // userId,
     63        tenantId,
    5964      },
    6065    });
  • src/app/api/employees/route.ts

    r057453c r299af01  
    33import prisma from 'src/lib/prisma';
    44import { authenticateRequest } from 'src/lib/auth-middleware';
    5 import { EmployeeStatus } from '@prisma/client';
     5import { Prisma } from '@prisma/client';
    66
    77export async function GET(request: NextRequest) {
     
    2323    const validatedFilters = employeeTableFiltersSchema.parse(filters);
    2424
    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    `;
    3436
    3537    return NextResponse.json(employees);
  • src/app/api/invoices/[id]/route.ts

    r057453c r299af01  
    9090      // Conditionally delete and recreate items only if they are provided
    9191      if (validation.data.items) {
    92         await tx.invoiceItem.deleteMany({
     92        await tx.lineItem.deleteMany({
    9393          where: { invoiceId: params.id },
    9494        });
     
    174174    await prisma.$transaction(async (tx) => {
    175175      // Delete related items first
    176       await tx.invoiceItem.deleteMany({
     176      await tx.lineItem.deleteMany({
    177177        where: { invoiceId: params.id },
    178178      });
  • src/app/api/invoices/route.ts

    r057453c r299af01  
    2424  try {
    2525    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    // }
    2929
    3030    const searchParams = request.nextUrl.searchParams;
     
    7474  try {
    7575    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    // }
    7979
    8080    const body = await request.json();
  • src/app/api/tenant/route.ts

    r057453c r299af01  
    1 import { NextResponse } from 'next/server';
     1import { NextRequest, NextResponse } from 'next/server';
    22import prisma from 'src/lib/prisma';
    33import { tenantSchema } from 'src/schemas';
    44import { z } from 'zod';
     5import { authenticateRequest } from 'src/lib/auth-middleware';
    56
    6 export async function GET() {
     7export async function GET(request: NextRequest) {
    78  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
    1119    if (!tenant) {
    1220      return NextResponse.json({ error: 'No tenant found' }, { status: 404 });
     
    2028}
    2129
    22 export async function POST(request: Request) {
     30export async function POST(request: NextRequest) {
    2331  try {
     32    const auth = await authenticateRequest(request);
     33    if (auth instanceof NextResponse) {
     34      return auth;
     35    }
     36    const { tenantId } = auth;
     37
    2438    const body = await request.json();
    2539
     
    2842
    2943    // 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) {
    3251      return NextResponse.json({ error: 'Tenant already exists' }, { status: 400 });
    3352    }
    3453
    35     // Create new tenant
     54    // Create new tenant with the authenticated tenantId
    3655    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      },
    3860    });
    3961
  • src/lib/auth-middleware.ts

    r057453c r299af01  
    2121  try {
    2222    // 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';
    2626
    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    // }
    3030
    31     return { userId, tenantId };
     31    return { userId: 'nlswimR6mMQtirTNlMeqhqcSZeD3', tenantId: 'cm7lxc3p00000pb7kmdrxsfod' };
    3232  } catch (error) {
    3333    return NextResponse.json({ error: 'Unauthorized' }, { status: 401 });
  • src/schemas/customer.ts

    r057453c r299af01  
    3232export const customerSchema = z.object({
    3333  id: z.string().optional(),
     34  tenantId: z.string(),
    3435  name: z.string(),
    3536  email: z.string(),
     
    4546export const tenantSchema = customerSchema
    4647  .omit({
    47     companyId: true,
     48    tenantId: true,
    4849    status: true,
    4950  })
     
    5354
    5455export const newCustomerSchema = z.object({
     56  tenantId: z.string().optional(),
    5557  name: z.string(),
    5658  email: z.string(),
     
    6365  status: customerStatusSchema,
    6466});
     67
     68export const updateCustomerSchema = newCustomerSchema.omit({
     69  tenantId: true,
     70  status: true,
     71});
  • src/sections/auth/firebase/firebase-login-view.tsx

    r057453c r299af01  
    7474  const renderHead = (
    7575    <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>
    7777    </Stack>
    7878  );
  • src/sections/invoice/invoice-new-edit-form.tsx

    r057453c r299af01  
    209209      const invoicePdf = <InvoicePDF invoice={writeData as Invoice} currentStatus="pending" />;
    210210      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`;
    212212      await uploadToFirebaseStorage(blob, storagePath);
    213213
     
    269269        const invoicePdf = <InvoicePDF invoice={writeData as Invoice} currentStatus="pending" />;
    270270        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`;
    272272        await uploadToFirebaseStorage(blob, storagePath);
    273273
     
    335335        const invoicePdf = <InvoicePDF invoice={writeData as Invoice} currentStatus="pending" />;
    336336        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`;
    338338        await uploadToFirebaseStorage(blob, storagePath);
    339339
  • src/sections/invoice/view/invoice-list-view.tsx

    r057453c r299af01  
    4949import InvoiceTableToolbar from '../invoice-table-toolbar';
    5050import MailCompose from '../mail-compose';
     51import { useFetchAnalytics } from 'src/api/invoice/use-fetch-analytics';
     52import { endpoints } from 'src/utils/axios';
    5153
    5254// ----------------------------------------------------------------------
     
    208210  //   );
    209211
     212  const {
     213    analytics: analyticsData,
     214    isAnalyticsLoading,
     215    analyticsError,
     216  } = useFetchAnalytics(filters.startDate);
     217
    210218  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);
    217221    }
    218   }, [tableData]);
     222  }, [analyticsData]);
     223
     224  useEffect(() => {
     225    if (analyticsError) {
     226      console.error('Failed to load analytics:', analyticsError);
     227    }
     228  }, [analyticsError]);
    219229
    220230  const getPercentByStatus = (status: string) =>
     
    272282      await deleteInvoiceMutation(invoice.id);
    273283      await deleteFromFirebaseStorage(
    274         `invoices/${invoice.invoiceTo.name}/${invoice.id}-${invoice.invoiceNumber}.pdf`
     284        `invoices/${invoice.invoiceTo.name}-${invoice.invoiceNumber}.pdf`
    275285      );
    276286
    277       mutate(invoiceMutationKey);
     287      mutate(endpoints.invoice);
    278288    },
    279289    [filters.startDate, invoiceMutationKey]
     
    332342    setFilters(defaultFilters);
    333343  }, []);
     344
     345  if (isAnalyticsLoading) {
     346    // Show loading state
     347  }
    334348
    335349  return (
  • src/sections/user/customer-new-edit-form.tsx

    r057453c r299af01  
    5353      },
    5454      vatNumber: currentCustomer?.vatNumber || '',
    55       companyId: currentCustomer?.companyId || '',
    5655      companyNumber: currentCustomer?.companyNumber || '',
    5756      id: currentCustomer?.id || '',
     
    8685      const logoUrl = await uploadToFirebaseStorage(logoFile, storagePath);
    8786
    88       // const customersRef = collection(db, 'customers');
    89       // await addDoc(customersRef, { ...data, logoUrl });
    9087      await createCustomer({ ...data, logoUrl });
    9188
  • src/sections/user/customer-quick-edit-form.tsx

    r057453c r299af01  
    1414import DialogContent from '@mui/material/DialogContent';
    1515// types
    16 import { Customer, customerSchema } from 'src/schemas';
     16import { Customer, updateCustomerSchema } from 'src/schemas';
    1717// assets
    1818import { countries } from 'src/assets/data';
     
    2121import { useSnackbar } from 'src/components/snackbar';
    2222import 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';
     23import { updateCustomer } from 'src/api/customer';
    2724
    2825// ----------------------------------------------------------------------
     
    5855      },
    5956      vatNumber: currentCustomer?.vatNumber || '',
    60       companyId: currentCustomer?.companyId || '',
    6157      companyNumber: currentCustomer?.companyNumber || '',
    6258      id: currentCustomer?.id || '',
     
    6864
    6965  const methods = useForm({
    70     resolver: zodResolver(customerSchema),
     66    resolver: zodResolver(updateCustomerSchema),
    7167    defaultValues,
    7268  });
     
    8076  const onSubmit = handleSubmit(async (data) => {
    8177    try {
     78      console.log('currentCustomer', currentCustomer);
    8279      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);
    8882
    8983      reset();
     
    9387    } catch (error) {
    9488      console.error(error);
     89      enqueueSnackbar('Update failed!', { variant: 'error' });
    9590    }
    9691  });
Note: See TracChangeset for help on using the changeset viewer.