Bläddra i källkod

Add delete on time amendment and more validation

tags/Baseline_30082024_FRONTEND_UAT
Wayne 1 år sedan
förälder
incheckning
91e7e1d854
11 ändrade filer med 278 tillägg och 96 borttagningar
  1. +28
    -0
      src/app/api/timesheets/actions.ts
  2. +63
    -49
      src/app/api/timesheets/utils.ts
  3. +6
    -2
      src/components/LeaveModal/LeaveModal.tsx
  4. +30
    -12
      src/components/LeaveTable/LeaveEditModal.tsx
  5. +42
    -14
      src/components/LeaveTable/LeaveEntryTable.tsx
  6. +3
    -2
      src/components/LeaveTable/MobileLeaveEntry.tsx
  7. +79
    -6
      src/components/TimesheetAmendment/TimesheetAmendment.tsx
  8. +7
    -3
      src/components/TimesheetTable/EntryInputTable.tsx
  9. +1
    -1
      src/components/TimesheetTable/FastTimeEntryModal.tsx
  10. +2
    -2
      src/components/TimesheetTable/MobileTimesheetEntry.tsx
  11. +17
    -5
      src/components/TimesheetTable/TimesheetEditModal.tsx

+ 28
- 0
src/app/api/timesheets/actions.ts Visa fil

@@ -94,6 +94,34 @@ export const saveMemberLeave = async (data: {
);
};

export const deleteMemberEntry = async (data: {
staffId: number;
entryId: number;
}) => {
return serverFetchJson<RecordTimesheetInput>(
`${BASE_API_URL}/timesheets/deleteMemberEntry`,
{
method: "POST",
body: JSON.stringify(data),
headers: { "Content-Type": "application/json" },
},
);
};

export const deleteMemberLeave = async (data: {
staffId: number;
entryId: number;
}) => {
return serverFetchJson<RecordLeaveInput>(
`${BASE_API_URL}/timesheets/deleteMemberLeave`,
{
method: "POST",
body: JSON.stringify(data),
headers: { "Content-Type": "application/json" },
},
);
};

export const revalidateCacheAfterAmendment = () => {
revalidatePath("/(main)/home");
};

+ 63
- 49
src/app/api/timesheets/utils.ts Visa fil

@@ -28,7 +28,7 @@ export const validateTimeEntry = (
if (!entry.inputHours && !entry.otHours) {
error[isHoliday ? "otHours" : "inputHours"] = "Required";
} else if (entry.inputHours && isHoliday) {
error.inputHours = "Cannot input normal hours for holidays";
error.inputHours = "Cannot input normal hours on holidays";
} else if (entry.inputHours && entry.inputHours <= 0) {
error.inputHours =
"Input hours should be between 0 and {{DAILY_NORMAL_MAX_HOURS}}";
@@ -55,16 +55,31 @@ export const validateTimeEntry = (
return Object.keys(error).length > 0 ? error : undefined;
};

export const isValidLeaveEntry = (entry: Partial<LeaveEntry>): string => {
export type LeaveEntryError = {
[field in keyof LeaveEntry]?: string;
};

export const validateLeaveEntry = (
entry: Partial<LeaveEntry>,
isHoliday: boolean,
): LeaveEntryError | undefined => {
// Test for errrors
let error: keyof LeaveEntry | "" = "";
const error: LeaveEntryError = {};
if (!entry.leaveTypeId) {
error = "leaveTypeId";
} else if (!entry.inputHours || !(entry.inputHours >= 0)) {
error = "inputHours";
error.leaveTypeId = "Required";
} else if (entry.inputHours && isHoliday) {
error.inputHours = "Cannot input normal hours on holidays";
} else if (!entry.inputHours) {
error.inputHours = "Required";
} else if (
entry.inputHours &&
(entry.inputHours <= 0 || entry.inputHours > DAILY_NORMAL_MAX_HOURS)
) {
error.inputHours =
"Input hours should be between 0 and {{DAILY_NORMAL_MAX_HOURS}}";
}

return error;
return Object.keys(error).length > 0 ? error : undefined;
};

export const validateTimesheet = (
@@ -95,27 +110,10 @@ export const validateTimesheet = (
}

// Check total hours
const leaves = leaveRecords[date];
const leaveHours =
leaves?.reduce((acc, entry) => acc + entry.inputHours, 0) || 0;

const totalInputHours = timeEntries.reduce((acc, entry) => {
return acc + (entry.inputHours || 0);
}, 0);

const totalOtHours = timeEntries.reduce((acc, entry) => {
return acc + (entry.otHours || 0);
}, 0);

if (totalInputHours + leaveHours > DAILY_NORMAL_MAX_HOURS) {
errors[date] =
"The daily normal hours (timesheet hours + leave hours) cannot be more than {{DAILY_NORMAL_MAX_HOURS}}. Please use other hours for exceeding hours or decrease the leave hours.";
} else if (
totalInputHours + totalOtHours + leaveHours >
TIMESHEET_DAILY_MAX_HOURS
) {
errors[date] =
"The daily total hours cannot be more than {{TIMESHEET_DAILY_MAX_HOURS}}";
const leaves = leaveRecords[date] || [];
const totalHourError = checkTotalHours(timeEntries, leaves);
if (totalHourError) {
errors[date] = totalHourError;
}
});

@@ -125,48 +123,64 @@ export const validateTimesheet = (
export const validateLeaveRecord = (
leaveRecords: RecordLeaveInput,
timesheet: RecordTimesheetInput,
companyHolidays: HolidaysResult[],
): { [date: string]: string } | undefined => {
const errors: { [date: string]: string } = {};

const holidays = new Set(
compact([
...getPublicHolidaysForNYears(2).map((h) => h.date),
...companyHolidays.map((h) => convertDateArrayToString(h.date)),
]),
);

Object.keys(leaveRecords).forEach((date) => {
const leaves = leaveRecords[date];

// Check each leave entry
for (const entry of leaves) {
const entryError = isValidLeaveEntry(entry);
const entryError = validateLeaveEntry(entry, holidays.has(date));
if (entryError) {
errors[date] = "There are errors in the entries";
return;
}
}

// Check total hours
const timeEntries = timesheet[date] || [];

const leaveHours = leaves.reduce((acc, entry) => acc + entry.inputHours, 0);

const totalInputHours = timeEntries.reduce((acc, entry) => {
return acc + (entry.inputHours || 0);
}, 0);

const totalOtHours = timeEntries.reduce((acc, entry) => {
return acc + (entry.otHours || 0);
}, 0);

if (totalInputHours + leaveHours > DAILY_NORMAL_MAX_HOURS) {
errors[date] =
"The daily normal hours (timesheet hours + leave hours) cannot be more than {{DAILY_NORMAL_MAX_HOURS}}. Please use other hours for exceeding hours or decrease the leave hours.";
} else if (
totalInputHours + totalOtHours + leaveHours >
TIMESHEET_DAILY_MAX_HOURS
) {
errors[date] =
"The daily total hours cannot be more than {{TIMESHEET_DAILY_MAX_HOURS}}";
const totalHourError = checkTotalHours(timeEntries, leaves);
if (totalHourError) {
errors[date] = totalHourError;
}
});

return Object.keys(errors).length > 0 ? errors : undefined;
};

export const checkTotalHours = (
timeEntries: TimeEntry[],
leaves: LeaveEntry[],
): string | undefined => {
const leaveHours = leaves.reduce((acc, entry) => acc + entry.inputHours, 0);

const totalInputHours = timeEntries.reduce((acc, entry) => {
return acc + (entry.inputHours || 0);
}, 0);

const totalOtHours = timeEntries.reduce((acc, entry) => {
return acc + (entry.otHours || 0);
}, 0);

if (totalInputHours + leaveHours > DAILY_NORMAL_MAX_HOURS) {
return "The daily normal hours (timesheet hours + leave hours) cannot be more than {{DAILY_NORMAL_MAX_HOURS}}. Please use other hours for exceeding hours or decrease the leave hours.";
} else if (
totalInputHours + totalOtHours + leaveHours >
TIMESHEET_DAILY_MAX_HOURS
) {
return "The daily total hours cannot be more than {{TIMESHEET_DAILY_MAX_HOURS}}";
}
};

export const DAILY_NORMAL_MAX_HOURS = 8;
export const LEAVE_DAILY_MAX_HOURS = 8;
export const TIMESHEET_DAILY_MAX_HOURS = 20;

+ 6
- 2
src/components/LeaveModal/LeaveModal.tsx Visa fil

@@ -81,7 +81,11 @@ const LeaveModal: React.FC<Props> = ({

const onSubmit = useCallback<SubmitHandler<RecordLeaveInput>>(
async (data) => {
const errors = validateLeaveRecord(data, timesheetRecords);
const errors = validateLeaveRecord(
data,
timesheetRecords,
companyHolidays,
);
if (errors) {
Object.keys(errors).forEach((date) =>
formProps.setError(date, {
@@ -106,7 +110,7 @@ const LeaveModal: React.FC<Props> = ({
formProps.reset(newFormValues);
onClose();
},
[formProps, onClose, timesheetRecords, username],
[companyHolidays, formProps, onClose, timesheetRecords, username],
);

const onCancel = useCallback(() => {


+ 30
- 12
src/components/LeaveTable/LeaveEditModal.tsx Visa fil

@@ -1,6 +1,6 @@
import { LeaveType } from "@/app/api/timesheets";
import { LeaveEntry } from "@/app/api/timesheets/actions";
import { LEAVE_DAILY_MAX_HOURS } from "@/app/api/timesheets/utils";
import { DAILY_NORMAL_MAX_HOURS } from "@/app/api/timesheets/utils";
import { shortDateFormatter } from "@/app/utils/formatUtil";
import { roundToNearestQuarter } from "@/app/utils/manhourUtils";
import { Check, Delete } from "@mui/icons-material";
@@ -24,7 +24,7 @@ import { useTranslation } from "react-i18next";

export interface Props extends Omit<ModalProps, "children"> {
onSave: (leaveEntry: LeaveEntry, recordDate?: string) => Promise<void>;
onDelete?: () => void;
onDelete?: () => Promise<void>;
leaveTypes: LeaveType[];
defaultValues?: Partial<LeaveEntry>;
modalSx?: SxProps;
@@ -59,7 +59,7 @@ const LeaveEditModal: React.FC<Props> = ({
t,
i18n: { language },
} = useTranslation("home");
const { register, control, reset, getValues, trigger, formState } =
const { register, control, reset, getValues, trigger, formState, setError } =
useForm<LeaveEntry>({
defaultValues: {
leaveTypeId: leaveTypes[0].id,
@@ -73,10 +73,16 @@ const LeaveEditModal: React.FC<Props> = ({
const saveHandler = useCallback(async () => {
const valid = await trigger();
if (valid) {
await onSave(getValues(), recordDate);
reset({ id: Date.now() });
try {
await onSave(getValues(), recordDate);
reset({ id: Date.now() });
} catch (e) {
setError("root", {
message: e instanceof Error ? e.message : "Unknown error",
});
}
}
}, [getValues, onSave, recordDate, reset, trigger]);
}, [getValues, onSave, recordDate, reset, setError, trigger]);

const closeHandler = useCallback<NonNullable<ModalProps["onClose"]>>(
(...args) => {
@@ -121,12 +127,19 @@ const LeaveEditModal: React.FC<Props> = ({
fullWidth
{...register("inputHours", {
setValueAs: (value) => roundToNearestQuarter(parseFloat(value)),
validate: (value) =>
(0 < value && value <= LEAVE_DAILY_MAX_HOURS) ||
t(
"Input hours should be between 0 and {{LEAVE_DAILY_MAX_HOURS}}",
{ LEAVE_DAILY_MAX_HOURS },
),
validate: (value) => {
if (isHoliday) {
return t("Cannot input normal hours on holidays");
}

return (
(0 < value && value <= DAILY_NORMAL_MAX_HOURS) ||
t(
"Input hours should be between 0 and {{DAILY_NORMAL_MAX_HOURS}}",
{ DAILY_NORMAL_MAX_HOURS },
)
);
},
})}
error={Boolean(formState.errors.inputHours)}
helperText={formState.errors.inputHours?.message}
@@ -138,6 +151,11 @@ const LeaveEditModal: React.FC<Props> = ({
rows={2}
{...register("remark")}
/>
{formState.errors.root?.message && (
<Typography variant="caption" color="error">
{t(formState.errors.root.message, { DAILY_NORMAL_MAX_HOURS })}
</Typography>
)}
<Box display="flex" justifyContent="flex-end" gap={1}>
{onDelete && (
<Button


+ 42
- 14
src/components/LeaveTable/LeaveEntryTable.tsx Visa fil

@@ -1,10 +1,14 @@
import { Add, Check, Close, Delete } from "@mui/icons-material";
import { Box, Button, Typography } from "@mui/material";
import { Box, Button, Tooltip, Typography } from "@mui/material";
import {
FooterPropsOverrides,
GridActionsCellItem,
GridCellParams,
GridColDef,
GridEditInputCell,
GridEditSingleSelectCell,
GridEventListener,
GridRenderEditCellParams,
GridRowId,
GridRowModel,
GridRowModes,
@@ -21,7 +25,11 @@ import { manhourFormatter } from "@/app/utils/formatUtil";
import dayjs from "dayjs";
import isBetween from "dayjs/plugin/isBetween";
import { LeaveType } from "@/app/api/timesheets";
import { isValidLeaveEntry } from "@/app/api/timesheets/utils";
import {
DAILY_NORMAL_MAX_HOURS,
LeaveEntryError,
validateLeaveEntry,
} from "@/app/api/timesheets/utils";
import { roundToNearestQuarter } from "@/app/utils/manhourUtils";

dayjs.extend(isBetween);
@@ -35,11 +43,11 @@ interface Props {
type LeaveEntryRow = Partial<
LeaveEntry & {
_isNew: boolean;
_error: string;
_error: LeaveEntryError;
}
>;

const EntryInputTable: React.FC<Props> = ({ day, leaveTypes }) => {
const EntryInputTable: React.FC<Props> = ({ day, leaveTypes, isHoliday }) => {
const { t } = useTranslation("home");

const { getValues, setValue, clearErrors } =
@@ -67,12 +75,12 @@ const EntryInputTable: React.FC<Props> = ({ day, leaveTypes }) => {
"",
) as LeaveEntryRow;

const error = isValidLeaveEntry(row);
const error = validateLeaveEntry(row, isHoliday);

apiRef.current.updateRows([{ id, _error: error }]);
return !error;
},
[apiRef],
[apiRef, isHoliday],
);

const handleCancel = useCallback(
@@ -163,6 +171,20 @@ const EntryInputTable: React.FC<Props> = ({ day, leaveTypes }) => {
width: 200,
editable: true,
type: "singleSelect",
renderEditCell(params: GridRenderEditCellParams<LeaveEntryRow>) {
const errorMessage =
params.row._error?.[params.field as keyof LeaveEntry];
const content = (
<GridEditSingleSelectCell variant="outlined" {...params} />
);
return errorMessage ? (
<Tooltip title={t(errorMessage)} placement="top">
<Box width="100%">{content}</Box>
</Tooltip>
) : (
content
);
},
valueOptions() {
return leaveTypes.map((p) => ({ value: p.id, label: p.name }));
},
@@ -176,6 +198,18 @@ const EntryInputTable: React.FC<Props> = ({ day, leaveTypes }) => {
width: 150,
editable: true,
type: "number",
renderEditCell(params: GridRenderEditCellParams<LeaveEntryRow>) {
const errorMessage =
params.row._error?.[params.field as keyof LeaveEntry];
const content = <GridEditInputCell {...params} />;
return errorMessage ? (
<Tooltip title={t(errorMessage, { DAILY_NORMAL_MAX_HOURS })}>
<Box width="100%">{content}</Box>
</Tooltip>
) : (
content
);
},
valueParser(value) {
return value ? roundToNearestQuarter(value) : value;
},
@@ -248,16 +282,10 @@ const EntryInputTable: React.FC<Props> = ({ day, leaveTypes }) => {
onRowEditStop={handleEditStop}
processRowUpdate={processRowUpdate}
columns={columns}
getCellClassName={(params) => {
getCellClassName={(params: GridCellParams<LeaveEntryRow>) => {
let classname = "";
if (params.row._error === params.field) {
if (params.row._error?.[params.field as keyof LeaveEntry]) {
classname = "hasError";
} else if (
params.field === "taskGroupId" &&
params.row.isPlanned !== undefined &&
!params.row.isPlanned
) {
classname = "hasWarning";
}
return classname;
}}


+ 3
- 2
src/components/LeaveTable/MobileLeaveEntry.tsx Visa fil

@@ -50,9 +50,9 @@ const MobileLeaveEntry: React.FC<Props> = ({
const openEditModal = useCallback(
(defaultValues?: LeaveEntry) => () => {
setEditModalProps({
defaultValues,
defaultValues: defaultValues ? { ...defaultValues } : undefined,
onDelete: defaultValues
? () => {
? async () => {
setValue(
date,
currentEntries.filter((entry) => entry.id !== defaultValues.id),
@@ -139,6 +139,7 @@ const MobileLeaveEntry: React.FC<Props> = ({
open={editModalOpen}
onClose={closeEditModal}
onSave={onSaveEntry}
isHoliday={Boolean(isHoliday)}
{...editModalProps}
/>
</Box>


+ 79
- 6
src/components/TimesheetAmendment/TimesheetAmendment.tsx Visa fil

@@ -20,6 +20,8 @@ import { ProjectWithTasks } from "@/app/api/projects";
import {
LeaveEntry,
TimeEntry,
deleteMemberEntry,
deleteMemberLeave,
saveMemberEntry,
saveMemberLeave,
} from "@/app/api/timesheets/actions";
@@ -29,6 +31,8 @@ import TimesheetEditModal, {
import { Props as LeaveEditModalProps } from "../LeaveTable/LeaveEditModal";
import LeaveEditModal from "../LeaveTable/LeaveEditModal";
import dayjs from "dayjs";
import { checkTotalHours } from "@/app/api/timesheets/utils";
import unionBy from "lodash/unionBy";

export interface Props {
leaveTypes: LeaveType[];
@@ -119,13 +123,30 @@ const TimesheetAmendment: React.FC<Props> = ({
const openEditModal = useCallback(
(defaultValues?: TimeEntry, recordDate?: string, isHoliday?: boolean) => {
setEditModalProps({
defaultValues,
defaultValues: defaultValues ? { ...defaultValues } : undefined,
recordDate,
isHoliday,
onDelete: defaultValues
? async () => {
const intStaffId = parseInt(selectedStaff.id);
const newMemberTimesheets = await deleteMemberEntry({
staffId: intStaffId,
entryId: defaultValues.id,
});
setLocalTeamTimesheets((timesheets) => ({
...timesheets,
[intStaffId]: {
...timesheets[intStaffId],
timeEntries: newMemberTimesheets,
},
}));
setEditModalOpen(false);
}
: undefined,
});
setEditModalOpen(true);
},
[],
[selectedStaff.id],
);

const closeEditModal = useCallback(() => {
@@ -141,13 +162,30 @@ const TimesheetAmendment: React.FC<Props> = ({
const openLeaveEditModal = useCallback(
(defaultValues?: LeaveEntry, recordDate?: string, isHoliday?: boolean) => {
setLeaveEditModalProps({
defaultValues,
defaultValues: defaultValues ? { ...defaultValues } : undefined,
recordDate,
isHoliday,
onDelete: defaultValues
? async () => {
const intStaffId = parseInt(selectedStaff.id);
const newMemberLeaves = await deleteMemberLeave({
staffId: intStaffId,
entryId: defaultValues.id,
});
setLocalTeamLeaves((leaves) => ({
...leaves,
[intStaffId]: {
...leaves[intStaffId],
leaveEntries: newMemberLeaves,
},
}));
setLeaveEditModalOpen(false);
}
: undefined,
});
setLeaveEditModalOpen(true);
},
[],
[selectedStaff.id],
);

const closeLeaveEditModal = useCallback(() => {
@@ -260,10 +298,44 @@ const TimesheetAmendment: React.FC<Props> = ({
[companyHolidays, openEditModal],
);

const checkTotalHoursForDate = useCallback(
(newEntry: TimeEntry | LeaveEntry, date?: string) => {
if (!date) {
throw Error("Invalid date");
}
const intStaffId = parseInt(selectedStaff.id);
const leaves = localTeamLeaves[intStaffId].leaveEntries[date] || [];
const timesheets =
localTeamTimesheets[intStaffId].timeEntries[date] || [];

let totalHourError;
if ((newEntry as LeaveEntry).leaveTypeId) {
// newEntry is a leave entry
const leavesWithNewEntry = unionBy(
[newEntry as LeaveEntry],
leaves,
"id",
);
totalHourError = checkTotalHours(timesheets, leavesWithNewEntry);
} else {
// newEntry is a timesheet entry
const timesheetsWithNewEntry = unionBy(
[newEntry as TimeEntry],
timesheets,
"id",
);
totalHourError = checkTotalHours(timesheetsWithNewEntry, leaves);
}
if (totalHourError) throw Error(totalHourError);
},
[localTeamLeaves, localTeamTimesheets, selectedStaff.id],
);

const handleSave = useCallback(
async (timeEntry: TimeEntry, recordDate?: string) => {
// TODO: should be fine, but can handle parse error
const intStaffId = parseInt(selectedStaff.id);
checkTotalHoursForDate(timeEntry, recordDate);
const newMemberTimesheets = await saveMemberEntry({
staffId: intStaffId,
entry: timeEntry,
@@ -278,12 +350,13 @@ const TimesheetAmendment: React.FC<Props> = ({
}));
setEditModalOpen(false);
},
[selectedStaff.id],
[checkTotalHoursForDate, selectedStaff.id],
);

const handleSaveLeave = useCallback(
async (leaveEntry: LeaveEntry, recordDate?: string) => {
const intStaffId = parseInt(selectedStaff.id);
checkTotalHoursForDate(leaveEntry, recordDate);
const newMemberLeaves = await saveMemberLeave({
staffId: intStaffId,
recordDate,
@@ -298,7 +371,7 @@ const TimesheetAmendment: React.FC<Props> = ({
}));
setLeaveEditModalOpen(false);
},
[selectedStaff.id],
[checkTotalHoursForDate, selectedStaff.id],
);

return (


+ 7
- 3
src/components/TimesheetTable/EntryInputTable.tsx Visa fil

@@ -328,7 +328,7 @@ const EntryInputTable: React.FC<Props> = ({
const content = <GridEditInputCell {...params} />;
return errorMessage ? (
<Tooltip title={t(errorMessage, { DAILY_NORMAL_MAX_HOURS })}>
{content}
<Box width="100%">{content}</Box>
</Tooltip>
) : (
content
@@ -352,7 +352,9 @@ const EntryInputTable: React.FC<Props> = ({
params.row._error?.[params.field as keyof TimeEntry];
const content = <GridEditInputCell {...params} />;
return errorMessage ? (
<Tooltip title={t(errorMessage)}>{content}</Tooltip>
<Tooltip title={t(errorMessage)}>
<Box width="100%">{content}</Box>
</Tooltip>
) : (
content
);
@@ -375,7 +377,9 @@ const EntryInputTable: React.FC<Props> = ({
params.row._error?.[params.field as keyof TimeEntry];
const content = <GridEditInputCell {...params} />;
return errorMessage ? (
<Tooltip title={t(errorMessage)}>{content}</Tooltip>
<Tooltip title={t(errorMessage)}>
<Box width="100%">{content}</Box>
</Tooltip>
) : (
content
);


+ 1
- 1
src/components/TimesheetTable/FastTimeEntryModal.tsx Visa fil

@@ -207,7 +207,7 @@ const FastTimeEntryModal: React.FC<Props> = ({
validate: (value) => {
if (value) {
if (isHoliday) {
return t("Cannot input normal hours for holidays");
return t("Cannot input normal hours on holidays");
}

return (


+ 2
- 2
src/components/TimesheetTable/MobileTimesheetEntry.tsx Visa fil

@@ -60,9 +60,9 @@ const MobileTimesheetEntry: React.FC<Props> = ({
const openEditModal = useCallback(
(defaultValues?: TimeEntry) => () => {
setEditModalProps({
defaultValues,
defaultValues: defaultValues ? { ...defaultValues } : undefined,
onDelete: defaultValues
? () => {
? async () => {
setValue(
date,
currentEntries.filter((entry) => entry.id !== defaultValues.id),


+ 17
- 5
src/components/TimesheetTable/TimesheetEditModal.tsx Visa fil

@@ -27,7 +27,7 @@ import { DAILY_NORMAL_MAX_HOURS } from "@/app/api/timesheets/utils";

export interface Props extends Omit<ModalProps, "children"> {
onSave: (timeEntry: TimeEntry, recordDate?: string) => Promise<void>;
onDelete?: () => void;
onDelete?: () => Promise<void>;
defaultValues?: Partial<TimeEntry>;
allProjects: ProjectWithTasks[];
assignedProjects: AssignedProject[];
@@ -94,6 +94,7 @@ const TimesheetEditModal: React.FC<Props> = ({
getValues,
setValue,
trigger,
setError,
formState,
watch,
} = useForm<TimeEntry>();
@@ -105,10 +106,16 @@ const TimesheetEditModal: React.FC<Props> = ({
const saveHandler = useCallback(async () => {
const valid = await trigger();
if (valid) {
await onSave(getValues(), recordDate);
reset({ id: Date.now() });
try {
await onSave(getValues(), recordDate);
reset({ id: Date.now() });
} catch (e) {
setError("root", {
message: e instanceof Error ? e.message : "Unknown error",
});
}
}
}, [getValues, onSave, recordDate, reset, trigger]);
}, [getValues, onSave, recordDate, reset, setError, trigger]);

const closeHandler = useCallback<NonNullable<ModalProps["onClose"]>>(
(...args) => {
@@ -227,7 +234,7 @@ const TimesheetEditModal: React.FC<Props> = ({
validate: (value) => {
if (value) {
if (isHoliday) {
return t("Cannot input normal hours for holidays");
return t("Cannot input normal hours on holidays");
}

return (
@@ -268,6 +275,11 @@ const TimesheetEditModal: React.FC<Props> = ({
})}
helperText={formState.errors.remark?.message}
/>
{formState.errors.root?.message && (
<Typography variant="caption" color="error">
{t(formState.errors.root.message, { DAILY_NORMAL_MAX_HOURS })}
</Typography>
)}
<Box display="flex" justifyContent="flex-end" gap={1}>
{onDelete && (
<Button


Laddar…
Avbryt
Spara