Add uploadProofOfPayment and improve file validation
- Implemented uploadProofOfPayment function for per-bill proof of payment - Validates file size using MAX_PROOF_OF_PAYMENT_UPLOAD_SIZE_KB env variable - Validates PDF file type - Prevents duplicate uploads with existence check - Uses optimized database projection to minimize data transfer - Updates specific bill using MongoDB array filters - Refactored file validation in updateOrAddBill - Moved validation before serialization for fail-fast behavior - Added configurable file size limit from environment variable - Added PDF type validation - Improved error messages with specific validation failures - Updated serializeAttachment function - Changed return type from BillAttachment to FileAttachment - Added uploadedAt timestamp to attachment object - Removed unsafe type cast - Code formatting improvements throughout - Consistent spacing and indentation - Better TypeScript typing This completes the per-bill proof of payment feature implementation. 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
@@ -2,13 +2,14 @@
|
|||||||
|
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
import { getDbClient } from '../dbClient';
|
import { getDbClient } from '../dbClient';
|
||||||
import { Bill, BilledTo, BillAttachment, BillingLocation, YearMonth } from '../db-types';
|
import { Bill, BilledTo, FileAttachment, BillingLocation, YearMonth } from '../db-types';
|
||||||
import { ObjectId } from 'mongodb';
|
import { ObjectId } from 'mongodb';
|
||||||
import { withUser } from '@/app/lib/auth';
|
import { withUser } from '@/app/lib/auth';
|
||||||
import { AuthenticatedUser } from '../types/next-auth';
|
import { AuthenticatedUser } from '../types/next-auth';
|
||||||
import { gotoHome, gotoHomeWithMessage } from './navigationActions';
|
import { gotoHome, gotoHomeWithMessage } from './navigationActions';
|
||||||
import { getTranslations, getLocale } from "next-intl/server";
|
import { getTranslations, getLocale } from "next-intl/server";
|
||||||
import { IntlTemplateFn } from '@/app/i18n';
|
import { IntlTemplateFn } from '@/app/i18n';
|
||||||
|
import { unstable_noStore } from 'next/cache';
|
||||||
|
|
||||||
export type State = {
|
export type State = {
|
||||||
errors?: {
|
errors?: {
|
||||||
@@ -17,21 +18,21 @@ export type State = {
|
|||||||
billNotes?: string[],
|
billNotes?: string[],
|
||||||
payedAmount?: string[],
|
payedAmount?: string[],
|
||||||
};
|
};
|
||||||
message?:string | null;
|
message?: string | null;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Schema for validating bill form fields
|
* Schema for validating bill form fields
|
||||||
* @description this is defined as factory function so that it can be used with the next-intl library
|
* @description this is defined as factory function so that it can be used with the next-intl library
|
||||||
*/
|
*/
|
||||||
const FormSchema = (t:IntlTemplateFn) => z.object({
|
const FormSchema = (t: IntlTemplateFn) => z.object({
|
||||||
_id: z.string(),
|
_id: z.string(),
|
||||||
billName: z.coerce.string().min(1, t("bill-name-required")),
|
billName: z.coerce.string().min(1, t("bill-name-required")),
|
||||||
billNotes: z.string(),
|
billNotes: z.string(),
|
||||||
addToSubsequentMonths: z.boolean().optional(),
|
addToSubsequentMonths: z.boolean().optional(),
|
||||||
payedAmount: z.string().nullable().transform((val, ctx) => {
|
payedAmount: z.string().nullable().transform((val, ctx) => {
|
||||||
|
|
||||||
if(!val || val === '') {
|
if (!val || val === '') {
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -65,15 +66,15 @@ const FormSchema = (t:IntlTemplateFn) => z.object({
|
|||||||
|
|
||||||
return Math.floor(parsed * 100); // value is stored in cents
|
return Math.floor(parsed * 100); // value is stored in cents
|
||||||
|
|
||||||
}),
|
}),
|
||||||
});
|
});
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* converts the file to a format stored in the database
|
* converts the file to a format stored in the database
|
||||||
* @param billAttachment
|
* @param billAttachment
|
||||||
* @returns
|
* @returns
|
||||||
*/
|
*/
|
||||||
const serializeAttachment = async (billAttachment: File | null) => {
|
const serializeAttachment = async (billAttachment: File | null): Promise<FileAttachment | null> => {
|
||||||
|
|
||||||
if (!billAttachment) {
|
if (!billAttachment) {
|
||||||
return null;
|
return null;
|
||||||
@@ -86,7 +87,7 @@ const serializeAttachment = async (billAttachment: File | null) => {
|
|||||||
lastModified: fileLastModified,
|
lastModified: fileLastModified,
|
||||||
} = billAttachment;
|
} = billAttachment;
|
||||||
|
|
||||||
if(!fileName || fileName === 'undefined' || fileSize === 0) {
|
if (!fileName || fileName === 'undefined' || fileSize === 0) {
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -95,13 +96,14 @@ const serializeAttachment = async (billAttachment: File | null) => {
|
|||||||
const fileContentsBase64 = Buffer.from(fileContents).toString('base64');
|
const fileContentsBase64 = Buffer.from(fileContents).toString('base64');
|
||||||
|
|
||||||
// create an object to store the file in the database
|
// create an object to store the file in the database
|
||||||
return({
|
return ({
|
||||||
fileName,
|
fileName,
|
||||||
fileSize,
|
fileSize,
|
||||||
fileType,
|
fileType,
|
||||||
fileLastModified,
|
fileLastModified,
|
||||||
fileContentsBase64,
|
fileContentsBase64,
|
||||||
} as BillAttachment);
|
uploadedAt: new Date()
|
||||||
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@@ -112,7 +114,7 @@ const serializeAttachment = async (billAttachment: File | null) => {
|
|||||||
* @param formData form data
|
* @param formData form data
|
||||||
* @returns
|
* @returns
|
||||||
*/
|
*/
|
||||||
export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationId: string, billId:string|undefined, billYear:number|undefined, billMonth:number|undefined, prevState:State, formData: FormData) => {
|
export const updateOrAddBill = withUser(async (user: AuthenticatedUser, locationId: string, billId: string | undefined, billYear: number | undefined, billMonth: number | undefined, prevState: State, formData: FormData) => {
|
||||||
|
|
||||||
const { id: userId } = user;
|
const { id: userId } = user;
|
||||||
|
|
||||||
@@ -129,9 +131,9 @@ export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationI
|
|||||||
});
|
});
|
||||||
|
|
||||||
// If form validation fails, return errors early. Otherwise, continue...
|
// If form validation fails, return errors early. Otherwise, continue...
|
||||||
if(!validatedFields.success) {
|
if (!validatedFields.success) {
|
||||||
console.log("updateBill.validation-error");
|
console.log("updateBill.validation-error");
|
||||||
return({
|
return ({
|
||||||
errors: validatedFields.error.flatten().fieldErrors,
|
errors: validatedFields.error.flatten().fieldErrors,
|
||||||
message: t("form-error-message"),
|
message: t("form-error-message"),
|
||||||
});
|
});
|
||||||
@@ -151,9 +153,25 @@ export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationI
|
|||||||
// update the bill in the mongodb
|
// update the bill in the mongodb
|
||||||
const dbClient = await getDbClient();
|
const dbClient = await getDbClient();
|
||||||
|
|
||||||
const billAttachment = await serializeAttachment(formData.get('billAttachment') as File);
|
// First validate that the file is acceptable
|
||||||
|
const attachmentFile = formData.get('billAttachment') as File;
|
||||||
|
|
||||||
if(billId) {
|
// validate max file size from env variable
|
||||||
|
const maxFileSizeKB = parseInt(process.env.MAX_PROOF_OF_PAYMENT_UPLOAD_SIZE_KB || '1024', 10);
|
||||||
|
const maxFileSizeBytes = maxFileSizeKB * 1024;
|
||||||
|
|
||||||
|
if (attachmentFile && attachmentFile.size > maxFileSizeBytes) {
|
||||||
|
return { success: false, error: `File size exceeds the maximum limit of ${maxFileSizeKB} KB` };
|
||||||
|
}
|
||||||
|
|
||||||
|
// Validate file type
|
||||||
|
if (attachmentFile && attachmentFile.type !== 'application/pdf') {
|
||||||
|
return { success: false, error: 'Only PDF files are accepted' };
|
||||||
|
}
|
||||||
|
|
||||||
|
const billAttachment = await serializeAttachment(attachmentFile);
|
||||||
|
|
||||||
|
if (billId) {
|
||||||
|
|
||||||
// if there is an attachment, update the attachment field
|
// if there is an attachment, update the attachment field
|
||||||
// otherwise, do not update the attachment field
|
// otherwise, do not update the attachment field
|
||||||
@@ -166,7 +184,7 @@ export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationI
|
|||||||
"bills.$[elem].payedAmount": payedAmount,
|
"bills.$[elem].payedAmount": payedAmount,
|
||||||
"bills.$[elem].hub3aText": hub3aText,
|
"bills.$[elem].hub3aText": hub3aText,
|
||||||
|
|
||||||
}: {
|
} : {
|
||||||
"bills.$[elem].name": billName,
|
"bills.$[elem].name": billName,
|
||||||
"bills.$[elem].paid": billPaid,
|
"bills.$[elem].paid": billPaid,
|
||||||
"bills.$[elem].billedTo": billedTo,
|
"bills.$[elem].billedTo": billedTo,
|
||||||
@@ -175,8 +193,8 @@ export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationI
|
|||||||
"bills.$[elem].hub3aText": hub3aText,
|
"bills.$[elem].hub3aText": hub3aText,
|
||||||
};
|
};
|
||||||
|
|
||||||
// find a location with the given locationID
|
// update bill in given location with the given locationID
|
||||||
const post = await dbClient.collection<BillingLocation>("lokacije").updateOne(
|
await dbClient.collection<BillingLocation>("lokacije").updateOne(
|
||||||
{
|
{
|
||||||
_id: locationId, // find a location with the given locationID
|
_id: locationId, // find a location with the given locationID
|
||||||
userId // make sure that the location belongs to the user
|
userId // make sure that the location belongs to the user
|
||||||
@@ -184,10 +202,10 @@ export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationI
|
|||||||
{
|
{
|
||||||
$set: mongoDbSet
|
$set: mongoDbSet
|
||||||
}, {
|
}, {
|
||||||
arrayFilters: [
|
arrayFilters: [
|
||||||
{ "elem._id": { $eq: billId } } // find a bill with the given billID
|
{ "elem._id": { $eq: billId } } // find a bill with the given billID
|
||||||
]
|
]
|
||||||
});
|
});
|
||||||
} else {
|
} else {
|
||||||
// Create new bill - add to current location first
|
// Create new bill - add to current location first
|
||||||
const newBill = {
|
const newBill = {
|
||||||
@@ -278,7 +296,7 @@ export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationI
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
if(billYear && billMonth) {
|
if (billYear && billMonth) {
|
||||||
const locale = await getLocale();
|
const locale = await getLocale();
|
||||||
await gotoHomeWithMessage(locale, 'billSaved', { year: billYear, month: billMonth });
|
await gotoHomeWithMessage(locale, 'billSaved', { year: billYear, month: billMonth });
|
||||||
}
|
}
|
||||||
@@ -331,7 +349,7 @@ export const fetchBillByUserAndId = withUser(async (user:AuthenticatedUser, loca
|
|||||||
})
|
})
|
||||||
*/
|
*/
|
||||||
|
|
||||||
export const fetchBillById = async (locationID:string, billID:string, includeAttachmentBinary:boolean = false) => {
|
export const fetchBillById = async (locationID: string, billID: string, includeAttachmentBinary: boolean = false) => {
|
||||||
|
|
||||||
|
|
||||||
const dbClient = await getDbClient();
|
const dbClient = await getDbClient();
|
||||||
@@ -351,23 +369,23 @@ export const fetchBillById = async (locationID:string, billID:string, includeAtt
|
|||||||
projection
|
projection
|
||||||
})
|
})
|
||||||
|
|
||||||
if(!billLocation) {
|
if (!billLocation) {
|
||||||
console.log(`Location ${locationID} not found`);
|
console.log(`Location ${locationID} not found`);
|
||||||
return(null);
|
return (null);
|
||||||
}
|
}
|
||||||
|
|
||||||
// find a bill with the given billID
|
// find a bill with the given billID
|
||||||
const bill = billLocation?.bills.find(({ _id }) => _id.toString() === billID);
|
const bill = billLocation?.bills.find(({ _id }) => _id.toString() === billID);
|
||||||
|
|
||||||
if(!bill) {
|
if (!bill) {
|
||||||
console.log('Bill not found');
|
console.log('Bill not found');
|
||||||
return(null);
|
return (null);
|
||||||
}
|
}
|
||||||
|
|
||||||
return([billLocation, bill] as [BillingLocation, Bill]);
|
return ([billLocation, bill] as [BillingLocation, Bill]);
|
||||||
};
|
};
|
||||||
|
|
||||||
export const deleteBillById = withUser(async (user:AuthenticatedUser, locationID:string, billID:string, year:number, month:number, _prevState:any, formData?: FormData) => {
|
export const deleteBillById = withUser(async (user: AuthenticatedUser, locationID: string, billID: string, year: number, month: number, _prevState: any, formData?: FormData) => {
|
||||||
|
|
||||||
const { id: userId } = user;
|
const { id: userId } = user;
|
||||||
|
|
||||||
@@ -462,3 +480,94 @@ export const deleteBillById = withUser(async (user:AuthenticatedUser, locationID
|
|||||||
errors: undefined,
|
errors: undefined,
|
||||||
};
|
};
|
||||||
});
|
});
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Uploads proof of payment for the given bill
|
||||||
|
* @param locationID - The ID of the location
|
||||||
|
* @param formData - FormData containing the file
|
||||||
|
* @returns Promise with success status
|
||||||
|
*/
|
||||||
|
export const uploadProofOfPayment = async (locationID: string, billID: string, formData: FormData): Promise<{ success: boolean; error?: string }> => {
|
||||||
|
unstable_noStore();
|
||||||
|
|
||||||
|
try {
|
||||||
|
// First validate that the file is acceptable
|
||||||
|
const file = formData.get('utilBillsProofOfPayment') as File;
|
||||||
|
|
||||||
|
// validate max file size from env variable
|
||||||
|
const maxFileSizeKB = parseInt(process.env.MAX_PROOF_OF_PAYMENT_UPLOAD_SIZE_KB || '1024', 10);
|
||||||
|
const maxFileSizeBytes = maxFileSizeKB * 1024;
|
||||||
|
|
||||||
|
if (file && file.size > maxFileSizeBytes) {
|
||||||
|
return { success: false, error: `File size exceeds the maximum limit of ${maxFileSizeKB} KB` };
|
||||||
|
}
|
||||||
|
|
||||||
|
// Validate file type
|
||||||
|
if (file && file.type !== 'application/pdf') {
|
||||||
|
return { success: false, error: 'Only PDF files are accepted' };
|
||||||
|
}
|
||||||
|
|
||||||
|
// update the bill in the mongodb
|
||||||
|
const dbClient = await getDbClient();
|
||||||
|
|
||||||
|
const projection = {
|
||||||
|
"bills.attachment": 0,
|
||||||
|
// don't include the attachment - save the bandwidth it's not needed here
|
||||||
|
"bills.proofOfPayment.uploadedAt": 1,
|
||||||
|
// ommit only the file contents - we need to know if a file was already uploaded
|
||||||
|
"bills.proofOfPayment.fileContentsBase64": 0,
|
||||||
|
};
|
||||||
|
|
||||||
|
// Checking if proof of payment already exists
|
||||||
|
|
||||||
|
// find a location with the given locationID
|
||||||
|
const billLocation = await dbClient.collection<BillingLocation>("lokacije").findOne(
|
||||||
|
{
|
||||||
|
_id: locationID,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
projection
|
||||||
|
})
|
||||||
|
|
||||||
|
if (!billLocation) {
|
||||||
|
console.log(`Location ${locationID} not found - Proof of payment upload failed`);
|
||||||
|
return { success: false, error: "Location not found - Proof of payment upload failed" };
|
||||||
|
}
|
||||||
|
|
||||||
|
// find a bill with the given billID
|
||||||
|
const bill = billLocation?.bills.find(({ _id }) => _id.toString() === billID);
|
||||||
|
|
||||||
|
|
||||||
|
if (bill?.proofOfPayment?.uploadedAt) {
|
||||||
|
return { success: false, error: 'Proof payment already uploaded for this bill' };
|
||||||
|
}
|
||||||
|
|
||||||
|
const attachment = await serializeAttachment(file);
|
||||||
|
|
||||||
|
if (!attachment) {
|
||||||
|
return { success: false, error: 'Invalid file' };
|
||||||
|
}
|
||||||
|
|
||||||
|
// Add proof of payment to the bill
|
||||||
|
await dbClient.collection<BillingLocation>("lokacije").updateOne(
|
||||||
|
{
|
||||||
|
_id: locationID // find a location with the given locationID
|
||||||
|
},
|
||||||
|
{
|
||||||
|
$set: {
|
||||||
|
"bills.$[elem].proofOfPayment": {
|
||||||
|
...attachment
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}, {
|
||||||
|
arrayFilters: [
|
||||||
|
{ "elem._id": { $eq: billID } } // find a bill with the given billID
|
||||||
|
]
|
||||||
|
});
|
||||||
|
|
||||||
|
return { success: true };
|
||||||
|
} catch (error: any) {
|
||||||
|
console.error('Error uploading proof of payment for a bill:', error);
|
||||||
|
return { success: false, error: error.message || 'Upload failed' };
|
||||||
|
}
|
||||||
|
}
|
||||||
Reference in New Issue
Block a user