Merge branch 'main' of https://git.marcoaiot.com/admin/marco.pms.web into react-query

This commit is contained in:
pramod mahajan 2025-07-15 23:07:11 +05:30
commit 6097b4957a
41 changed files with 1782 additions and 1757 deletions

View File

@ -836,7 +836,7 @@ progress {
} }
.row { .row {
--bs-gutter-x: 1.625rem; --bs-gutter-x: 0.500rem;
--bs-gutter-y: 0; --bs-gutter-y: 0;
display: flex; display: flex;
flex-wrap: wrap; flex-wrap: wrap;
@ -8966,10 +8966,8 @@ a:not([href]):hover {
} }
/* Autofill input bg and text color issue on different OS and browsers */ /* Autofill input bg and text color issue on different OS and browsers */
input:-webkit-autofill,
input:-webkit-autofill:hover, input:-webkit-autofill:hover,
input:-webkit-autofill:focus, input:-webkit-autofill:focus,
textarea:-webkit-autofill,
textarea:-webkit-autofill:hover, textarea:-webkit-autofill:hover,
textarea:-webkit-autofill:focus, textarea:-webkit-autofill:focus,
select:-webkit-autofill, select:-webkit-autofill,
@ -8978,6 +8976,15 @@ select:-webkit-autofill:focus,
input:-internal-autofill-selected { input:-internal-autofill-selected {
background-clip: text !important; background-clip: text !important;
} }
input:-webkit-autofill,
textarea:-webkit-autofill,
select:-webkit-autofill {
-webkit-box-shadow: 0 0 0px 1000px white inset !important;
box-shadow: 0 0 0px 1000px white inset !important;
-webkit-text-fill-color: #000 !important;
caret-color: #000 !important;
transition: background-color 5000s ease-in-out 0s;
}
h1, h1,
.h1 { .h1 {

View File

@ -2436,7 +2436,7 @@ progress {
} }
.table-responsive { .table-responsive {
overflow-x: auto; /* overflow-x: auto; */
-webkit-overflow-scrolling: touch; -webkit-overflow-scrolling: touch;
} }

View File

@ -234,7 +234,7 @@ const AttendanceLog = ({
</div> </div>
<div <div
className="table-responsive text-nowrap" className="table-responsive text-nowrap"
style={{ minHeight: "250px" }} style={{ minHeight: "200px", display: 'flex', alignItems: 'center', justifyContent: 'center' }}
> >
{data && data.length > 0 && ( {data && data.length > 0 && (
<table className="table mb-0"> <table className="table mb-0">
@ -332,7 +332,7 @@ const AttendanceLog = ({
</table> </table>
)} )}
{!loading && !isRefreshing && data.length === 0 && ( {!loading && !isRefreshing && data.length === 0 && (
<span>No employee logs</span> <span className="text-muted">No employee logs</span>
)} )}
{/* {error && !loading && !isRefreshing && ( {/* {error && !loading && !isRefreshing && (
<tr> <tr>

View File

@ -9,7 +9,7 @@ import {
import showToast from "../../services/toastService"; import showToast from "../../services/toastService";
import ProjectRepository from "../../repositories/ProjectRepository"; import ProjectRepository from "../../repositories/ProjectRepository";
import { useTaskById } from "../../hooks/useTasks"; import { useTaskById } from "../../hooks/useTasks";
import {useManageTask} from "../../hooks/useProjects"; import { useManageTask } from "../../hooks/useProjects";
const subTaskSchema = z.object({ const subTaskSchema = z.object({
activityId: z.string().min(1, "Activity is required"), activityId: z.string().min(1, "Activity is required"),
@ -37,14 +37,13 @@ const SubTask = ({ activity, onClose }) => {
}); });
const selectedActivityId = watch("activityId"); const selectedActivityId = watch("activityId");
const selectedActivity = activities?.find((a) => a.id === selectedActivityId); const selectedActivity = activities?.find((a) => a.id === selectedActivityId);
const {mutate:createSubTask,isPending } = useManageTask( { const { mutate: createSubTask, isPending } = useManageTask({
onSuccessCallback: () => onSuccessCallback: () => {
{ showToast("Sub Task Created Successfully", "success");
showToast("Sub Task Created Successfully","success")
reset(); reset();
onClose(); onClose();
} },
} ) });
useEffect(() => { useEffect(() => {
setCategoryData(categories); setCategoryData(categories);
@ -73,7 +72,7 @@ const SubTask = ({ activity, onClose }) => {
}; };
const onSubmitForm = async (formData) => { const onSubmitForm = async (formData) => {
let payload = { let data = {
workAreaID: Task.workItem.workAreaId, workAreaID: Task.workItem.workAreaId,
workCategoryId: formData.workCategoryId, workCategoryId: formData.workCategoryId,
activityID: formData.activityId, activityID: formData.activityId,
@ -82,8 +81,19 @@ const SubTask = ({ activity, onClose }) => {
parentTaskId: activity?.id, parentTaskId: activity?.id,
comment: formData.comment, comment: formData.comment,
}; };
createSubTask([payload]) const payload = [data];
let buildingId = activity.workItem.workArea.floor.building.id;
let floorId = activity.workItem.workArea.floor.id;
let workAreaId = activity.workItem.workArea.id;
createSubTask({
payload: payload,
buildingId: buildingId,
floorId: floorId,
workAreaId: workAreaId,
PreviousPlannedWork:0,
previousCompletedWork:0
});
}; };
return ( return (
<div className="container-xxl my-1"> <div className="container-xxl my-1">
@ -147,15 +157,15 @@ const SubTask = ({ activity, onClose }) => {
disabled disabled
> >
<option value=""> <option value="">
{loading ? "Loading..." : "-- Select Activity --"} {loading ? "Loading..." : "-- Select Activity --"}
</option> </option>
{!loading && {!loading &&
activities?.map((activity) => ( activities?.map((activity) => (
<option key={activity.id} value={activity.id}> <option key={activity.id} value={activity.id}>
{activity.activityName} {activity.activityName}
</option> </option>
))} ))}
</select> </select>
{errors.activityId && ( {errors.activityId && (
<div className="danger-text">{errors.activityId.message}</div> <div className="danger-text">{errors.activityId.message}</div>

View File

@ -117,7 +117,7 @@ const LineChart = ({
return ( return (
<div className="w-full overflow-x-auto"> <div className="w-full overflow-x-false">
<ReactApexChart <ReactApexChart
options={chartOptions} options={chartOptions}
series={seriesData} series={seriesData}

View File

@ -1,55 +1,71 @@
import React from "react"; import React from "react";
import { useSelector } from "react-redux"; // Import useSelector to access Redux state
import { import {
useDashboardProjectsCardData, useDashboardProjectsCardData,
useDashboardTeamsCardData, useDashboardTeamsCardData,
useDashboardTasksCardData, useDashboardTasksCardData,
} from "../../hooks/useDashboard_Data"; } from "../../hooks/useDashboard_Data";
import Projects from "./Projects"; import Projects from "./Projects";
import Teams from "./Teams"; import Teams from "./Teams";
import TasksCard from "./Tasks"; import TasksCard from "./Tasks";
import ProjectCompletionChart from "./ProjectCompletionChart"; import ProjectCompletionChart from "./ProjectCompletionChart";
import ProjectProgressChart from "./ProjectProgressChart"; import ProjectProgressChart from "./ProjectProgressChart";
import ProjectOverview from "../Project/ProjectOverview";
// import Attendance from "./Attendance"; // import Attendance from "./Attendance";
const Dashboard = () => { const Dashboard = () => {
const { projectsCardData } = useDashboardProjectsCardData(); const { projectsCardData } = useDashboardProjectsCardData();
const { teamsCardData } = useDashboardTeamsCardData(); const { teamsCardData } = useDashboardTeamsCardData();
const { tasksCardData } = useDashboardTasksCardData(); const { tasksCardData } = useDashboardTasksCardData();
return ( // Get the selected project ID from Redux store
<div className="container-fluid mt-3"> const selectedProjectId = useSelector(
<div className="row gy-4"> (store) => store.localVariables.projectId
{/* Projects Card */} );
<div className="col-sm-6 col-lg-4">
<Projects projectsCardData={projectsCardData} />
</div>
{/* Teams Card */} // Determine if "All Projects" is selected
<div className="col-sm-6 col-lg-4"> // selectedProjectId will be null when "All Projects" is chosen
<Teams teamsCardData={teamsCardData} /> const isAllProjectsSelected = selectedProjectId === null;
</div>
{/* Tasks Card */} return (
<div className="col-sm-6 col-lg-4"> <div className="container-fluid mt-3">
<TasksCard tasksCardData={tasksCardData} /> <div className="row gy-4">
</div>
{/* Bar Chart (Project Completion) */} {isAllProjectsSelected && (
<div className="col-xxl-6 col-lg-6"> <div className="col-sm-6 col-lg-4">
<ProjectCompletionChart /> <Projects projectsCardData={projectsCardData} />
</div> </div>
)}
{/* Line Chart (Project Progress) */}
<div className="col-xxl-6 col-lg-6">
<ProjectProgressChart />
</div>
{/* <div className="col-xxl-6 col-lg-6"> <div className={`${!isAllProjectsSelected ? "col-sm-6 col-lg-6":"col-sm-6 col-lg-4"}`}>
<Attendance /> <Teams teamsCardData={teamsCardData} />
</div> */} </div>
</div>
</div> <div className={`${!isAllProjectsSelected ? "col-sm-6 col-lg-6":"col-sm-6 col-lg-4"}`}>
); <TasksCard tasksCardData={tasksCardData} />
</div>
{isAllProjectsSelected && (
<div className="col-xxl-6 col-lg-6">
<ProjectCompletionChart />
</div>
)}
{! isAllProjectsSelected && (
<div className="col-xxl-6 col-lg-6">
<ProjectOverview />
</div>
)}
<div className="col-xxl-6 col-lg-6">
<ProjectProgressChart />
</div>
</div>
</div>
);
}; };
export default Dashboard; export default Dashboard;

View File

@ -93,33 +93,6 @@ const ProjectProgressChart = ({
<h5 className="mb-1">Project Progress</h5> <h5 className="mb-1">Project Progress</h5>
<p className="card-subtitle">Progress Overview by Project</p> <p className="card-subtitle">Progress Overview by Project</p>
</div> </div>
{/* Right: Checkbox and Project Name */}
<div className="d-flex flex-column align-items-start align-items-md-end text-start text-md-end mt-1 mt-md-0">
{ShowAllProject == true && (
<div className="form-check form-switch mb-1 d-flex align-items-center">
<input
className="form-check-input"
type="checkbox"
role="switch"
id="showAllEmployees"
checked={showAllEmployees}
onChange={(e) => setShowAllEmployees(e.target.checked)}
/>
<label
className="form-check-label ms-2"
htmlFor="showAllEmployees"
>
All Projects
</label>
</div>
)}
{!showAllEmployees && selectedProjectName && (
<p className="text-muted mb-0 small">
<span className="card-subtitle">{selectedProjectName}</span>
</p>
)}
</div>
</div> </div>
{/* Row 2: Time Range Buttons */} {/* Row 2: Time Range Buttons */}

View File

@ -1,3 +1,4 @@
import getGreetingMessage from "../../utils/greetingHandler"; import getGreetingMessage from "../../utils/greetingHandler";
import { import {
cacheData, cacheData,
@ -20,26 +21,28 @@ import { useHasUserPermission } from "../../hooks/useHasUserPermission";
import { MANAGE_PROJECT } from "../../utils/constants"; import { MANAGE_PROJECT } from "../../utils/constants";
const Header = () => { const Header = () => {
const {profile} = useProfile(); const { profile } = useProfile();
const location = useLocation(); const location = useLocation();
const dispatch = useDispatch(); const dispatch = useDispatch();
const { data, loading } = useMaster(); const { data, loading } = useMaster();
const navigate = useNavigate(); const navigate = useNavigate();
const HasManageProjectPermission = useHasUserPermission(MANAGE_PROJECT); const HasManageProjectPermission = useHasUserPermission(MANAGE_PROJECT);
const isDirectoryPath = /^\/directory$/.test(location.pathname);
const isDashboard = /^\/dashboard$/.test(location.pathname);
const getRole = (roles, joRoleId) => { const getRole = (roles, joRoleId) => {
if (!Array.isArray(roles)) return "User"; if (!Array.isArray(roles)) return "User";
let role = roles.find((role) => role.id === joRoleId); let role = roles.find((role) => role.id === joRoleId);
return role ? role.name : "User"; return role ? role.name : "User";
}; };
const handleLogout = (e) => { const handleLogout = (e) => {
e.preventDefault(); // Prevent default anchor behavior (e.g., page reload) e.preventDefault();
logout(); logout();
}; };
const logout = async () => { const logout = async () => {
try { try {
// Notify server about the logout (optional)
let data = { let data = {
refreshToken: localStorage.getItem("refreshToken"), refreshToken: localStorage.getItem("refreshToken"),
}; };
@ -54,6 +57,7 @@ const Header = () => {
window.location.href = "/auth/login"; window.location.href = "/auth/login";
}) })
.catch((error) => { .catch((error) => {
// Even if logout API fails, clear local storage and redirect
localStorage.removeItem("jwtToken"); localStorage.removeItem("jwtToken");
localStorage.removeItem("refreshToken"); localStorage.removeItem("refreshToken");
localStorage.removeItem("user"); localStorage.removeItem("user");
@ -71,98 +75,93 @@ const Header = () => {
const handleProfilePage = () => { const handleProfilePage = () => {
navigate(`/employee/${profile?.employeeInfo?.id}?for=attendance`); navigate(`/employee/${profile?.employeeInfo?.id}?for=attendance`);
}; };
// const { projects, loading: projectLoading } = useProjects();
const { projectNames, loading: projectLoading, fetchData } = useProjectName(); const { projectNames, loading: projectLoading, fetchData } = useProjectName();
const selectedProject = useSelector( const selectedProject = useSelector(
(store) => store.localVariables.projectId (store) => store.localVariables.projectId
); );
const selectedProjectName = projectNames?.find( // Determine the display text for the project dropdown
(p) => p?.id === selectedProject let displayText = "All Projects";
)?.name; if (selectedProject === null) {
displayText = "All Projects";
let displayText = ""; } else if (selectedProject) {
if (selectedProjectName) { const selectedProjectObj = projectNames?.find(
displayText = selectedProjectName; (p) => p?.id === selectedProject
} else if (projectLoading && selectedProject) { );
displayText = selectedProject; // Fallback to selectedProject ID if name not found during loading or mismatch
displayText = selectedProjectObj ? selectedProjectObj.name : selectedProject;
} else if (projectLoading) { } else if (projectLoading) {
displayText = "Loading..."; displayText = "Loading...";
} }
const { openChangePassword } = useChangePassword(); const { openChangePassword } = useChangePassword();
useEffect(() => { useEffect(() => {
if ( if (
projectNames && projectNames &&
selectedProject !== " " && projectNames.length > 0 &&
selectedProject === undefined &&
!getCachedData("hasReceived") !getCachedData("hasReceived")
) { ) {
dispatch(setProjectId(projectNames[0]?.id)); if(isDashboard){
dispatch(setProjectId(null));
}else{
dispatch(setProjectId(projectNames[0]?.id));
}
} }
}, [projectNames]); }, [projectNames, selectedProject, dispatch]);
/** Check if current page is project details page or directory page */
// const isProjectPath = /^\/projects\/[a-f0-9-]{36}$/.test(location.pathname);
/** Check if current page id project details page */
const isProjectPath = /^\/projects\/[a-f0-9-]{36}$/.test(location.pathname)
const isDirectoryPath = /^\/directory$/.test(location.pathname);
const handler = useCallback( const handler = useCallback(
async (data) => { async (data) => {
if (!HasManageProjectPermission) { if (!HasManageProjectPermission) {
await fetchData(); await fetchData();
const projectExist = data.projectIds.some( const projectExist = data.projectIds.some(
(item) => item == selectedProject (item) => item === selectedProject
); );
if (projectExist) { if (projectExist) {
cacheData("hasReceived", false); cacheData("hasReceived", false);
} }
} }
}, },
[fetchData,projectNames,selectedProject] [fetchData, selectedProject, HasManageProjectPermission]
); );
// useEffect(() => {
// eventBus.on("assign_project_one", handler);
// return () => eventBus.off("assign_project_one", handler);
// }, [handler]);
const newProjectHandler = useCallback( const newProjectHandler = useCallback(
async (msg) => { async (msg) => {
if (HasManageProjectPermission && msg.keyword === "Create_Project") { if (HasManageProjectPermission && msg.keyword === "Create_Project") {
await fetchData(); await fetchData();
} else if (projectNames.some((item) => item.id == msg.response.id)) { } else if (projectNames?.some((item) => item.id === msg.response.id)) {
console.log((projectNames.some((item) => item.id == msg.response.id)))
await fetchData(); await fetchData();
} }
cacheData("hasReceived", false); cacheData("hasReceived", false);
}, },
[HasManageProjectPermission,projectNames] [HasManageProjectPermission, projectNames, fetchData]
); );
// useEffect(() => {
// eventBus.on("project", newProjectHandler);
// return () => eventBus.off("project", newProjectHandler);
// }, [handler]);
useDispatch( () =>
{
dispatch(changeMaster("Job Role"))
},[])
useEffect(() => { useEffect(() => {
eventBus.on("assign_project_one", handler); dispatch(changeMaster("Job Role"));
eventBus.on("project", newProjectHandler); }, [dispatch]);
return () => { useEffect(() => {
eventBus.off("assign_project_one", handler); eventBus.on("assign_project_one", handler);
eventBus.off("project", newProjectHandler); eventBus.on("project", newProjectHandler);
};
}, [handler, newProjectHandler]);
return () => {
eventBus.off("assign_project_one", handler);
eventBus.off("project", newProjectHandler);
};
}, [handler, newProjectHandler]);
return ( return (
<nav <nav
className="layout-navbar container-fluid mb-3 navbar navbar-expand-xl navbar-detached align-items-center bg-navbar-theme" className="layout-navbar container-fluid mb-3 navbar navbar-expand-xl navbar-detached align-items-center bg-navbar-theme"
id="layout-navbar" id="layout-navbar"
> >
<div className="layout-menu-toggle navbar-nav align-items-xl-center me-3 me-xl-0 d-xl-none"> <div className="layout-menu-toggle navbar-nav align-items-xl-center me-3 me-xl-0 d-xl-none">
@ -177,60 +176,59 @@ const Header = () => {
className="navbar-nav-right d-flex align-items-center justify-content-between" className="navbar-nav-right d-flex align-items-center justify-content-between"
id="navbar-collapse" id="navbar-collapse"
> >
{projectNames?.length > 0 && ( {projectNames && !isDirectoryPath && (
<div className=" align-items-center"> <div className="align-items-center">
{(!isProjectPath && !isDirectoryPath) && ( <i className="rounded-circle bx bx-building-house bx-sm-lg bx-md me-2"></i>
<> <div className="btn-group">
<i <button
className="rounded-circle bx bx-building-house bx-sm-lg bx-md" className={`btn btn-sm-sm btn-xl ${projectNames.length > 0 ? "dropdown-toggle" : ""
></i> } px-1`}
<div className="btn-group"> type="button"
<button data-bs-toggle="dropdown"
className={`btn btn-sm-sm btn-xl ${ aria-expanded="false"
projectNames?.length > 1 && "dropdown-toggle" >
} px-1`} {displayText}
type="button" </button>
data-bs-toggle="dropdown"
aria-expanded="false"
>
{displayText}
</button>
{projectNames?.length > 1 && ( {projectNames.length > 0 && (
<ul <ul
className="dropdown-menu" className="dropdown-menu"
style={{ overflow: "auto", maxHeight: "300px" }} style={{ overflow: "auto", maxHeight: "300px" }}
> >
{[...projectNames]
.sort((a, b) => a?.name?.localeCompare(b.name)) {isDashboard && (
.map((project) => ( <li>
<li key={project?.id}> <button
<button className="dropdown-item"
className="dropdown-item" onClick={() => dispatch(setProjectId(null))}
onClick={() => >
dispatch(setProjectId(project?.id)) All Projects
} </button>
> </li>
{project?.name}{" "}
{project?.shortName ? (
<span className="text-primary fw-semibold ">
{" "}
({project?.shortName})
</span>
) : (
""
)}
</button>
</li>
))}
</ul>
)} )}
</div> {[...projectNames]
</> .sort((a, b) => a?.name?.localeCompare(b.name))
)} .map((project) => (
<li key={project?.id}>
<button
className="dropdown-item"
onClick={() => dispatch(setProjectId(project?.id))}
>
{project?.name}
{project?.shortName && (
<span className="text-primary fw-semibold ms-1">
({project?.shortName})
</span>
)}
</button>
</li>
))}
</ul>
)}
</div>
</div> </div>
)} )}
{isProjectPath && (<span className=" fs-5 align-items-center"><i className="rounded-circle bx bx-building-house bx-sm-lg bx-md me-2"></i>{displayText}</span>)}
<ul className="navbar-nav flex-row align-items-center ms-md-auto"> <ul className="navbar-nav flex-row align-items-center ms-md-auto">
<li className="nav-item dropdown-shortcuts navbar-dropdown dropdown me-2 me-xl-0"> <li className="nav-item dropdown-shortcuts navbar-dropdown dropdown me-2 me-xl-0">
@ -269,7 +267,6 @@ const Header = () => {
</span> </span>
Dashboard Dashboard
</a> </a>
<small>User Dashboard</small> <small>User Dashboard</small>
</div> </div>
<div className="dropdown-shortcuts-item col"> <div className="dropdown-shortcuts-item col">
@ -282,7 +279,6 @@ const Header = () => {
</span> </span>
Projects Projects
</a> </a>
<small>Projects List</small> <small>Projects List</small>
</div> </div>
</div> </div>
@ -323,7 +319,6 @@ const Header = () => {
</span> </span>
Allocate Work Allocate Work
</a> </a>
<small>Work Allocations</small> <small>Work Allocations</small>
</div> </div>
<div className="dropdown-shortcuts-item col"> <div className="dropdown-shortcuts-item col">
@ -336,321 +331,12 @@ const Header = () => {
</span> </span>
Daily Work Log Daily Work Log
</a> </a>
<small>Daily Work Allocations</small> <small>Daily Work Allocations</small>
</div> </div>
</div> </div>
</div> </div>
</div> </div>
</li> </li>
{/* <li className="nav-item dropdown-notifications navbar-dropdown dropdown me-2 me-xl-0">
<a
className="nav-link dropdown-toggle hide-arrow cursor-pointer"
data-bs-toggle="dropdown"
data-bs-auto-close="outside"
aria-expanded="false"
>
<span className="position-relative">
<i className="icon-base bx bx-bell icon-lg"></i>
<span className="badge rounded-pill bg-danger badge-dot badge-notifications border"></span>
</span>
</a>
<ul className="dropdown-menu dropdown-menu-end p-0">
<li className="dropdown-menu-header border-bottom">
<div className="dropdown-header d-flex align-items-center py-3">
<h6 className="mb-0 me-auto">Notification</h6>
<div className="d-flex align-items-center h6 mb-0">
<span className="badge bg-label-primary me-2">8 New</span>
<a
href="#"
className="dropdown-notifications-all p-2"
data-bs-toggle="tooltip"
data-bs-placement="top"
aria-label="Mark all as read"
data-bs-original-title="Mark all as read"
>
<i className="icon-base bx bx-envelope-open text-heading"></i>
</a>
</div>
</div>
</li>
<li className="dropdown-notifications-list scrollable-container ps">
<ul className="list-group list-group-flush">
<li className="list-group-item list-group-item-action dropdown-notifications-item">
<div className="d-flex">
<div className="flex-shrink-0 me-3">
<div className="avatar">
<img
src="../../assets/img/avatars/1.png"
alt=""
className="rounded-circle"
></img>
</div>
</div>
<div className="flex-grow-1">
<h6 className="small mb-0">Congratulation Lettie 🎉</h6>
<small className="mb-1 d-block text-body">
Won the monthly best seller gold badge
</small>
<small className="text-body-secondary">1h ago</small>
</div>
<div className="flex-shrink-0 dropdown-notifications-actions">
<a href="#" className="dropdown-notifications-read">
<span className="badge badge-dot"></span>
</a>
<a href="#" className="dropdown-notifications-archive">
<span className="icon-base bx bx-x"></span>
</a>
</div>
</div>
</li>
<li className="list-group-item list-group-item-action dropdown-notifications-item">
<div className="d-flex">
<div className="flex-shrink-0 me-3">
<div className="avatar">
<span className="avatar-initial rounded-circle bg-label-danger">
CF
</span>
</div>
</div>
<div className="flex-grow-1">
<h6 className="small mb-0">Charles Franklin</h6>
<small className="mb-1 d-block text-body">
Accepted your connection
</small>
<small className="text-body-secondary">12hr ago</small>
</div>
<div className="flex-shrink-0 dropdown-notifications-actions">
<a href="#" className="dropdown-notifications-read">
<span className="badge badge-dot"></span>
</a>
<a href="#" className="dropdown-notifications-archive">
<span className="icon-base bx bx-x"></span>
</a>
</div>
</div>
</li>
<li className="list-group-item list-group-item-action dropdown-notifications-item marked-as-read">
<div className="d-flex">
<div className="flex-shrink-0 me-3">
<div className="avatar">
<img
src="../../assets/img/avatars/2.png"
alt=""
className="rounded-circle"
></img>
</div>
</div>
<div className="flex-grow-1">
<h6 className="small mb-0">New Message </h6>
<small className="mb-1 d-block text-body">
You have new message from Natalie
</small>
<small className="text-body-secondary">1h ago</small>
</div>
<div className="flex-shrink-0 dropdown-notifications-actions">
<a href="#" className="dropdown-notifications-read">
<span className="badge badge-dot"></span>
</a>
<a href="#" className="dropdown-notifications-archive">
<span className="icon-base bx bx-x"></span>
</a>
</div>
</div>
</li>
<li className="list-group-item list-group-item-action dropdown-notifications-item">
<div className="d-flex">
<div className="flex-shrink-0 me-3">
<div className="avatar">
<span className="avatar-initial rounded-circle bg-label-success">
<i className="icon-base bx bx-cart"></i>
</span>
</div>
</div>
<div className="flex-grow-1">
<h6 className="small mb-0">
Whoo! You have new order 🛒
</h6>
<small className="mb-1 d-block text-body">
ACME Inc. made new order $1,154
</small>
<small className="text-body-secondary">1 day ago</small>
</div>
<div className="flex-shrink-0 dropdown-notifications-actions">
<a href="#" className="dropdown-notifications-read">
<span className="badge badge-dot"></span>
</a>
<a href="#" className="dropdown-notifications-archive">
<span className="icon-base bx bx-x"></span>
</a>
</div>
</div>
</li>
<li className="list-group-item list-group-item-action dropdown-notifications-item marked-as-read">
<div className="d-flex">
<div className="flex-shrink-0 me-3">
<div className="avatar">
<img
src="../../assets/img/avatars/9.png"
alt=""
className="rounded-circle"
></img>
</div>
</div>
<div className="flex-grow-1">
<h6 className="small mb-0">
Application has been approved 🚀
</h6>
<small className="mb-1 d-block text-body">
Your ABC project application has been approved.
</small>
<small className="text-body-secondary">
2 days ago
</small>
</div>
<div className="flex-shrink-0 dropdown-notifications-actions">
<a href="#" className="dropdown-notifications-read">
<span className="badge badge-dot"></span>
</a>
<a href="#" className="dropdown-notifications-archive">
<span className="icon-base bx bx-x"></span>
</a>
</div>
</div>
</li>
<li className="list-group-item list-group-item-action dropdown-notifications-item marked-as-read">
<div className="d-flex">
<div className="flex-shrink-0 me-3">
<div className="avatar">
<span className="avatar-initial rounded-circle bg-label-success">
<i className="icon-base bx bx-pie-chart-alt"></i>
</span>
</div>
</div>
<div className="flex-grow-1">
<h6 className="small mb-0">
Monthly report is generated
</h6>
<small className="mb-1 d-block text-body">
July monthly financial report is generated{" "}
</small>
<small className="text-body-secondary">
3 days ago
</small>
</div>
<div className="flex-shrink-0 dropdown-notifications-actions">
<a href="#" className="dropdown-notifications-read">
<span className="badge badge-dot"></span>
</a>
<a href="#" className="dropdown-notifications-archive">
<span className="icon-base bx bx-x"></span>
</a>
</div>
</div>
</li>
<li className="list-group-item list-group-item-action dropdown-notifications-item marked-as-read">
<div className="d-flex">
<div className="flex-shrink-0 me-3">
<div className="avatar">
<img
src="../../assets/img/avatars/5.png"
alt=""
className="rounded-circle"
></img>
</div>
</div>
<div className="flex-grow-1">
<h6 className="small mb-0">Send connection request</h6>
<small className="mb-1 d-block text-body">
Peter sent you connection request
</small>
<small className="text-body-secondary">
4 days ago
</small>
</div>
<div className="flex-shrink-0 dropdown-notifications-actions">
<a href="#" className="dropdown-notifications-read">
<span className="badge badge-dot"></span>
</a>
<a href="#" className="dropdown-notifications-archive">
<span className="icon-base bx bx-x"></span>
</a>
</div>
</div>
</li>
<li className="list-group-item list-group-item-action dropdown-notifications-item">
<div className="d-flex">
<div className="flex-shrink-0 me-3">
<div className="avatar">
<img
src="../../assets/img/avatars/6.png"
alt=""
className="rounded-circle"
></img>
</div>
</div>
<div className="flex-grow-1">
<h6 className="small mb-0">New message from Jane</h6>
<small className="mb-1 d-block text-body">
Your have new message from Jane
</small>
<small className="text-body-secondary">
5 days ago
</small>
</div>
<div className="flex-shrink-0 dropdown-notifications-actions">
<a href="#" className="dropdown-notifications-read">
<span className="badge badge-dot"></span>
</a>
<a href="#" className="dropdown-notifications-archive">
<span className="icon-base bx bx-x"></span>
</a>
</div>
</div>
</li>
<li className="list-group-item list-group-item-action dropdown-notifications-item marked-as-read">
<div className="d-flex">
<div className="flex-shrink-0 me-3">
<div className="avatar">
<span className="avatar-initial rounded-circle bg-label-warning">
<i className="icon-base bx bx-error"></i>
</span>
</div>
</div>
<div className="flex-grow-1">
<h6 className="small mb-0">CPU is running high</h6>
<small className="mb-1 d-block text-body">
CPU Utilization Percent is currently at 88.63%,
</small>
<small className="text-body-secondary">
5 days ago
</small>
</div>
<div className="flex-shrink-0 dropdown-notifications-actions">
<a href="#" className="dropdown-notifications-read">
<span className="badge badge-dot"></span>
</a>
<a href="#" className="dropdown-notifications-archive">
<span className="icon-base bx bx-x"></span>
</a>
</div>
</div>
</li>
</ul>
</li>
<li className="border-top">
<div className="d-grid p-4">
<a className="btn btn-primary btn-sm d-flex" href="#;">
<small className="align-middle">
View all notifications
</small>
</a>
</div>
</li>
</ul>
</li> */}
<li className="nav-item navbar-dropdown dropdown-user dropdown"> <li className="nav-item navbar-dropdown dropdown-user dropdown">
<a <a
aria-label="dropdown profile avatar" aria-label="dropdown profile avatar"
@ -709,25 +395,8 @@ const Header = () => {
<span className="align-middle">Settings</span> <span className="align-middle">Settings</span>
</a> </a>
</li> </li>
{/* <li>
<a
aria-label="go to billing "
className="dropdown-item cusor-pointer"
>
<span className="d-flex align-items-center align-middle">
<i className="flex-shrink-0 bx bx-credit-card me-2"></i>
<span className="flex-grow-1 align-middle ms-1">
Billing
</span>
<span className="flex-shrink-0 badge badge-center rounded-pill bg-danger w-px-20 h-px-20">
4
</span>
</span>
</a>
</li> */}
<li onClick={openChangePassword}> <li onClick={openChangePassword}>
{" "} {" "}
{/* Use the function from the context */}
<a <a
aria-label="go to profile" aria-label="go to profile"
className="dropdown-item cusor-pointer" className="dropdown-item cusor-pointer"
@ -743,7 +412,7 @@ const Header = () => {
<a <a
aria-label="click to log out" aria-label="click to log out"
className="dropdown-item cusor-pointer" className="dropdown-item cusor-pointer"
href="/logout" // Optional: Add this for accessibility, but it won't actually redirect href="/logout"
onClick={handleLogout} onClick={handleLogout}
> >
<i className="bx bx-power-off me-2"></i> <i className="bx bx-power-off me-2"></i>
@ -757,4 +426,4 @@ const Header = () => {
</nav> </nav>
); );
}; };
export default Header; export default Header;

View File

@ -2,48 +2,53 @@ import React, { useEffect, useState } from "react";
import moment from "moment"; import moment from "moment";
import { getProjectStatusName } from "../../utils/projectStatus"; import { getProjectStatusName } from "../../utils/projectStatus";
import {useProjectDetails, useUpdateProject} from "../../hooks/useProjects"; import {useProjectDetails, useUpdateProject} from "../../hooks/useProjects";
import {useParams} from "react-router-dom"; import { useSelector } from "react-redux"; // Import useSelector
import {useHasUserPermission} from "../../hooks/useHasUserPermission"; import {useHasUserPermission} from "../../hooks/useHasUserPermission";
import {MANAGE_PROJECT} from "../../utils/constants"; import {MANAGE_PROJECT} from "../../utils/constants";
import GlobalModel from "../common/GlobalModel"; import GlobalModel from "../common/GlobalModel";
import ManageProjectInfo from "./ManageProjectInfo"; import ManageProjectInfo from "./ManageProjectInfo";
import {useQueryClient} from "@tanstack/react-query"; import {useQueryClient} from "@tanstack/react-query";
const AboutProject = () =>
{ const AboutProject = () => {
const [ IsOpenModal, setIsOpenModal ] = useState( false ) const [IsOpenModal, setIsOpenModal] = useState(false);
const {mutate: UpdateProjectDetails, isPending} = useUpdateProject( { const {mutate: UpdateProjectDetails, isPending} = useUpdateProject({
onSuccessCallback: () => onSuccessCallback: () => {
{ setIsOpenModal(false);
setIsOpenModal(false)
} }
} ) });
const ClientQuery = useQueryClient() const ClientQuery = useQueryClient();
const {projectId} = useParams();
// *** MODIFIED LINE: Get projectId from Redux store using useSelector ***
const projectId = useSelector((store) => store.localVariables.projectId);
const manageProject = useHasUserPermission(MANAGE_PROJECT); const manageProject = useHasUserPermission(MANAGE_PROJECT);
const {projects_Details, isLoading, error,refetch} = useProjectDetails( projectId ) const {projects_Details, isLoading, error,refetch} = useProjectDetails( projectId ); // Pass projectId from useSelector
const handleFormSubmit = ( updatedProject ) =>
{ const handleFormSubmit = ( updatedProject ) => {
if ( projects_Details?.id ) if ( projects_Details?.id ) {
{ UpdateProjectDetails({ projectId: projects_Details?.id,updatedData: updatedProject });
UpdateProjectDetails({ projectId: projects_Details?.id,updatedData: updatedProject, // The refetch here might be redundant or could be handled by react-query's invalidateQueries
} ); // if UpdateProjectDetails properly invalidates the 'projectDetails' query key.
refetch() // If refetch is still needed, consider adding a delay or using onSuccess of UpdateProjectDetails.
} // For now, keeping it as is based on your original code.
}; refetch();
}
};
return ( return (
<> <>
{IsOpenModal && ( {IsOpenModal && (
<GlobalModel isOpen={IsOpenModal} closeModal={()=>setIsOpenModal(false)}> <GlobalModel isOpen={IsOpenModal} closeModal={()=>setIsOpenModal(false)}>
<ManageProjectInfo <ManageProjectInfo
project={projects_Details} project={projects_Details}
handleSubmitForm={handleFormSubmit} handleSubmitForm={handleFormSubmit}
onClose={() => setIsOpenModal( false )} onClose={() => setIsOpenModal( false )}
isPending={isPending} isPending={isPending}
/> />
</GlobalModel> </GlobalModel>
)} )}
{projects_Details && ( {projects_Details && (
<> <>
<div className="card mb-6"> <div className="card mb-6">
<div className="card-header text-start"> <div className="card-header text-start">
<h6 className="card-action-title mb-0"> <h6 className="card-action-title mb-0">
@ -126,10 +131,9 @@ const AboutProject = () =>
</> </>
)} )}
{isLoading && <span>loading...</span>} {isLoading && <span>loading...</span>}
</> </>
); );
}; };
export default AboutProject; export default AboutProject;

View File

@ -116,8 +116,17 @@ useEffect(() => {
floorId: floor?.id, floorId: floor?.id,
workAreaId: workArea?.id, workAreaId: workArea?.id,
}; };
let plannedTask = workItem?.workItem?.plannedWork || workItem?.plannedWork || 0 let plannedTask =
UpdateTask({payload:[payload],PreviousPlannedWork:plannedTask}) workItem?.workItem?.plannedWork || workItem?.plannedWork || 0;
let completedTask = workItem?.workItem?.completedWork || workItem?.completedWork || 0
UpdateTask({
payload: [payload],
PreviousPlannedWork: plannedTask,
buildingId: building?.id,
floorId: floor?.id,
workAreaId: workArea?.id,
previousCompletedWork:completedTask
});
} }
return ( return (
<form className="row g-2 p-2 p-md-1" onSubmit={handleSubmit(onSubmitForm)}> <form className="row g-2 p-2 p-md-1" onSubmit={handleSubmit(onSubmitForm)}>

View File

@ -69,10 +69,9 @@ const TaskModel = ({ project, onSubmit, onClose }) => {
const selectedCategory = categoryData?.find((c) => c.id === watchCategoryId); const selectedCategory = categoryData?.find((c) => c.id === watchCategoryId);
const { mutate: CreateTask, isPending } = useManageTask({ const { mutate: CreateTask, isPending } = useManageTask({
onSuccessCallback: ( response ) => onSuccessCallback: (response) => {
{ showToast(response?.message, "success");
showToast( response?.message, "success" ) onClose?.();
onClose?.()
}, },
}); });
useEffect(() => { useEffect(() => {
@ -96,8 +95,10 @@ const TaskModel = ({ project, onSubmit, onClose }) => {
}, [categories]); }, [categories]);
const onSubmitForm = async (data) => { const onSubmitForm = async (data) => {
const payload = [data]; const payload = [data];
CreateTask({payload,PreviousPlannedWork:0}); CreateTask({payload:payload,buildingId: data.buildingID,
floorId: data.floorId,
workAreaId: data.workAreaId, PreviousPlannedWork:0,previousCompletedWork:0});
}; };
return ( return (

View File

@ -10,7 +10,10 @@ import {
} from "../../../utils/constants"; } from "../../../utils/constants";
import ConfirmModal from "../../common/ConfirmModal"; import ConfirmModal from "../../common/ConfirmModal";
import ProjectRepository from "../../../repositories/ProjectRepository"; import ProjectRepository from "../../../repositories/ProjectRepository";
import { useDeleteProjectTask, useProjectDetails } from "../../../hooks/useProjects"; import {
useDeleteProjectTask,
useProjectDetails,
} from "../../../hooks/useProjects";
import showToast from "../../../services/toastService"; import showToast from "../../../services/toastService";
import { import {
cacheData, cacheData,
@ -19,7 +22,7 @@ import {
} from "../../../slices/apiDataManager"; } from "../../../slices/apiDataManager";
import { refreshData } from "../../../slices/localVariablesSlice"; import { refreshData } from "../../../slices/localVariablesSlice";
import GlobalModel from "../../common/GlobalModel"; import GlobalModel from "../../common/GlobalModel";
import {useDeleteMasterItem} from "../../../hooks/masterHook/useMaster"; import { useDeleteMasterItem } from "../../../hooks/masterHook/useMaster";
const WorkItem = ({ const WorkItem = ({
workItem, workItem,
@ -28,7 +31,9 @@ const WorkItem = ({
forWorkArea, forWorkArea,
deleteHandleTask, deleteHandleTask,
}) => { }) => {
const { projectId } = useParams(); // const { projectId } = useParams();
const isTaskPlanning = /^\/activities\/task$/.test(location.pathname);
const [itemName, setItemName] = useState(""); const [itemName, setItemName] = useState("");
const [NewWorkItem, setNewWorkItem] = useState(); const [NewWorkItem, setNewWorkItem] = useState();
const [isModalOpen, setIsModalOpen] = useState(false); const [isModalOpen, setIsModalOpen] = useState(false);
@ -40,19 +45,18 @@ const WorkItem = ({
const [loadingDelete, setLoadingDelete] = useState(false); const [loadingDelete, setLoadingDelete] = useState(false);
const project = getCachedData("projectInfo"); const project = getCachedData("projectInfo");
const openModal = () => setIsModalOpen(true); const openModal = () => setIsModalOpen(true);
const closeModal = () => setIsModalOpen( false ); const closeModal = () => setIsModalOpen(false);
const showModalDelete = () => setShowModal2(true); const showModalDelete = () => setShowModal2(true);
const closeModalDelete = () => setShowModal2(false); const closeModalDelete = () => setShowModal2(false);
const getProgress = (planned, completed) => { const getProgress = (planned, completed) => {
return (completed * 100) / planned + "%"; return (completed * 100) / planned + "%";
}; };
const {mutate:DeleteTask,isPending } = useDeleteProjectTask(() => { const { mutate: DeleteTask, isPending } = useDeleteProjectTask(() => {
closeModalDelete?.(); closeModalDelete?.();
}); });
const handleAssignTask = () => { const handleAssignTask = () => {
setItemName(""); setItemName("");
@ -61,15 +65,15 @@ const WorkItem = ({
setNewWorkItem(workItem); setNewWorkItem(workItem);
}, [workItem]); }, [workItem]);
const refreshWorkItem = (plannedTask) =>{ const refreshWorkItem = (plannedTask) => {
if (workItem) { if (workItem) {
const updated = { const updated = {
...workItem, ...workItem,
todaysAssigned: (workItem.todaysAssigned || 0) + plannedTask, todaysAssigned: (workItem.todaysAssigned || 0) + plannedTask,
}; };
setNewWorkItem(updated); setNewWorkItem(updated);
} }
} };
let assigndata = { let assigndata = {
building: forBuilding, building: forBuilding,
floor: forFloor, floor: forFloor,
@ -85,15 +89,17 @@ const WorkItem = ({
tooltipTriggerList.forEach((el) => new bootstrap.Tooltip(el)); tooltipTriggerList.forEach((el) => new bootstrap.Tooltip(el));
}, []); }, []);
const handleSubmit = async () => { const handleSubmit = async () => {
let WorkItemId = workItem.workItemId || workItem.id; let WorkItemId = workItem.workItemId || workItem.id;
DeleteTask({workItemId:WorkItemId,workAreaId:forWorkArea?.id}) debugger
DeleteTask({
workItemId: WorkItemId,
workAreaId: forWorkArea?.id,
completedTask: workItem?.completedWork,
plannedTask: workItem?.plannedWork,
buildingId: forBuilding?.id,
floorId: forFloor?.id,
});
}; };
const PlannedWork = const PlannedWork =
@ -104,18 +110,26 @@ const WorkItem = ({
<> <>
{isModalOpen && ( {isModalOpen && (
<GlobalModel isOpen={isModalOpen} size="lg" closeModal={closeModal}> <GlobalModel isOpen={isModalOpen} size="lg" closeModal={closeModal}>
<AssignTask assignData={assigndata} onClose={closeModal} setAssigned={refreshWorkItem} /> <AssignTask
assignData={assigndata}
onClose={closeModal}
setAssigned={refreshWorkItem}
/>
</GlobalModel> </GlobalModel>
)} )}
{showModal && ( {showModal && (
<GlobalModel isOpen={showModal} size="lg" closeModal={()=>setShowModal(false)}> <GlobalModel
isOpen={showModal}
size="lg"
closeModal={() => setShowModal(false)}
>
<EditActivityModal <EditActivityModal
workItem={workItem} workItem={workItem}
workArea={forWorkArea} workArea={forWorkArea}
building={forBuilding} building={forBuilding}
floor={forFloor} floor={forFloor}
onClose={()=>setShowModal(false)} onClose={() => setShowModal(false)}
/> />
</GlobalModel> </GlobalModel>
)} )}
@ -167,7 +181,6 @@ const WorkItem = ({
: "NA"} : "NA"}
</td> </td>
<td className="text-center table-cell-small d-none d-md-table-cell"> <td className="text-center table-cell-small d-none d-md-table-cell">
<span className="fw-light"> <span className="fw-light">
{hasWorkItem {hasWorkItem
@ -195,9 +208,7 @@ const WorkItem = ({
<td className="text-center d-none d-md-table-cell"> <td className="text-center d-none d-md-table-cell">
{hasWorkItem {hasWorkItem
? `${ ? `${
NewWorkItem?.todaysAssigned ?? NewWorkItem?.todaysAssigned ?? workItem?.todaysAssigned ?? "0"
workItem?.todaysAssigned ??
"0"
}` }`
: "NA"} : "NA"}
</td> </td>
@ -235,7 +246,7 @@ const WorkItem = ({
<td className="text-end align-items-middle border-top"> <td className="text-end align-items-middle border-top">
{/* Desktop (md and up): inline icons */} {/* Desktop (md and up): inline icons */}
<div className="d-none d-md-flex justify-content-end gap-1 px-2"> <div className="d-none d-md-flex justify-content-end gap-1 px-2">
{!projectId && {isTaskPlanning &&
ManageAndAssignTak && ManageAndAssignTak &&
PlannedWork !== CompletedWork && ( PlannedWork !== CompletedWork && (
<i <i
@ -251,7 +262,7 @@ const WorkItem = ({
<i <i
className="bx bxs-edit text-secondary cursor-pointer" className="bx bxs-edit text-secondary cursor-pointer"
title="Edit" title="Edit"
onClick={()=>setShowModal(true)} onClick={() => setShowModal(true)}
role="button" role="button"
></i> ></i>
<i <i
@ -275,7 +286,7 @@ const WorkItem = ({
></i> ></i>
<ul className="dropdown-menu dropdown-menu-start"> <ul className="dropdown-menu dropdown-menu-start">
{!projectId && {isTaskPlanning &&
ManageAndAssignTak && ManageAndAssignTak &&
PlannedWork !== CompletedWork && ( PlannedWork !== CompletedWork && (
<li> <li>
@ -293,7 +304,7 @@ const WorkItem = ({
<li> <li>
<a <a
className="dropdown-item d-flex align-items-center" className="dropdown-item d-flex align-items-center"
onClick={()=>setShowModal(true) } onClick={() => setShowModal(true)}
> >
<i className="bx bxs-edit text-secondary me-2"></i> Edit <i className="bx bxs-edit text-secondary me-2"></i> Edit
</a> </a>

View File

@ -57,7 +57,7 @@ const ProjectCard = ({ projectData, recall }) => {
const handleClose = () => setShowModal(false); const handleClose = () => setShowModal(false);
const handleViewProject = () => { const handleViewProject = () => {
navigate(`/projects/${projectData.id}`); navigate(`/projects/details`);
}; };
const handleFormSubmit = (updatedProject) => { const handleFormSubmit = (updatedProject) => {
@ -98,7 +98,7 @@ const ProjectCard = ({ projectData, recall }) => {
<h5 <h5
className="mb-0 stretched-link text-heading text-start" className="mb-0 stretched-link text-heading text-start"
onClick={handleViewProject} onClick={handleViewProject}
> >
{projectInfo.shortName {projectInfo.shortName
? projectInfo.shortName ? projectInfo.shortName
: projectInfo.name} : projectInfo.name}
@ -274,4 +274,4 @@ const ProjectCard = ({ projectData, recall }) => {
); );
}; };
export default ProjectCard; export default ProjectCard;

View File

@ -25,7 +25,7 @@ import GlobalModel from "../common/GlobalModel";
const ProjectInfra = ( {data, onDataChange, eachSiteEngineer} ) => const ProjectInfra = ( {data, onDataChange, eachSiteEngineer} ) =>
{ {
const {projectId} = useParams() const projectId = useSelector((store)=>store.localVariables.projectId)
const reloadedData = useSelector((store) => store.localVariables.reload); const reloadedData = useSelector((store) => store.localVariables.reload);
const [ expandedBuildings, setExpandedBuildings ] = useState( [] ); const [ expandedBuildings, setExpandedBuildings ] = useState( [] );
const {projectInfra,isLoading,error} = useProjectInfra(projectId) const {projectInfra,isLoading,error} = useProjectInfra(projectId)

View File

@ -14,7 +14,7 @@ const ProjectNav = ({ onPillClick, activePill }) => {
<ul className="nav nav-tabs "> <ul className="nav nav-tabs ">
<li className="nav-item"> <li className="nav-item">
<a <a
className={`nav-link ${activePill === "profile" ? "active" : ""}`} className={`nav-link ${activePill === "profile" ? "active" : ""} fs-6`}
href="#" href="#"
onClick={(e) => { onClick={(e) => {
e.preventDefault(); e.preventDefault();
@ -26,7 +26,7 @@ const ProjectNav = ({ onPillClick, activePill }) => {
</li> </li>
<li className="nav-item"> <li className="nav-item">
<a <a
className={`nav-link ${activePill === "teams" ? "active" : ""}`} className={`nav-link ${activePill === "teams" ? "active" : ""} fs-6`}
href="#" href="#"
onClick={(e) => { onClick={(e) => {
e.preventDefault(); e.preventDefault();
@ -38,7 +38,7 @@ const ProjectNav = ({ onPillClick, activePill }) => {
</li> </li>
<li className={`nav-item ${!HasViewInfraStructure && "d-none"} `}> <li className={`nav-item ${!HasViewInfraStructure && "d-none"} `}>
<a <a
className={`nav-link ${activePill === "infra" ? "active" : ""}`} className={`nav-link ${activePill === "infra" ? "active" : ""} fs-6`}
href="#" href="#"
onClick={(e) => { onClick={(e) => {
e.preventDefault(); e.preventDefault();
@ -53,20 +53,20 @@ const ProjectNav = ({ onPillClick, activePill }) => {
<a <a
className={`nav-link ${ className={`nav-link ${
activePill === "imagegallary" ? "active" : "" activePill === "imagegallary" ? "active" : ""
}`} } fs-6`}
href="#" href="#"
onClick={(e) => { onClick={(e) => {
e.preventDefault(); // Prevent page reload e.preventDefault(); // Prevent page reload
onPillClick("imagegallary"); onPillClick("imagegallary");
}} }}
> >
<i className="bx bxs-file-image bx-sm me-1_5"></i> <span className="d-none d-md-inline">Image Gallary</span> <i className='bx bxs-cog bx-sm me-1_5'></i> <span className="d-none d-md-inline">project Setup</span>
</a> </a>
</li> </li>
{(DirAdmin || DireManager || DirUser) && ( {(DirAdmin || DireManager || DirUser) && (
<li className="nav-item"> <li className="nav-item">
<a <a
className={`nav-link ${activePill === "directory" ? "active" : ""}`} className={`nav-link ${activePill === "directory" ? "active" : ""} fs-6`}
href="#" href="#"
onClick={(e) => { onClick={(e) => {
e.preventDefault(); // Prevent page reload e.preventDefault(); // Prevent page reload

View File

@ -1,15 +1,168 @@
import React from "react"; import React from "react";
import { useEffect, useState } from "react";
import { useSelector } from "react-redux";
import { import {
useEmployeesByProjectAllocated, useEmployeesByProjectAllocated,
useProjects, useProjects,
} from "../../hooks/useProjects"; } from "../../hooks/useProjects";
import { formatNumber } from "../../utils/dateUtils"; import ReactApexChart from "react-apexcharts";
import ProgressBar from "../common/ProgressBar"; import Chart from "react-apexcharts";
const ProjectOverview = ({ project }) => { const ProjectOverview = ({ project }) => {
const { projects } = useProjects(); const { projects } = useProjects();
const [current_project, setCurrentProject] = useState(
projects.find((pro) => pro.id == project)
);
const project_detail = projects.find((pro) => pro.id == project); const selectedProject = useSelector(
(store) => store.localVariables.projectId
);
const getProgressInPercentage = (planned, completed) => {
if (completed && planned) return (completed * 100) / planned;
else return 0;
};
//let project_detail = projects.find((pro) => pro.id == project);
// Utility function to check if a number has a decimal part
const hasDecimal = (num) => {
// Convert to string and check for a decimal point
// Or, check if the number is not equal to its integer part
return num % 1 !== 0;
};
// FormattedNumber component to display numbers with conditional decimal places
function FormattedNumber(value, locale = "en-US") {
// Ensure the value is a number
const numericValue = parseFloat(value);
// Handle non-numeric values gracefully
if (isNaN(numericValue)) {
return 0;
}
let options = {};
// Determine formatting options based on whether the number has a decimal part
if (hasDecimal(numericValue)) {
// If it has a decimal, format to exactly two decimal places
options = {
minimumFractionDigits: 2,
maximumFractionDigits: 2,
};
} else {
// If it's a whole number, format to zero decimal places
options = {
minimumFractionDigits: 0,
maximumFractionDigits: 0,
};
}
// Use Intl.NumberFormat for robust and locale-aware formatting
const formattedString = new Intl.NumberFormat(locale, options).format(
numericValue
);
return formattedString;
}
const getRadialBarOptions = (percentage) => {
return {
chart: {
height: 350,
type: "radialBar",
sparkline: {
// Often used with gauges for a minimalist look
enabled: true,
},
},
plotOptions: {
radialBar: {
startAngle: -90, // Start the gauge from the left (bottom-left)
endAngle: 90, // End the gauge at the right (bottom-right)
hollow: {
size: "70%", // Size of the hollow part of the bar
},
dataLabels: {
show: true,
name: {
show: true,
fontSize: "16px",
fontFamily: "Inter, sans-serif",
color: "#6B7280", // Tailwind gray-500
offsetY: -10,
},
value: {
show: true,
fontSize: "28px",
fontFamily: "Inter, sans-serif",
color: "#374151", // Tailwind gray-700
offsetY: 20,
formatter: function (val) {
return FormattedNumber(val) + "%"; // Format value as percentage
},
},
},
track: {
background: "#E5E7EB", // Tailwind gray-200 for the track
strokeWidth: "97%",
margin: 5, // margin in between segments
dropShadow: {
enabled: true,
top: 2,
left: 0,
blur: 4,
opacity: 0.15,
},
},
},
},
fill: {
type: "gradient",
gradient: {
shade: "dark",
type: "horizontal",
shadeIntensity: 0.5,
gradientToColors: ["#6366F1"], // Tailwind indigo-500
inverseColors: true,
opacityFrom: 1,
opacityTo: 1,
stops: [0, 100],
},
},
stroke: {
lineCap: "round",
},
labels: ["Progress"],
series: [percentage],
};
};
const [radialPercentage, setRadialPercentage] = useState(75); // Initial percentage
const radialBarOptions = getRadialBarOptions(radialPercentage);
useEffect(() => {
if (current_project) {
let val = getProgressInPercentage(
current_project.plannedWork,
current_project.completedWork
);
setRadialPercentage(val);
} else setRadialPercentage(0);
}, [current_project]);
useEffect(() => {
setCurrentProject(projects.find((pro) => pro.id == selectedProject));
if (current_project) {
let val = getProgressInPercentage(
current_project.plannedWork,
current_project.completedWork
);
setRadialPercentage(val);
} else setRadialPercentage(0);
}, [selectedProject]);
return ( return (
<div className="card mb-6"> <div className="card mb-6">
@ -20,72 +173,78 @@ const ProjectOverview = ({ project }) => {
<span className="ms-2">Project Statistics</span> <span className="ms-2">Project Statistics</span>
</h6> </h6>
</div> </div>
<div className="card-body"> <div className="card-body">
<ul className="list-unstyled mb-0 mt-3 pt-1"> <ul className="list-unstyled m-0 p-0">
<li className="d-flex align-items-center mb-3"> <li className="d-flex flex-wrap">
<i className="bx bx-check"></i> <div className="w-100 d-flex flex-wrap">
<span className="fw-medium mx-2">Task Planned:</span>{" "} {/* Centered Chart */}
<span>{formatNumber(project_detail?.plannedWork)}</span> <div className="w-100 d-flex justify-content-center mb-3">
</li> <div >
<li className="d-flex align-items-center mb-3"> <Chart
<i className="bx bx-star"></i> options={radialBarOptions}
<span className="fw-medium mx-2">Task Completed:</span>{" "} series={radialBarOptions.series}
<span>{formatNumber(project_detail?.completedWork)}</span> type="radialBar"
</li> height="100%"
<li className="d-flex align-items-center mb-3"> />
<i className="bx bx-user"></i> </div>
<span className="fw-medium mx-2">Current team Size:</span>{" "} </div>
<span>{project_detail?.teamSize}</span>
</li> {/* Info Section */}
<li className=" mb-3"> <div className="mb-2" style={{ flex: "1 1 auto" }}>
{project_detail && ( <div>
<> {/* Tasks Planned */}
<div className="d-flex text-end mb-2 mt-5"> <div className="d-flex align-items-center mb-3">
<small className="text-body text-muted "> <div className="avatar me-2">
{/* {Math.floor( <span className="avatar-initial rounded-2 bg-label-primary">
getProgressInNumber( <i className="bx bx-check text-primary fs-4"></i>
</span>
project_detail.completedWork </div>
) <div className="d-flex flex-column text-start">
) || 0}{" "} */} <small className="fw-bold">Tasks Planned</small>
{ <h5 className="mb-0">
(formatNumber(project_detail.plannedWork), {FormattedNumber(current_project?.plannedWork)}
"/", </h5>
formatNumber(project_detail.completedWork)) </div>
} </div>
% Completed
</small> {/* Tasks Completed */}
</div> <div className="d-flex align-items-center mb-3">
{/* <div <div className="avatar me-2">
className="progress mb-4 rounded" <span className="avatar-initial rounded-2 bg-label-info">
style={{ height: "8px" }} <i className="bx bx-star text-info fs-4"></i>
> </span>
<div </div>
className="progress-bar rounded" <div className="d-flex flex-column text-start">
role="progressbar" <small className="fw-bold">Tasks Completed</small>
style={{ <h5 className="mb-0">
width: getProgress( {FormattedNumber(current_project?.completedWork)}
project_detail.plannedWork, </h5>
project_detail.completedWork </div>
), </div>
}}
aria-valuenow={project_detail.completedWork} {/* Team Size */}
aria-valuemin="0" <div className="d-flex align-items-center">
aria-valuemax={project_detail.plannedWork} <div className="avatar me-2">
></div> <span className="avatar-initial rounded-2 bg-label-primary">
</div> */} <i className="bx bx-group text-primary fs-4"></i>
<ProgressBar </span>
completedWork={formatNumber(project_detail?.completedWork)} </div>
plannedWork={formatNumber(project_detail?.plannedWork)} <div className="d-flex flex-column text-start">
className="m-0 text-info" <small className="fw-bold">Current Team Size</small>
/> <h5 className="mb-0">
</> {FormattedNumber(current_project?.teamSize)}
)} </h5>
</li> </div>
</ul> </div>
</div>
</div>
</div> </div>
</li>
</ul>
</div>
</div> </div>
); );
}; };
export default ProjectOverview; export default ProjectOverview;

View File

@ -7,7 +7,7 @@ import Avatar from "../common/Avatar";
import moment from "moment"; import moment from "moment";
import ProjectRepository from "../../repositories/ProjectRepository"; import ProjectRepository from "../../repositories/ProjectRepository";
import { useDispatch } from "react-redux"; import { useDispatch, useSelector } from "react-redux";
import { changeMaster } from "../../slices/localVariablesSlice"; import { changeMaster } from "../../slices/localVariablesSlice";
import useMaster from "../../hooks/masterHook/useMaster"; import useMaster from "../../hooks/masterHook/useMaster";
import { useHasUserPermission } from "../../hooks/useHasUserPermission"; import { useHasUserPermission } from "../../hooks/useHasUserPermission";
@ -18,7 +18,8 @@ import {useEmployeesByProjectAllocated, useManageProjectAllocation} from "../../
const Teams = () => const Teams = () =>
{ {
const {projectId} = useParams() // const {projectId} = useParams()
const projectId = useSelector((store)=>store.localVariables.projectId)
const dispatch = useDispatch(); const dispatch = useDispatch();
const { data, loading } = useMaster(); const { data, loading } = useMaster();

View File

@ -26,7 +26,8 @@ const DateRangePicker = ({
altFormat: "d-m-Y", altFormat: "d-m-Y",
defaultDate: [startDate, endDate], defaultDate: [startDate, endDate],
static: true, static: true,
clickOpens: true, clickOpens: true,
maxDate: endDate, // Disable future dates
onChange: (selectedDates, dateStr) => { onChange: (selectedDates, dateStr) => {
const [startDateString, endDateString] = dateStr.split(" to "); const [startDateString, endDateString] = dateStr.split(" to ");
onRangeChange?.({ startDate: startDateString, endDate: endDateString }); onRangeChange?.({ startDate: startDateString, endDate: endDateString });
@ -54,4 +55,4 @@ const DateRangePicker = ({
); );
}; };
export default DateRangePicker; export default DateRangePicker;

View File

@ -120,11 +120,11 @@ export const useEmployeesAllOrByProjectId = (projectId, showInactive) => {
: ['projectEmployees', projectId]; : ['projectEmployees', projectId];
const queryFn = async () => { const queryFn = async () => {
if (isAllEmployees) { if (isAllEmployees) {
const res = await EmployeeRepository.getAllEmployeeList(showInactive); const res = await EmployeeRepository.getAllEmployeeList(showInactive);
return res.data; return res.data;
} else { } else {
const res = await ProjectRepository.getEmployeesByProject(projectId); const res = await EmployeeRepository.getEmployeeListByproject(projectId);
return res.data; return res.data;
} }
}; };

View File

@ -0,0 +1,85 @@
import { useState, useCallback } from "react";
// import { ImageGalleryAPI } from "../repositories/ImageGalleyRepository";
import { ImageGalleryAPI } from "../repositories/ImageGalleryAPI";
const PAGE_SIZE = 10;
const useImageGallery = (selectedProjectId) => {
const [images, setImages] = useState([]);
const [allImagesData, setAllImagesData] = useState([]);
const [pageNumber, setPageNumber] = useState(1);
const [hasMore, setHasMore] = useState(true);
const [loading, setLoading] = useState(false);
const [loadingMore, setLoadingMore] = useState(false);
const fetchImages = useCallback(async (page = 1, filters = {}, reset = false) => {
if (!selectedProjectId) return;
try {
if (page === 1) {
setLoading(true);
} else {
setLoadingMore(true);
}
const res = await ImageGalleryAPI.ImagesGet(
selectedProjectId,
filters,
page,
PAGE_SIZE
);
const newBatches = res.data || [];
const receivedCount = newBatches.length;
setImages((prev) => {
if (page === 1 || reset) return newBatches;
const uniqueNew = newBatches.filter(
(batch) => !prev.some((b) => b.batchId === batch.batchId)
);
return [...prev, ...uniqueNew];
});
setAllImagesData((prev) => {
if (page === 1 || reset) return newBatches;
const uniqueAll = newBatches.filter(
(batch) => !prev.some((b) => b.batchId === batch.batchId)
);
return [...prev, ...uniqueAll];
});
setHasMore(receivedCount === PAGE_SIZE);
} catch (error) {
console.error("Error fetching images:", error);
if (page === 1) {
setImages([]);
setAllImagesData([]);
}
setHasMore(false);
} finally {
setLoading(false);
setLoadingMore(false);
}
}, [selectedProjectId]);
const resetGallery = useCallback(() => {
setImages([]);
setAllImagesData([]);
setPageNumber(1);
setHasMore(true);
}, []);
return {
images,
allImagesData,
pageNumber,
setPageNumber,
hasMore,
loading,
loadingMore,
fetchImages,
resetGallery,
};
};
export default useImageGallery;

View File

@ -1,12 +1,31 @@
import { useState, useMemo } from "react"; import { useState, useMemo,useEffect } from "react";
const usePagination = (data, itemsPerPage) => { const usePagination = (data, itemsPerPage) => {
const [currentPage, setCurrentPage] = useState(1); const [currentPage, setCurrentPage] = useState(1);
const totalPages = Math.ceil(data?.length / itemsPerPage);
// const totalPages = Math.ceil(data?.length / itemsPerPage);
// add this new line
const totalPages = useMemo(() => {
return Math.ceil((data?.length || 0) / itemsPerPage);
}, [data?.length, itemsPerPage]);
useEffect(() => {
if (currentPage > totalPages && totalPages > 0) {
setCurrentPage(1);
} else if (!data || data.length === 0) {
setCurrentPage(1);
} else if (currentPage === 0 && totalPages > 0) {
setCurrentPage(1);
}
}, [data, totalPages, currentPage]);
const currentItems = useMemo(() => { const currentItems = useMemo(() => {
const startIndex = (currentPage - 1) * itemsPerPage; const startIndex = (currentPage - 1) * itemsPerPage;
return data?.slice(startIndex, startIndex + itemsPerPage);
// return data?.slice(startIndex, startIndex + itemsPerPage);
return data?.slice(startIndex, startIndex + itemsPerPage) || [];
}, [data, currentPage, itemsPerPage]); }, [data, currentPage, itemsPerPage]);
const paginate = (pageNumber) => { const paginate = (pageNumber) => {

View File

@ -311,14 +311,72 @@ export const useManageTask = ({ onSuccessCallback }) => {
const selectedProject = useSelector( const selectedProject = useSelector(
(store) => store.localVariables.projectId (store) => store.localVariables.projectId
); );
return useMutation({ return useMutation({
mutationFn: async ({ payload, PreviousPlannedWork }) => mutationFn: async ({
await ProjectRepository.manageProjectTasks(payload), payload,
PreviousPlannedWork,
previousCompletedWork,
buildingId,
floorId,
workAreaId,
}) => await ProjectRepository.manageProjectTasks(payload),
onSuccess: (data, variables) => { onSuccess: (data, variables) => {
const { PreviousPlannedWork } = variables; const {
workAreaId,
buildingId,
floorId,
PreviousPlannedWork,
previousCompletedWork,
} = variables;
queryClient.invalidateQueries({ queryKey: ["WorkItems"] }); queryClient.invalidateQueries({ queryKey: ["WorkItems"] });
const getPlannedDelta = (previous, current) => current - previous; const getPlannedDelta = (previous, current) => current - previous;
queryClient.setQueryData(["ProjectInfra", selectedProject], (oldData) => {
if (!oldData) return oldData;
const { workAreaId, floorId, buildingId } = variables;
const updatedData = JSON.parse(JSON.stringify(oldData));
return updatedData.map((building) => {
if (building.id !== buildingId) return building;
return {
...building,
floors: building.floors.map((floor) => {
if (floor.id !== floorId) return floor;
return {
...floor,
workAreas: floor.workAreas.map((area) => {
if (area.id !== workAreaId) return area;
const previousPlanned = PreviousPlannedWork ?? 0;
const currentPlanned =
data?.data[0]?.workItem.plannedWork ?? 0;
const plannedWorkDelta = getPlannedDelta(
previousPlanned,
currentPlanned
);
const updatedPlannedWork =
(area.plannedWork ?? 0) + plannedWorkDelta;
const previousCompleted = previousCompletedWork;
const currentCompleted =
data?.data[0]?.workItem.completedWork ?? 0;
const completedWorkDelta = getPlannedDelta(
previousCompleted,
currentCompleted
);
const updatedCompletedWork =
(area.completedWork ?? 0) + completedWorkDelta;
return {
...area,
plannedWork: updatedPlannedWork,
completedWork: updatedCompletedWork,
};
}),
};
}),
};
});
});
queryClient.setQueryData(["ProjectsList"], (projects) => { queryClient.setQueryData(["ProjectsList"], (projects) => {
if (!projects) return projects; if (!projects) return projects;
@ -326,20 +384,30 @@ export const useManageTask = ({ onSuccessCallback }) => {
return projects.map((project) => { return projects.map((project) => {
if (project.id !== selectedProject) return project; if (project.id !== selectedProject) return project;
const previous = PreviousPlannedWork ?? 0; const previousPlanned = PreviousPlannedWork ?? 0;
const current = data?.data[0]?.workItem.plannedWork ?? 0; const currentPlanned = data?.data[0]?.workItem.plannedWork ?? 0;
const plannedWorkDelta = getPlannedDelta(previous, current); const plannedWorkDelta = getPlannedDelta(
previousPlanned,
currentPlanned
);
const updatedPlannedWork = const updatedPlannedWork =
(project.plannedWork ?? 0) + plannedWorkDelta; (project.plannedWork ?? 0) + plannedWorkDelta;
const previousCompleted = previousCompletedWork;
const currentCompleted = data?.data[0]?.workItem.completedWork ?? 0;
const completedWorkDelta = getPlannedDelta(
previousCompleted,
currentCompleted
);
const updatedCompletedWork =
(project.completedWork ?? 0) + completedWorkDelta;
return { return {
...project, ...project,
plannedWork: updatedPlannedWork, plannedWork: updatedPlannedWork,
completedWork: updatedCompletedWork,
}; };
}); });
}); });
if (onSuccessCallback) onSuccessCallback(data); if (onSuccessCallback) onSuccessCallback(data);
}, },
onError: (error) => { onError: (error) => {
@ -354,16 +422,73 @@ export const useManageTask = ({ onSuccessCallback }) => {
export const useDeleteProjectTask = (onSuccessCallback) => { export const useDeleteProjectTask = (onSuccessCallback) => {
const queryClient = useQueryClient(); const queryClient = useQueryClient();
const selectedProject = useSelector(
(store) => store.localVariables.projectId
);
return useMutation({ return useMutation({
mutationFn: async ({ workItemId, workAreaId }) => { mutationFn: async ({
workItemId,
workAreaId,
completedTask,
plannedTask,
}) => {
return await ProjectRepository.deleteProjectTask(workItemId); return await ProjectRepository.deleteProjectTask(workItemId);
}, },
onSuccess: (_, variables) => { onSuccess: (_, variables) => {
showToast("Task deleted successfully", "success"); const { completedTask, plannedTask, workAreaId, buildingId, floorId } =
variables;
queryClient.invalidateQueries({ queryClient.invalidateQueries({
queryKey: ["WorkItems", variables.workAreaId], queryKey: ["WorkItems", variables.workAreaId],
}); });
queryClient.setQueryData(["ProjectInfra", selectedProject], (oldData) => {
if (!oldData) return oldData;
const { workAreaId, floorId, buildingId, plannedTask, completedTask } =
variables;
const updatedData = JSON.parse(JSON.stringify(oldData));
return updatedData.map((building) => {
if (building.id !== buildingId) return building;
return {
...building,
floors: building.floors.map((floor) => {
if (floor.id !== floorId) return floor;
return {
...floor,
workAreas: floor.workAreas.map((area) => {
if (area.id !== workAreaId) return area;
return {
...area,
plannedWork: (area.plannedWork ?? 0) - plannedTask,
completedWork: (area.completedWork ?? 0) - completedTask,
};
}),
};
}),
};
});
});
queryClient.setQueryData(["ProjectsList"], (projects) => {
if (!projects) return projects;
return projects.map((project) => {
if (project.id !== selectedProject) return project;
return {
...project,
plannedWork: (project.plannedWork ?? 0) - plannedTask,
completedWork: (project.completedWork ?? 0) - completedTask,
};
});
});
showToast("Task deleted successfully", "success");
if (onSuccessCallback) onSuccessCallback(); if (onSuccessCallback) onSuccessCallback();
}, },
onError: (error) => { onError: (error) => {

View File

@ -78,17 +78,17 @@ export const useAuditStatus = () => {
return { status, loading, error, refetch }; return { status, loading, error, refetch };
}; };
// ---------====================Mutation================------------------ // -----------------------Mutation------------------------
const toDate = new Date().toISOString().split("T")[0]; const toDate = new Date().toISOString().split("T")[0];
const dateFrom = new Date(Date.now() - 6 * 24 * 60 * 60 * 1000) const dateFrom = new Date(Date.now() - 6 * 24 * 60 * 60 * 1000)
.toISOString() .toISOString()
.split("T")[0]; .split("T")[0];
export const useReportTask = ({ onSuccessCallback, onErrorCallback } = {}) => { export const useReportTask = ({ onSuccessCallback, onErrorCallback } = {}) => {
const queryClient = useQueryClient();
const selectedProject = useSelector( const selectedProject = useSelector(
(store) => store.localVariables.projectId (store) => store.localVariables.projectId
); );
const queryClient = useQueryClient();
const { mutate, isPending, isSuccess, isError, error } = useMutation({ const { mutate, isPending, isSuccess, isError, error } = useMutation({
mutationFn: async ({ reportData, workAreaId }) => { mutationFn: async ({ reportData, workAreaId }) => {
return await TasksRepository.reportTask(reportData); return await TasksRepository.reportTask(reportData);
@ -138,7 +138,6 @@ export const useReportTask = ({ onSuccessCallback, onErrorCallback } = {}) => {
}; };
}); });
}); });
showToast("Task Reported Successfully.", "success"); showToast("Task Reported Successfully.", "success");
if (onSuccessCallback) onSuccessCallback(data); if (onSuccessCallback) onSuccessCallback(data);
}, },

View File

@ -21,13 +21,14 @@ import { useHasUserPermission } from "../../hooks/useHasUserPermission";
import { REGULARIZE_ATTENDANCE } from "../../utils/constants"; import { REGULARIZE_ATTENDANCE } from "../../utils/constants";
import eventBus from "../../services/eventBus"; import eventBus from "../../services/eventBus";
import AttendanceRepository from "../../repositories/AttendanceRepository"; import AttendanceRepository from "../../repositories/AttendanceRepository";
import { useProjectName } from "../../hooks/useProjects";
const AttendancePage = () => { const AttendancePage = () => {
const [activeTab, setActiveTab] = useState("all"); const [activeTab, setActiveTab] = useState("all");
const [ShowPending, setShowPending] = useState(false); const [ShowPending, setShowPending] = useState(false);
const loginUser = getCachedProfileData(); const loginUser = getCachedProfileData();
var selectedProject = useSelector((store) => store.localVariables.projectId); var selectedProject = useSelector((store) => store.localVariables.projectId);
// const { projects, loading: projectLoading } = useProjects(); const dispatch = useDispatch()
const { const {
attendance, attendance,
loading: attLoading, loading: attLoading,
@ -38,7 +39,8 @@ const AttendancePage = () => {
const [isCreateModalOpen, setIsCreateModalOpen] = useState(false); const [isCreateModalOpen, setIsCreateModalOpen] = useState(false);
const [modelConfig, setModelConfig] = useState(); const [modelConfig, setModelConfig] = useState();
const DoRegularized = useHasUserPermission(REGULARIZE_ATTENDANCE); const DoRegularized = useHasUserPermission(REGULARIZE_ATTENDANCE);
const dispatch = useDispatch(); const { projectNames, loading: projectLoading, fetchData } = useProjectName();
const [formData, setFormData] = useState({ const [formData, setFormData] = useState({
markTime: "", markTime: "",
@ -130,7 +132,13 @@ const AttendancePage = () => {
const handleToggle = (event) => { const handleToggle = (event) => {
setShowOnlyCheckout(event.target.checked); setShowOnlyCheckout(event.target.checked);
}; };
useEffect(() => {
if(selectedProject == null){
dispatch(setProjectId(projectNames[0]?.id));
}
},[])
useEffect(() => { useEffect(() => {
if (modelConfig !== null) { if (modelConfig !== null) {
openModel(); openModel();
@ -140,18 +148,7 @@ const AttendancePage = () => {
setAttendances(attendance); setAttendances(attendance);
}, [attendance]); }, [attendance]);
// useEffect(() => {
// if (selectedProject === 1 || selectedProject === undefined) {
// dispatch(setProjectId(loginUser?.projects[0]));
// }
// }, [selectedProject, loginUser?.projects]);
// Filter attendance data based on the toggle
// const filteredAttendance = showOnlyCheckout
// ? attendances?.filter(
// (att) => att?.checkOutTime !== null && att?.checkInTime !== null
// )
// : attendances;
const filteredAttendance = ShowPending const filteredAttendance = ShowPending
? attendances?.filter( ? attendances?.filter(
(att) => att?.checkInTime !== null && att?.checkOutTime === null (att) => att?.checkInTime !== null && att?.checkOutTime === null
@ -233,7 +230,7 @@ const AttendancePage = () => {
<li className="nav-item"> <li className="nav-item">
<button <button
type="button" type="button"
className={`nav-link ${activeTab === "all" ? "active" : ""}`} className={`nav-link ${activeTab === "all" ? "active" : ""} fs-6`}
onClick={() => setActiveTab("all")} onClick={() => setActiveTab("all")}
data-bs-toggle="tab" data-bs-toggle="tab"
data-bs-target="#navs-top-home" data-bs-target="#navs-top-home"
@ -244,7 +241,7 @@ const AttendancePage = () => {
<li className="nav-item"> <li className="nav-item">
<button <button
type="button" type="button"
className={`nav-link ${activeTab === "logs" ? "active" : ""}`} className={`nav-link ${activeTab === "logs" ? "active" : ""} fs-6`}
onClick={() => setActiveTab("logs")} onClick={() => setActiveTab("logs")}
data-bs-toggle="tab" data-bs-toggle="tab"
data-bs-target="#navs-top-profile" data-bs-target="#navs-top-profile"
@ -257,7 +254,7 @@ const AttendancePage = () => {
type="button" type="button"
className={`nav-link ${ className={`nav-link ${
activeTab === "regularization" ? "active" : "" activeTab === "regularization" ? "active" : ""
}`} } fs-6`}
onClick={() => setActiveTab("regularization")} onClick={() => setActiveTab("regularization")}
data-bs-toggle="tab" data-bs-toggle="tab"
data-bs-target="#navs-top-messages" data-bs-target="#navs-top-messages"
@ -269,7 +266,8 @@ const AttendancePage = () => {
<div className="tab-content attedanceTabs py-0 px-1 px-sm-3"> <div className="tab-content attedanceTabs py-0 px-1 px-sm-3">
{activeTab === "all" && ( {activeTab === "all" && (
<> <>
<div className="tab-pane fade show active py-0"> {!attLoading && (
<div className="tab-pane fade show active py-0">
<Attendance <Attendance
attendance={filteredAttendance} attendance={filteredAttendance}
handleModalData={handleModalData} handleModalData={handleModalData}
@ -278,6 +276,7 @@ const AttendancePage = () => {
showOnlyCheckout={ShowPending} showOnlyCheckout={ShowPending}
/> />
</div> </div>
)}
{!attLoading && filteredAttendance?.length === 0 && ( {!attLoading && filteredAttendance?.length === 0 && (
<p> <p>
{" "} {" "}

View File

@ -2,7 +2,7 @@ import React, { useEffect, useState, useRef } from "react";
import { useDispatch, useSelector } from "react-redux"; import { useDispatch, useSelector } from "react-redux";
import Breadcrumb from "../../components/common/Breadcrumb"; import Breadcrumb from "../../components/common/Breadcrumb";
import { useTaskList } from "../../hooks/useTasks"; import { useTaskList } from "../../hooks/useTasks";
import { useProjects } from "../../hooks/useProjects"; import { useProjectName, useProjects } from "../../hooks/useProjects";
import { setProjectId } from "../../slices/localVariablesSlice"; import { setProjectId } from "../../slices/localVariablesSlice";
import { ReportTask } from "../../components/Activities/ReportTask"; import { ReportTask } from "../../components/Activities/ReportTask";
import ReportTaskComments from "../../components/Activities/ReportTaskComments"; import ReportTaskComments from "../../components/Activities/ReportTaskComments";
@ -14,13 +14,15 @@ import GlobalModel from "../../components/common/GlobalModel";
import AssignTask from "../../components/Project/AssignTask"; import AssignTask from "../../components/Project/AssignTask";
import SubTask from "../../components/Activities/SubTask"; import SubTask from "../../components/Activities/SubTask";
import {formatNumber} from "../../utils/dateUtils"; import {formatNumber} from "../../utils/dateUtils";
import { useHasUserPermission } from "../../hooks/useHasUserPermission";
import { APPROVE_TASK, ASSIGN_REPORT_TASK } from "../../utils/constants";
const DailyTask = () => { const DailyTask = () => {
const [searchParams] = useSearchParams();
const projectIdFromUrl = searchParams.get("project");
const selectedProject = useSelector( const selectedProject = useSelector(
(store) => store.localVariables.projectId (store) => store.localVariables.projectId
); );
const dispatch = useDispatch()
const { projectNames, loading: projectLoading, fetchData } = useProjectName();
const [filters, setFilters] = useState({ const [filters, setFilters] = useState({
@ -32,6 +34,8 @@ const DailyTask = () => {
const [dateRange, setDateRange] = useState({ startDate: "", endDate: "" }); const [dateRange, setDateRange] = useState({ startDate: "", endDate: "" });
const ApprovedTaskRights = useHasUserPermission(APPROVE_TASK)
const ReportTaskRights = useHasUserPermission(ASSIGN_REPORT_TASK)
const { const {
TaskList, TaskList,
@ -44,7 +48,11 @@ const DailyTask = () => {
dateRange?.endDate || null dateRange?.endDate || null
); );
useEffect(() => {
if(selectedProject == null){
dispatch(setProjectId(projectNames[0]?.id));
}
},[])
const [TaskLists, setTaskLists] = useState([]); const [TaskLists, setTaskLists] = useState([]);
const [dates, setDates] = useState([]); const [dates, setDates] = useState([]);
const popoverRefs = useRef([]); const popoverRefs = useRef([]);
@ -386,6 +394,7 @@ const DailyTask = () => {
</td> </td>
<td className="text-center"> <td className="text-center">
<div className="d-flex justify-content-end"> <div className="d-flex justify-content-end">
{ ReportTaskRights &&
<button <button
type="button" type="button"
className={`btn btn-xs btn-primary ${ className={`btn btn-xs btn-primary ${
@ -400,7 +409,8 @@ const DailyTask = () => {
> >
Report Report
</button> </button>
{task.reportedDate && ( }
{(ApprovedTaskRights && task.reportedDate ) && (
<button <button
type="button" type="button"
className={`btn btn-xs btn-warning ${ className={`btn btn-xs btn-warning ${

View File

@ -1,9 +1,23 @@
import React from "react"; import React,{useEffect} from "react";
import Breadcrumb from "../../components/common/Breadcrumb"; import Breadcrumb from "../../components/common/Breadcrumb";
import InfraPlanning from "../../components/Activities/InfraPlanning"; import InfraPlanning from "../../components/Activities/InfraPlanning";
import { useProjectName } from "../../hooks/useProjects";
import { useDispatch, useSelector } from "react-redux";
import { setProjectId } from "../../slices/localVariablesSlice";
const TaskPlannng = () => { const TaskPlannng = () => {
const selectedProject = useSelector(
(store) => store.localVariables.projectId
);
const dispatch = useDispatch()
const { projectNames, loading: projectLoading, fetchData } = useProjectName();
useEffect(() => {
if(selectedProject == null){
dispatch(setProjectId(projectNames[0]?.id));
}
},[])
return ( return (
<> <>

View File

@ -260,7 +260,7 @@ const Directory = ({ IsPage = true, prefernceContacts }) => {
}, [prefernceContacts]); }, [prefernceContacts]);
return ( return (
<div className="container-fluid"> <div className={IsPage ? "container-fluid":""}>
{IsPage && ( {IsPage && (
<Breadcrumb <Breadcrumb
data={[ data={[

View File

@ -1,25 +1,43 @@
import React, { useState, useEffect, useRef, useCallback } from "react"; import React, { useState, useEffect, useRef, useCallback } from "react";
import "./ImageGallery.css"; import "./ImageGallery.css";
import { ImageGalleryAPI } from "./ImageGalleryAPI";
import moment from "moment"; import moment from "moment";
import { useSelector } from "react-redux"; import { useDispatch, useSelector } from "react-redux";
import { useModal } from "./ModalContext"; import { useModal } from "./ModalContext";
import ImagePop from "./ImagePop"; import ImagePop from "./ImagePop";
import Avatar from "../../components/common/Avatar"; import Avatar from "../../components/common/Avatar";
import DateRangePicker from "../../components/common/DateRangePicker"; import DateRangePicker from "../../components/common/DateRangePicker";
import eventBus from "../../services/eventBus"; import eventBus from "../../services/eventBus";
import Breadcrumb from "../../components/common/Breadcrumb"; import Breadcrumb from "../../components/common/Breadcrumb";
import {formatUTCToLocalTime} from "../../utils/dateUtils"; import { formatUTCToLocalTime } from "../../utils/dateUtils";
import useImageGallery from "../../hooks/useImageGallery";
import { useProjectName } from "../../hooks/useProjects";
import { setProjectId } from "../../slices/localVariablesSlice";
const PAGE_SIZE = 10;
const SCROLL_THRESHOLD = 5; const SCROLL_THRESHOLD = 5;
const ImageGallery = () => { const ImageGallery = () => {
const [images, setImages] = useState([]);
const [allImagesData, setAllImagesData] = useState([]);
const [pageNumber, setPageNumber] = useState(1);
const [hasMore, setHasMore] = useState(true);
const selectedProjectId = useSelector((store) => store.localVariables.projectId); const selectedProjectId = useSelector((store) => store.localVariables.projectId);
const dispatch = useDispatch()
const { projectNames, loading: projectLoading, fetchData } = useProjectName();
useEffect(() => {
if(selectedProjectId == null){
dispatch(setProjectId(projectNames[0]?.id));
}
},[])
const {
images,
allImagesData,
pageNumber,
setPageNumber,
hasMore,
loading,
loadingMore,
fetchImages,
resetGallery,
} = useImageGallery(selectedProjectId);
const { openModal } = useModal(); const { openModal } = useModal();
const yesterday = moment().subtract(1, 'days').format('YYYY-MM-DD'); const yesterday = moment().subtract(1, 'days').format('YYYY-MM-DD');
@ -58,8 +76,6 @@ const ImageGallery = () => {
const [isFilterPanelOpen, setIsFilterPanelOpen] = useState(false); const [isFilterPanelOpen, setIsFilterPanelOpen] = useState(false);
const [hoveredImage, setHoveredImage] = useState(null); const [hoveredImage, setHoveredImage] = useState(null);
const [loading, setLoading] = useState(true);
const [loadingMore, setLoadingMore] = useState(false);
const imageGroupRefs = useRef({}); const imageGroupRefs = useRef({});
const loaderRef = useRef(null); const loaderRef = useRef(null);
@ -91,71 +107,18 @@ const ImageGallery = () => {
useEffect(() => { useEffect(() => {
if (!selectedProjectId) { if (!selectedProjectId) {
setImages([]); resetGallery();
setAllImagesData([]);
setLoading(false);
setHasMore(false);
return; return;
} }
setImages([]); resetGallery();
setPageNumber(1);
setHasMore(true);
setLoading(true);
setAllImagesData([]);
fetchImages(1, appliedFilters, true); fetchImages(1, appliedFilters, true);
}, [selectedProjectId, appliedFilters]); }, [selectedProjectId, appliedFilters]);
const fetchImages = useCallback(async (page, filters) => {
if (!selectedProjectId) return;
try {
if (page === 1) {
setLoading(true);
} else {
setLoadingMore(true);
}
const res = await ImageGalleryAPI.ImagesGet(selectedProjectId, filters, page, PAGE_SIZE);
const newBatches = res.data || [];
const receivedCount = newBatches.length;
setImages((prevImages) => {
const uniqueNewBatches = newBatches.filter(
(newBatch) => !prevImages.some((prevBatch) => prevBatch.batchId === newBatch.batchId)
);
return [...prevImages, ...uniqueNewBatches];
});
setAllImagesData((prevAllImages) => {
const uniqueAllImages = newBatches.filter(
(newBatch) => !prevAllImages.some((prevBatch) => prevBatch.batchId === newBatch.batchId)
);
return [...prevAllImages, ...uniqueAllImages];
});
setHasMore(receivedCount === PAGE_SIZE);
} catch (err) {
console.error("Error fetching images:", err);
if (page === 1) {
setImages([]);
setAllImagesData([]);
}
setHasMore(false);
} finally {
setLoading(false);
setLoadingMore(false);
}
}, [selectedProjectId]);
useEffect(() => { useEffect(() => {
const handleExternalEvent = (data) => { const handleExternalEvent = (data) => {
if (selectedProjectId === data.projectId) { if (selectedProjectId === data.projectId) {
setImages([]); resetGallery();
setAllImagesData([]);
setPageNumber(1);
setHasMore(true);
fetchImages(1, appliedFilters, true); fetchImages(1, appliedFilters, true);
} }
}; };
@ -196,20 +159,13 @@ const ImageGallery = () => {
if (pageNumber > 1) { if (pageNumber > 1) {
fetchImages(pageNumber, appliedFilters); fetchImages(pageNumber, appliedFilters);
} }
}, [pageNumber, fetchImages, appliedFilters]); }, [pageNumber]);
const getUniqueValuesWithIds = useCallback((idKey, nameKey) => { const getUniqueValuesWithIds = useCallback((idKey, nameKey) => {
const map = new Map(); const map = new Map();
allImagesData.forEach(batch => { allImagesData.forEach(batch => {
let id; let id = idKey === "floorIds" ? batch.floorIds : batch[idKey];
if (idKey === "floorIds") {
id = batch.floorIds;
} else {
id = batch[idKey];
}
const name = batch[nameKey]; const name = batch[nameKey];
if (id && name && !map.has(id)) { if (id && name && !map.has(id)) {
map.set(id, name); map.set(id, name);
} }
@ -229,7 +185,7 @@ const ImageGallery = () => {
} }
}); });
}); });
return Array.from(uniqueUsersMap.entries()).sort((a, b) => a[1].localeCompare(b[1])); return Array.from(uniqueUsersMap.entries()).sort((a, b) => a[1].localeCompare(b[1]));
}, [allImagesData]); }, [allImagesData]);
const buildings = getUniqueValuesWithIds("buildingId", "buildingName"); const buildings = getUniqueValuesWithIds("buildingId", "buildingName");
@ -272,30 +228,12 @@ const ImageGallery = () => {
const handleApplyFilters = useCallback(() => { const handleApplyFilters = useCallback(() => {
const payload = { const payload = {
buildingIds: buildingIds: selectedFilters.building.length ? selectedFilters.building.map((item) => item[0]) : null,
selectedFilters.building.length > 0 floorIds: selectedFilters.floor.length ? selectedFilters.floor.map((item) => item[0]) : null,
? selectedFilters.building.map((item) => item[0]) workAreaIds: selectedFilters.workArea.length ? selectedFilters.workArea.map((item) => item[0]) : null,
: null, workCategoryIds: selectedFilters.workCategory.length ? selectedFilters.workCategory.map((item) => item[0]) : null,
floorIds: activityIds: selectedFilters.activity.length ? selectedFilters.activity.map((item) => item[0]) : null,
selectedFilters.floor.length > 0 uploadedByIds: selectedFilters.uploadedBy.length ? selectedFilters.uploadedBy.map((item) => item[0]) : null,
? selectedFilters.floor.map((item) => item[0])
: null,
workAreaIds:
selectedFilters.workArea.length > 0
? selectedFilters.workArea.map((item) => item[0])
: null,
workCategoryIds:
selectedFilters.workCategory.length > 0
? selectedFilters.workCategory.map((item) => item[0])
: null,
activityIds:
selectedFilters.activity.length > 0
? selectedFilters.activity.map((item) => item[0])
: null,
uploadedByIds:
selectedFilters.uploadedBy.length > 0
? selectedFilters.uploadedBy.map((item) => item[0])
: null,
startDate: selectedFilters.startDate || null, startDate: selectedFilters.startDate || null,
endDate: selectedFilters.endDate || null, endDate: selectedFilters.endDate || null,
}; };
@ -303,30 +241,23 @@ const ImageGallery = () => {
const areFiltersChanged = Object.keys(payload).some(key => { const areFiltersChanged = Object.keys(payload).some(key => {
const oldVal = appliedFilters[key]; const oldVal = appliedFilters[key];
const newVal = payload[key]; const newVal = payload[key];
if (Array.isArray(oldVal) && Array.isArray(newVal)) { if (Array.isArray(oldVal) && Array.isArray(newVal)) {
if (oldVal.length !== newVal.length) return true; if (oldVal.length !== newVal.length) return true;
const oldSet = new Set(oldVal); const oldSet = new Set(oldVal);
const newSet = new Set(newVal); const newSet = new Set(newVal);
if (oldSet.size !== newSet.size) return true;
for (const item of newSet) { for (const item of newSet) {
if (!oldSet.has(item)) return true; if (!oldSet.has(item)) return true;
} }
return false; return false;
} }
if ((oldVal === null && newVal === "") || (oldVal === "" && newVal === null)) { if ((oldVal === null && newVal === "") || (oldVal === "" && newVal === null)) return false;
return false;
}
return oldVal !== newVal; return oldVal !== newVal;
}); });
if (areFiltersChanged) { if (areFiltersChanged) {
setAppliedFilters(payload); setAppliedFilters(payload);
setImages([]); resetGallery();
setPageNumber(1);
setHasMore(true);
} }
// Removed setIsFilterPanelOpen(false); to keep the drawer open
}, [selectedFilters, appliedFilters]); }, [selectedFilters, appliedFilters]);
const handleClearAllFilters = useCallback(() => { const handleClearAllFilters = useCallback(() => {
@ -353,9 +284,7 @@ const ImageGallery = () => {
endDate: null, endDate: null,
}; };
setAppliedFilters(initialStateApplied); setAppliedFilters(initialStateApplied);
setImages([]); resetGallery();
setPageNumber(1);
setHasMore(true);
}, []); }, []);
const scrollLeft = useCallback((key) => { const scrollLeft = useCallback((key) => {
@ -382,22 +311,18 @@ const ImageGallery = () => {
Clear Clear
</button> </button>
)} )}
{type !== "dateRange" && {type !== "dateRange" && selectedFilters[type]?.length > 0 && (
selectedFilters[type] && <button
selectedFilters[type].length > 0 && ( className="clear-button"
<button onClick={(e) => {
className="clear-button" e.stopPropagation();
onClick={(e) => { setSelectedFilters((prev) => ({ ...prev, [type]: [] }));
e.stopPropagation(); }}
setSelectedFilters((prev) => ({ ...prev, [type]: [] })); >
}} Clear
> </button>
Clear )}
</button> <span className="collapse-icon">{collapsedFilters[type] ? '+' : '-'}</span>
)}
<span className="collapse-icon">
{collapsedFilters[type] ? '+' : '-'}
</span>
</div> </div>
</div> </div>
{!collapsedFilters[type] && ( {!collapsedFilters[type] && (
@ -406,31 +331,22 @@ const ImageGallery = () => {
<div className="date-range-inputs"> <div className="date-range-inputs">
<DateRangePicker <DateRangePicker
onRangeChange={setDateRange} onRangeChange={setDateRange}
defaultStartDate={selectedFilters.startDate || yesterday} endDateMode="today"
defaultEndDate={selectedFilters.endDate || moment().format('YYYY-MM-DD')}
startDate={selectedFilters.startDate} startDate={selectedFilters.startDate}
endDate={selectedFilters.endDate} endDate={selectedFilters.endDate}
/> />
</div> </div>
) : ( ) : (
items.map((item) => { items.map(([itemId, itemName]) => (
const itemId = item[0]; <label key={itemId}>
const itemName = item[1]; <input
const isChecked = selectedFilters[type].some( type="checkbox"
(selectedItem) => selectedItem[0] === itemId checked={selectedFilters[type].some((item) => item[0] === itemId)}
); onChange={() => toggleFilter(type, itemId, itemName)}
/>
return ( {itemName}
<label key={itemId}> </label>
<input ))
type="checkbox"
checked={isChecked}
onChange={() => toggleFilter(type, itemId, itemName)}
/>
{itemName}
</label>
);
})
)} )}
</div> </div>
)} )}
@ -438,40 +354,25 @@ const ImageGallery = () => {
); );
return ( return (
<div className={`gallery-container container-fluid ${ isFilterPanelOpen ? "filter-panel-open-end" : "" }`}> <div className={`gallery-container container-fluid ${isFilterPanelOpen ? "filter-panel-open-end" : ""}`}>
<Breadcrumb <Breadcrumb data={[{ label: "Home", link: "/" }, { label: "Gallary", link: null }]} />
data={[
{ label: "Home", link: "/" },
{ label: "Gallary", link: null },
]}
></Breadcrumb>
<div className="main-content"> <div className="main-content">
<button <button
className={`filter-button btn-primary ${isFilterPanelOpen ? "closed-icon" : ""}`} className={`filter-button btn-primary ${isFilterPanelOpen ? "closed-icon" : ""}`}
onClick={() => setIsFilterPanelOpen(!isFilterPanelOpen)} onClick={() => setIsFilterPanelOpen(!isFilterPanelOpen)}
ref={filterButtonRef} ref={filterButtonRef}
> >
{isFilterPanelOpen ? ( {isFilterPanelOpen ? <i className="fa-solid fa-times fs-5"></i> : <i className="fa-solid fa-filter ms-1 fs-5"></i>}
<i className="fa-solid fa-times fs-5"></i>
) : (
<><i className="fa-solid fa-filter ms-1 fs-5"></i></>
)}
</button> </button>
<div className="activity-section"> <div className="activity-section">
{loading && pageNumber === 1 ? ( {loading && pageNumber === 1 ? (
<div className="spinner-container"> <div className="spinner-container"><div className="spinner" /></div>
<div className="spinner" />
</div>
) : images.length > 0 ? ( ) : images.length > 0 ? (
images.map((batch) => { images.map((batch) => {
const firstDoc = batch.documents[0]; const firstDoc = batch.documents[0];
const userName = `${firstDoc?.uploadedBy?.firstName || ""} ${firstDoc?.uploadedBy?.lastName || "" const userName = `${firstDoc?.uploadedBy?.firstName || ""} ${firstDoc?.uploadedBy?.lastName || ""}`.trim();
}`.trim(); const date = formatUTCToLocalTime(firstDoc?.uploadedAt);
const date = formatUTCToLocalTime(firstDoc?.uploadedAt)
const showScrollButtons = batch.documents.length > SCROLL_THRESHOLD; const showScrollButtons = batch.documents.length > SCROLL_THRESHOLD;
return ( return (
@ -479,29 +380,15 @@ const ImageGallery = () => {
<div className="group-heading"> <div className="group-heading">
<div className="d-flex flex-column"> <div className="d-flex flex-column">
<div className="d-flex align-items-center mb-1"> <div className="d-flex align-items-center mb-1">
<Avatar <Avatar size="xs" firstName={firstDoc?.uploadedBy?.firstName} lastName={firstDoc?.uploadedBy?.lastName} className="me-2" />
size="xs"
firstName={firstDoc?.uploadedBy?.firstName}
lastName={firstDoc?.uploadedBy?.lastName}
className="me-2"
/>
<div className="d-flex flex-column align-items-start"> <div className="d-flex flex-column align-items-start">
<strong className="user-name-text"> <strong className="user-name-text">{userName}</strong>
{userName} <span className="me-2">{date}</span>
</strong>
<span className="me-2">
{date}
</span>
</div> </div>
</div> </div>
</div> </div>
<div className="location-line"> <div className="location-line">
<div> <div>{batch.buildingName} &gt; {batch.floorName} &gt; <strong>{batch.workAreaName || "Unknown"} &gt; {batch.activityName}</strong></div>
{batch.buildingName} &gt; {batch.floorName} &gt;{" "}
<strong>{batch.workAreaName || "Unknown"} &gt;{" "}
{batch.activityName}</strong>
</div>
{batch.workCategoryName && ( {batch.workCategoryName && (
<div className="work-category-display ms-2"> <div className="work-category-display ms-2">
<span className="badge bg-label-primary rounded-pill d-flex align-items-center gap-1"> <span className="badge bg-label-primary rounded-pill d-flex align-items-center gap-1">
@ -511,107 +398,53 @@ const ImageGallery = () => {
)} )}
</div> </div>
</div> </div>
<div className="image-group-wrapper"> <div className="image-group-wrapper">
{showScrollButtons && ( {showScrollButtons && <button className="scroll-arrow left-arrow" onClick={() => scrollLeft(batch.batchId)}>&#8249;</button>}
<button <div className="image-group-horizontal" ref={(el) => (imageGroupRefs.current[batch.batchId] = el)}>
className="scroll-arrow left-arrow"
onClick={() => scrollLeft(batch.batchId)}
>
&#8249;
</button>
)}
<div
className="image-group-horizontal"
ref={(el) => (imageGroupRefs.current[batch.batchId] = el)}
>
{batch.documents.map((doc, idx) => { {batch.documents.map((doc, idx) => {
const hoverDate = moment(doc.uploadedAt).format("DD-MM-YYYY"); const hoverDate = moment(doc.uploadedAt).format("DD-MM-YYYY");
const hoverTime = moment(doc.uploadedAt).format("hh:mm A"); const hoverTime = moment(doc.uploadedAt).format("hh:mm A");
return ( return (
<div <div key={doc.id} className="image-card" onClick={() => openModal(<ImagePop batch={batch} initialIndex={idx} />)} onMouseEnter={() => setHoveredImage(doc)} onMouseLeave={() => setHoveredImage(null)}>
key={doc.id}
className="image-card"
onClick={() =>
openModal(<ImagePop batch={batch} initialIndex={idx} />)
}
onMouseEnter={() => setHoveredImage(doc)}
onMouseLeave={() => setHoveredImage(null)}
>
<div className="image-wrapper"> <div className="image-wrapper">
<img src={doc.url} alt={`Image ${idx + 1}`} /> <img src={doc.url} alt={`Image ${idx + 1}`} />
</div> </div>
{hoveredImage === doc && ( {hoveredImage === doc && (
<div className="image-hover-description"> <div className="image-hover-description">
<p> <p><strong>Date:</strong> {hoverDate}</p>
<strong>Date:</strong> {hoverDate} <p><strong>Time:</strong> {hoverTime}</p>
</p> <p><strong>Activity:</strong> {batch.activityName}</p>
<p>
<strong>Time:</strong> {hoverTime}
</p>
<p>
<strong>Activity:</strong> {batch.activityName}
</p>
</div> </div>
)} )}
</div> </div>
); );
})} })}
</div> </div>
{showScrollButtons && ( {showScrollButtons && <button className="scroll-arrow right-arrow" onClick={() => scrollRight(batch.batchId)}>&#8250;</button>}
<button
className="scroll-arrow right-arrow"
onClick={() => scrollRight(batch.batchId)}
>
&#8250;
</button>
)}
</div> </div>
</div> </div>
); );
}) })
) : ( ) : (
!loading && <p style={{ textAlign: "center", color: "#777", marginTop: "50px" }}> !loading && <p style={{ textAlign: "center", color: "#777", marginTop: "50px" }}>No images match the selected filters.</p>
No images match the selected filters.
</p>
)} )}
<div ref={loaderRef} style={{ height: '50px', margin: '20px 0', display: 'flex', justifyContent: 'center', alignItems: 'center' }}> <div ref={loaderRef} style={{ height: '50px', margin: '20px 0', display: 'flex', justifyContent: 'center', alignItems: 'center' }}>
{loadingMore && hasMore && <div className="spinner" />} {loadingMore && hasMore && <div className="spinner" />}
{!hasMore && !loading && images.length > 0 && ( {!hasMore && !loading && images.length > 0 && <p style={{ color: '#aaa' }}>You've reached the end of the images.</p>}
<p style={{ color: '#aaa' }}>You've reached the end of the images.</p>
)}
</div> </div>
</div> </div>
</div> </div>
<div <div className={`offcanvas offcanvas-end ${isFilterPanelOpen ? "show" : ""}`} tabIndex="-1" id="filterOffcanvas" aria-labelledby="filterOffcanvasLabel" ref={filterPanelRef}>
className={`offcanvas offcanvas-end ${isFilterPanelOpen ? "show" : ""}`}
tabIndex="-1"
id="filterOffcanvas"
aria-labelledby="filterOffcanvasLabel"
ref={filterPanelRef}
>
<div className="offcanvas-header"> <div className="offcanvas-header">
<h5 className="offcanvas-title" id="filterOffcanvasLabel"> <h5 className="offcanvas-title" id="filterOffcanvasLabel">Filters</h5>
Filters <button type="button" className="btn-close" onClick={() => setIsFilterPanelOpen(false)} aria-label="Close" />
</h5>
<button
type="button"
className="btn-close"
onClick={() => setIsFilterPanelOpen(false)}
aria-label="Close"
></button>
</div> </div>
<div className="filter-actions mt-auto mx-2"> <div className="filter-actions mt-auto mx-2">
<button className="btn btn-secondary btn-xs" onClick={handleClearAllFilters}> <button className="btn btn-secondary btn-xs" onClick={handleClearAllFilters}>Clear All</button>
Clear All <button className="btn btn-primary btn-xs" onClick={handleApplyFilters}>Apply Filters</button>
</button> </div>
<button className="btn btn-primary btn-xs" onClick={handleApplyFilters}>
Apply Filters
</button>
</div>
<div className="offcanvas-body d-flex flex-column"> <div className="offcanvas-body d-flex flex-column">
{renderFilterCategory("Date Range", [], "dateRange")} {renderFilterCategory("Date Range", [], "dateRange")}
{renderFilterCategory("Building", buildings, "building")} {renderFilterCategory("Building", buildings, "building")}
@ -620,12 +453,10 @@ const ImageGallery = () => {
{renderFilterCategory("Activity", activities, "activity")} {renderFilterCategory("Activity", activities, "activity")}
{renderFilterCategory("Uploaded By (User)", uploadedByUsers, "uploadedBy")} {renderFilterCategory("Uploaded By (User)", uploadedByUsers, "uploadedBy")}
{renderFilterCategory("Work Category", workCategories, "workCategory")} {renderFilterCategory("Work Category", workCategories, "workCategory")}
</div> </div>
</div> </div>
</div> </div>
); );
}; };
export default ImageGallery; export default ImageGallery;

View File

@ -1,103 +1,149 @@
/* Image Modal Overlay */
.image-modal-overlay { .image-modal-overlay {
position: fixed; position: fixed;
top: 0; top: 0;
left: 0; left: 0;
z-index: 9999; /* High z-index to ensure it's on top */ z-index: 9999;
width: 100%; width: 100%;
height: 100%; height: 100%;
background-color: rgba(0, 0, 0, 0.85); /* Dark semi-transparent background */ background-color: rgba(0, 0, 0, 0.85);
display: flex; display: flex;
justify-content: center; justify-content: center;
align-items: center; align-items: center;
} }
/* Main Modal Content Box */
.image-modal-content { .image-modal-content {
background: #fff; background: #fff;
padding: 24px; padding: 24px;
max-width: 90%; /* Responsive max-width */ max-width: 50%;
max-height: 100%; /* Responsive max-height */ max-height: 95vh; /* Limits the modal's height to 95% of viewport height */
border-radius: 12px; border-radius: 12px;
position: relative; position: relative;
box-shadow: 0 8px 24px rgba(0, 0, 0, 0.4); box-shadow: 0 8px 24px rgba(0, 0, 0, 0.4);
text-align: center; text-align: center;
display: flex; /* Use flexbox for internal layout */ display: flex;
flex-direction: column; flex-direction: column;
align-items: center; align-items: center;
justify-content: center; justify-content: center;
overflow-y: auto; /* Enables vertical scrolling */
/* --- HIDE SCROLLBAR FOR MAIN MODAL CONTENT --- */
/* For Webkit browsers (Chrome, Safari, Edge) */
&::-webkit-scrollbar {
width: 0px; /* Hide vertical scrollbar */
height: 0px; /* Hide horizontal scrollbar, though unlikely needed here */
}
/* For Firefox */
scrollbar-width: none; /* Hide scrollbar in Firefox */
/* For Internet Explorer and Edge (legacy) */
-ms-overflow-style: none;
/* --- END HIDE SCROLLBAR --- */
} }
/* Image Styles */
.modal-image { .modal-image {
max-width: 100%; max-width: 100%;
max-height: 70vh; /* Limits image height to 70% of viewport height */ max-height: 70vh;
width: auto;
border-radius: 10px; border-radius: 10px;
object-fit: contain; /* Ensures the whole image is visible without cropping */ object-fit: contain;
margin-bottom: 20px; margin-bottom: 20px;
flex-shrink: 0; /* Prevent image from shrinking if content is too large */ flex-shrink: 0;
} }
.image-details { /* Scrollable Container for Text Details */
.image-details-scroll-container {
width: 100%;
flex-grow: 1;
max-height: calc(95vh - 70vh - (24px * 2) - 20px); /* Approximate calculation for text area height */
overflow-y: auto; /* Enables vertical scrolling for details */
text-align: left; text-align: left;
padding-right: 5px; /* Add some padding so text doesn't touch the hidden scrollbar area */
/* --- HIDE SCROLLBAR FOR TEXT DETAILS SECTION --- */
/* For Webkit browsers (Chrome, Safari, Edge) */
&::-webkit-scrollbar {
width: 0px; /* Hide vertical scrollbar */
height: 0px; /* Hide horizontal scrollbar */
}
/* For Firefox */
scrollbar-width: none; /* Hide scrollbar in Firefox */
/* For Internet Explorer and Edge (legacy) */
-ms-overflow-style: none;
/* --- END HIDE SCROLLBAR --- */
}
/* Image Details Section (inside the scroll container) */
.image-details {
color: #444; color: #444;
font-size: 14px; font-size: 14px;
line-height: 1.4; line-height: 1.4;
margin: 0; margin: 0;
padding: 0; padding: 0;
width: 100%; /* Ensure details section takes full width */ width: 100%;
text-align: left;
} }
.image-details p { .image-details p {
margin: 4px 0; /* Reduce vertical space between lines in details */ margin: 4px 0;
white-space: normal;
word-wrap: break-word;
overflow-wrap: break-word;
text-overflow: initial;
text-align: left;
} }
/* Close Button */
.close-button { .close-button {
position: absolute; position: absolute;
top: 1px; /* Position relative to the modal content */ top: 1px;
right: 8px; right: 8px;
font-size: 30px; font-size: 30px;
background: none; background: none;
border: none; border: none;
color: black; /* White color for visibility on dark overlay */ color: black;
cursor: pointer; cursor: pointer;
padding: 0; padding: 0;
line-height: 1; line-height: 1;
z-index: 10000; /* Ensure it's above everything else */ z-index: 10000;
} }
/* Styles for the navigation buttons */ /* Navigation Buttons */
.nav-button { .nav-button {
position: absolute; position: absolute;
top: 50%; /* Vertically center them */ top: 50%;
transform: translateY(-50%); /* Adjust for perfect vertical centering */ transform: translateY(-50%);
background-color: rgba(0, 0, 0, 0.5); /* Semi-transparent background */ background-color: rgba(0, 0, 0, 0.5);
color: white; color: white;
border: none; border: none;
padding: 10px 15px; padding: 10px 15px;
font-size: 30px; font-size: 30px;
cursor: pointer; cursor: pointer;
z-index: 1000; /* Ensure buttons are above the image */ z-index: 1000;
border-radius: 50%; /* Make them circular */ border-radius: 50%;
width: 50px; width: 50px;
height: 50px; height: 50px;
display: flex; display: flex;
align-items: center; align-items: center;
justify-content: center; justify-content: center;
transition: background-color 0.3s ease; /* Smooth hover effect */ transition: background-color 0.3s ease;
} }
.nav-button:hover { .nav-button:hover {
background-color: rgba(0, 0, 0, 0.8); /* Darker on hover */ background-color: rgba(0, 0, 0, 0.8);
} }
.nav-button.prev-button { .nav-button.prev-button {
left: 0px; /* Position left arrow */ left: 0px;
} }
.nav-button.next-button { .nav-button.next-button {
right: 0px; /* Position right arrow */ right: 0px;
} }
/* Style for disabled buttons (optional) */ /* Disabled Button Style */
.nav-button:disabled { .nav-button:disabled {
opacity: 0.5; opacity: 0.5;
cursor: not-allowed; cursor: not-allowed;
} }

View File

@ -69,22 +69,17 @@ const ChangePasswordPage = ({ onClose }) => {
className="modal d-flex align-items-center justify-content-center show" className="modal d-flex align-items-center justify-content-center show"
tabIndex="-1" tabIndex="-1"
role="dialog" role="dialog"
style={{ display: "flex", backgroundColor: "rgba(0,0,0,0.5)" }} style={{ backgroundColor: "rgba(0,0,0,0.5)" }}
> >
<div className="modal-dialog" role="document"> <div className="modal-dialog" role="document">
<div className="modal-header"> <div className="modal-content p-10 rounded shadow bg-white position-relative">
{" "}
<button <button
type="button" type="button"
class="btn-close" className="btn-close"
data-bs-dismiss="modal" data-bs-dismiss="modal" aria-label="Close"
style={{ top: "40px", right: "15px" }} onClick={onClose} // Use onClick to trigger onClose function
aria-label="Close" style={{ position: "absolute", top: "15px", right: "15px" }} // Example positioning
></button> ></button>
</div>
<div className="modal-content p-10 rounded shadow bg-white position-relative">
{/* Close Button */}
<h5 className="mb-2">Change Password</h5> <h5 className="mb-2">Change Password</h5>
<p className="mb-4" style={{ fontSize: "14px" }}> <p className="mb-4" style={{ fontSize: "14px" }}>
@ -119,7 +114,6 @@ const ChangePasswordPage = ({ onClose }) => {
)} )}
</div> </div>
{/* <div className="row"> */}
<div className="mb-3 text-start"> <div className="mb-3 text-start">
<label className="form-label">New Password</label> <label className="form-label">New Password</label>
<div className="input-group input-group-merge d-flex align-items-center border rounded px-2"> <div className="input-group input-group-merge d-flex align-items-center border rounded px-2">
@ -180,14 +174,14 @@ const ChangePasswordPage = ({ onClose }) => {
</div> </div>
)} )}
</div> </div>
{/* </div> */}
<div className="d-flex justify-content-center pt-2"> <div className="d-flex justify-content-center pt-2 text-muted small">
Your password must have at least 8 characters and include a lower Your password must have at least 8 characters and include a lower
case latter, an uppercase letter, a number, and a special case letter, an uppercase letter, a number, and a special
character. character.
</div> </div>
{/* Action Buttons */} {/* Action Buttons */}
<div className="d-flex justify-content-center pt-2"> <div className="d-flex justify-content-center pt-4">
<button <button
type="submit" type="submit"
className="btn btn-primary btn-sm me-2" className="btn btn-primary btn-sm me-2"
@ -211,4 +205,4 @@ const ChangePasswordPage = ({ onClose }) => {
); );
}; };
export default ChangePasswordPage; export default ChangePasswordPage;

View File

@ -18,9 +18,9 @@ const otpSchema = z.object({
const LoginWithOtp = () => { const LoginWithOtp = () => {
const navigate = useNavigate(); const navigate = useNavigate();
const [ loading, setLoading ] = useState( false ); const [loading, setLoading] = useState(false);
const [ timeLeft, setTimeLeft ] = useState( 0 ); const [timeLeft, setTimeLeft] = useState(0);
const inputRefs = useRef([]); const inputRefs = useRef([]);
@ -29,68 +29,97 @@ const LoginWithOtp = () => {
handleSubmit, handleSubmit,
formState: { errors, isSubmitted }, formState: { errors, isSubmitted },
getValues, getValues,
setValue,
trigger,
} = useForm({ } = useForm({
resolver: zodResolver(otpSchema), resolver: zodResolver(otpSchema),
}); });
const onSubmit = async (data) => { const onSubmit = async (data) => {
const finalOtp = data.otp1 + data.otp2 + data.otp3 + data.otp4; const finalOtp = data.otp1 + data.otp2 + data.otp3 + data.otp4;
const username = localStorage.getItem( "otpUsername" ); const username = localStorage.getItem("otpUsername");
setLoading(true); setLoading(true);
try { try {
let requestedData = { let requestedData = {
email: username, email: username,
otp:finalOtp otp: finalOtp
} }
const response = await AuthRepository.verifyOTP( requestedData ) const response = await AuthRepository.verifyOTP(requestedData)
localStorage.setItem("jwtToken", response.data.token); localStorage.setItem("jwtToken", response.data.token);
localStorage.setItem("refreshToken", response.data.refreshToken); localStorage.setItem("refreshToken", response.data.refreshToken);
setLoading( false ); setLoading(false);
localStorage.removeItem( "otpUsername" ); localStorage.removeItem("otpUsername");
localStorage.removeItem( "otpSentTime" ); localStorage.removeItem("otpSentTime");
navigate( "/dashboard" ); navigate("/dashboard");
} catch (err) { } catch (err) {
showToast( "Invalid or expired OTP.", "error" ); showToast("Invalid or expired OTP.", "error");
setLoading(false); setLoading(false);
} }
}; };
const formatTime = (seconds) => { const formatTime = (seconds) => {
const min = Math.floor(seconds / 60).toString().padStart(2, "0"); const min = Math.floor(seconds / 60).toString().padStart(2, "0");
const sec = (seconds % 60).toString().padStart(2, "0"); const sec = (seconds % 60).toString().padStart(2, "0");
return `${min}:${sec}`; return `${min}:${sec}`;
}; };
useEffect(() => { // Time Logic for OTP expiry
const otpSentTime = localStorage.getItem("otpSentTime"); useEffect(() => {
const now = Date.now(); const otpSentTime = localStorage.getItem("otpSentTime");
const now = Date.now();
if (otpSentTime) { if (otpSentTime) {
const elapsed = Math.floor((now - Number(otpSentTime)) / 1000); // in seconds const elapsed = Math.floor((now - Number(otpSentTime)) / 1000); //in seconds
const remaining = Math.max(OTP_EXPIRY_SECONDS - elapsed, 0); // prevent negatives const remaining = Math.max(OTP_EXPIRY_SECONDS - elapsed, 0); //prevent negatives
setTimeLeft(remaining); setTimeLeft(remaining);
} }
}, []); }, []);
useEffect(() => {
if (timeLeft <= 0) return;
const timer = setInterval(() => {
setTimeLeft((prev) => { useEffect(() => {
if (prev <= 1) { if (timeLeft <= 0) return;
clearInterval(timer);
localStorage.removeItem( "otpSentTime" ); const timer = setInterval(() => {
localStorage.removeItem("otpUsername"); setTimeLeft((prev) => {
return 0; if (prev <= 1) {
clearInterval(timer);
localStorage.removeItem("otpSentTime");
localStorage.removeItem("otpUsername");
return 0;
}
return prev - 1;
});
}, 1000);
return () => clearInterval(timer);
}, [timeLeft]);
// Handle Paste Event
const handlePaste = (e) => {
e.preventDefault();
const pastedData = e.clipboardData.getData("text/plain").trim();
if (pastedData.match(/^\d{4}$/)) {
for (let i = 0; i < pastedData.length; i++) {
setValue(`otp${i + 1}`, pastedData[i], { shouldValidate: true });
if (inputRefs.current[i + 1]) {
inputRefs.current[i + 1].focus();
}
} }
return prev - 1; trigger(["otp1", "otp2", "otp3", "otp4"]);
}); } else {
}, 1000); showToast("Invalid OTP format pasted. Please enter 4 digits")
return () => clearInterval(timer); for (let i = 0; i < 4; i++) {
}, [timeLeft]); setValue(`otp${i + 1}`, "")
}
}
}
return ( return (
@ -109,9 +138,8 @@ useEffect(() => {
key={num} key={num}
type="text" type="text"
maxLength={1} maxLength={1}
className={`form-control text-center ${ className={`form-control text-center ${errors[`otp${num}`] ? "is-invalid" : ""
errors[`otp${num}`] ? "is-invalid" : "" }`}
}`}
ref={(el) => { ref={(el) => {
inputRefs.current[idx] = el; inputRefs.current[idx] = el;
ref(el); ref(el);
@ -121,6 +149,9 @@ useEffect(() => {
onChange(e); onChange(e);
if (/^\d$/.test(val) && idx < 3) { if (/^\d$/.test(val) && idx < 3) {
inputRefs.current[idx + 1]?.focus(); inputRefs.current[idx + 1]?.focus();
} else if (val === "" && idx > 0) {
inputRefs.current[idx - 1]?.focus();
} }
}} }}
onKeyDown={(e) => { onKeyDown={(e) => {
@ -132,6 +163,8 @@ useEffect(() => {
inputRefs.current[idx - 1]?.focus(); inputRefs.current[idx - 1]?.focus();
} }
}} }}
onPaste={idx === 0 ? handlePaste : undefined}
style={{ width: "40px", height: "40px", fontSize: "15px" }} style={{ width: "40px", height: "40px", fontSize: "15px" }}
{...rest} {...rest}
/> />
@ -163,17 +196,17 @@ useEffect(() => {
> >
This OTP will expire in <strong>{formatTime(timeLeft)}</strong> This OTP will expire in <strong>{formatTime(timeLeft)}</strong>
</p> </p>
) : ( ) : (
<div> <div>
<p <p
className="text-center text-danger mt-2 text small-text m-0" className="text-center text-danger mt-2 text small-text m-0"
> >
OTP has expired. Please request a new one. OTP has expired. Please request a new one.
</p> </p>
<a className="text-primary cursor-pointer" onClick={()=>navigate('/auth/login')}>Try Again</a> <a className="text-primary cursor-pointer" onClick={() => navigate('/auth/login')}>Try Again</a>
</div> </div>
)} )}
</form> </form>
</div> </div>

View File

@ -85,7 +85,7 @@ const AttendancesEmployeeRecords = ({ employee }) => {
const currentDate = new Date().toLocaleDateString("en-CA"); const currentDate = new Date().toLocaleDateString("en-CA");
const { currentPage, totalPages, currentItems, paginate } = usePagination( const { currentPage, totalPages, currentItems, paginate } = usePagination(
sortedFinalList, sortedFinalList,
10 20
); );
useEffect(() => { useEffect(() => {
@ -141,13 +141,12 @@ const AttendancesEmployeeRecords = ({ employee }) => {
id="DataTables_Table_0_length" id="DataTables_Table_0_length"
> >
<div className="col-md-3 my-0 "> <div className="col-md-3 my-0 ">
<DateRangePicker onRangeChange={setDateRange} endDateMode="yesterday"/> <DateRangePicker onRangeChange={setDateRange} endDateMode="yesterday" />
</div> </div>
<div className="col-md-2 m-0 text-end"> <div className="col-md-2 m-0 text-end">
<i <i
className={`bx bx-refresh cursor-pointer fs-4 ${ className={`bx bx-refresh cursor-pointer fs-4 ${loading ? "spin" : ""
loading ? "spin" : "" }`}
}`}
data-toggle="tooltip" data-toggle="tooltip"
title="Refresh" title="Refresh"
onClick={() => setIsRefreshing(!isRefreshing)} onClick={() => setIsRefreshing(!isRefreshing)}
@ -224,7 +223,7 @@ const AttendancesEmployeeRecords = ({ employee }) => {
</table> </table>
)} )}
</div> </div>
{!loading && data.length > 5 && ( {!loading && sortedFinalList.length > 20 && (
<nav aria-label="Page "> <nav aria-label="Page ">
<ul className="pagination pagination-sm justify-content-end py-1"> <ul className="pagination pagination-sm justify-content-end py-1">
<li <li
@ -240,9 +239,8 @@ const AttendancesEmployeeRecords = ({ employee }) => {
{[...Array(totalPages)].map((_, index) => ( {[...Array(totalPages)].map((_, index) => (
<li <li
key={index} key={index}
className={`page-item ${ className={`page-item ${currentPage === index + 1 ? "active" : ""
currentPage === index + 1 ? "active" : "" }`}
}`}
> >
<button <button
className="page-link " className="page-link "
@ -253,9 +251,8 @@ const AttendancesEmployeeRecords = ({ employee }) => {
</li> </li>
))} ))}
<li <li
className={`page-item ${ className={`page-item ${currentPage === totalPages ? "disabled" : ""
currentPage === totalPages ? "disabled" : "" }`}
}`}
> >
<button <button
className="page-link " className="page-link "

File diff suppressed because it is too large Load Diff

View File

@ -1,11 +1,9 @@
import { useParams } from "react-router-dom"; import { useSelector } from "react-redux"; // Import useSelector
import React, { useState, useEffect, useCallback } from "react"; import React, { useState, useEffect, useCallback } from "react";
import ActivityTimeline from "../../components/Project/ActivityTimeline";
import ProjectOverview from "../../components/Project/ProjectOverview"; import ProjectOverview from "../../components/Project/ProjectOverview";
import AboutProject from "../../components/Project/AboutProject"; import AboutProject from "../../components/Project/AboutProject";
import ProjectNav from "../../components/Project/ProjectNav"; import ProjectNav from "../../components/Project/ProjectNav";
import ProjectBanner from "../../components/Project/ProjectBanner";
import Teams from "../../components/Project/Teams"; import Teams from "../../components/Project/Teams";
import ProjectInfra from "../../components/Project/ProjectInfra"; import ProjectInfra from "../../components/Project/ProjectInfra";
import Loader from "../../components/common/Loader"; import Loader from "../../components/common/Loader";
@ -16,172 +14,116 @@ import {
clearCacheKey, clearCacheKey,
getCachedData, getCachedData,
} from "../../slices/apiDataManager"; } from "../../slices/apiDataManager";
import ProjectRepository from "../../repositories/ProjectRepository";
import { ActivityeRepository } from "../../repositories/MastersRepository";
import "./ProjectDetails.css"; import "./ProjectDetails.css";
import { import {
useEmployeesByProjectAllocated,
useProjectDetails, useProjectDetails,
} from "../../hooks/useProjects"; } from "../../hooks/useProjects";
import { useDispatch } from "react-redux";
import { setProjectId } from "../../slices/localVariablesSlice";
import { ComingSoonPage } from "../Misc/ComingSoonPage"; import { ComingSoonPage } from "../Misc/ComingSoonPage";
import Directory from "../Directory/Directory"; import Directory from "../Directory/Directory";
import eventBus from "../../services/eventBus"; import eventBus from "../../services/eventBus";
import ProjectProgressChart from "../../components/Dashboard/ProjectProgressChart"; import ProjectProgressChart from "../../components/Dashboard/ProjectProgressChart";
const ProjectDetails = () => { const ProjectDetails = () => {
let { projectId } = useParams();
const {
projects_Details,
loading: projectLoading,
error: ProjectError,
refetch
} = useProjectDetails(projectId);
const dispatch = useDispatch();
const [project, setProject] = useState(null);
// const [projectDetails, setProjectDetails] = useState(null);
const [loading, setLoading] = useState(true);
const [error, setError] = useState("");
// const fetchData = async () => {
// const project_cache = getCachedData("projectInfo"); const projectId = useSelector((store) => store.localVariables.projectId);
// if (!project_cache || project_cache?.projectId !== projectId) {
// ProjectRepository.getProjectByprojectId(projectId) const {
// .then((response) => { projects_Details,
// setProjectDetails(response.data); loading: projectLoading,
// setProject(response.data); error: projectError,
// cacheData("projectInfo", { projectId, data: response.data }); refetch,
// setLoading(false); } = useProjectDetails(projectId);
// })
// .catch((error) => {
// console.error(error);
// setError("Failed to fetch data.");
// setLoading(false);
// });
// } else {
// setProjectDetails(project_cache.data);
// setProject(project_cache.data);
// setLoading(false);
// }
// };
const [activePill, setActivePill] = useState("profile"); const [activePill, setActivePill] = useState("profile");
const handlePillClick = (pillKey) => {
setActivePill(pillKey);
};
const handleDataChange = (data) => {
fetchData();
};
const renderContent = () => {
if (projectLoading) return <Loader></Loader>;
switch (activePill) {
case "profile": {
return (
<div className="row">
<div className="col-xl-4 col-lg-5 col-md-5 mt-5">
<AboutProject ></AboutProject>
</div>
<div className="col-xl-4 col-lg-5 col-md-5 mt-5">
<ProjectOverview project={projectId} />
</div>
</div>
);
}
case "teams": {
return (
<div className="row">
<div className="col-lg-12 col-xl-12">
{/* Teams */}
<Teams ></Teams>
{/* Teams */}
</div>
</div>
);
break;
}
case "infra": {
return (
<ProjectInfra
data={projects_Details}
onDataChange={handleDataChange}
></ProjectInfra>
);
break;
}
case "workplan": {
return (
<WorkPlan
data={projects_Details}
onDataChange={handleDataChange}
></WorkPlan>
);
break;
}
case "directory": {
return (
<div className="row">
<Directory IsPage={false} prefernceContacts={projects_Details.id} />
</div>
);
}
default:
return <ComingSoonPage></ComingSoonPage>;
}
};
useEffect(() => {
dispatch(setProjectId(projectId));
}, [projects_Details, projectId]);
const handler = useCallback( const handler = useCallback(
(msg) => { (msg) => {
if (msg.keyword === "Update_Project" && projects_Details.id === msg.response.id) { if (msg.keyword === "Update_Project" && projects_Details?.id === msg.response.id) {
refetch() refetch();
} }
}, },
[projects_Details, handleDataChange] [projects_Details, refetch]
); );
useEffect(() => { useEffect(() => {
eventBus.on("project", handler); eventBus.on("project", handler);
return () => eventBus.off("project", handler); return () => eventBus.off("project", handler);
}, [handler]); }, [handler]);
const handlePillClick = (pillKey) => {
setActivePill(pillKey);
};
const renderContent = () => {
if (projectLoading || !projects_Details) return <Loader />;
switch (activePill) {
case "profile":
return (
<>
<div className="row">
<div className="col-lg-4 col-md-5 mt-5">
<AboutProject></AboutProject>
<ProjectOverview project={projectId} />
</div>
<div className="col-lg-8 col-md-7 mt-5">
<ProjectProgressChart ShowAllProject="false" DefaultRange="1M" />
</div>
</div>
</>
);
case "teams":
return (
<div className="row">
<div className="col-lg-12">
<Teams />
</div>
</div>
);
case "infra":
return (
<ProjectInfra data={projects_Details} onDataChange={refetch} />
);
case "workplan":
return (
<WorkPlan data={projects_Details} onDataChange={refetch} />
);
case "directory":
return (
<div className="row mt-2">
<Directory IsPage={false} prefernceContacts={projects_Details.id} />
</div>
);
default:
return <ComingSoonPage />;
}
};
return ( return (
<> <div className="container-fluid">
{} <Breadcrumb
<div className="container-fluid"> data={[
<Breadcrumb { label: "Home", link: "/dashboard" },
data={[ { label: "Projects", link: "/projects" },
{ label: "Home", link: "/dashboard" }, { label: projects_Details?.name || "Project", link: null },
{ label: "Projects", link: "/projects" }, ]}
{ label: `${project?.name ? project?.name : ""}`, link: null }, />
]}
></Breadcrumb>
<div className="row"> <div className="row">
{projectLoading && <p>Loading....</p>} <ProjectNav onPillClick={handlePillClick} activePill={activePill} />
{/* {!projectLoading && project && (
<ProjectBanner project_data={project}></ProjectBanner>
)} */}
<ProjectNav
onPillClick={handlePillClick}
activePill={activePill}
></ProjectNav>
</div>
<div className="row"></div>
{renderContent()}
</div> </div>
</>
{renderContent()}
</div>
); );
}; };
export default ProjectDetails; export default ProjectDetails;

View File

@ -5,11 +5,6 @@ import Breadcrumb from "../../components/common/Breadcrumb";
import ProjectRepository from "../../repositories/ProjectRepository"; import ProjectRepository from "../../repositories/ProjectRepository";
import { useProjects, useCreateProject } from "../../hooks/useProjects"; import { useProjects, useCreateProject } from "../../hooks/useProjects";
import showToast from "../../services/toastService"; import showToast from "../../services/toastService";
// import {
// getCachedData,
// cacheData,
// clearCacheKey,
// } from "../../slices/apiDataManager";
import { useHasUserPermission } from "../../hooks/useHasUserPermission"; import { useHasUserPermission } from "../../hooks/useHasUserPermission";
import { useProfile } from "../../hooks/useProfile"; import { useProfile } from "../../hooks/useProfile";
import { ITEMS_PER_PAGE, MANAGE_PROJECT } from "../../utils/constants"; import { ITEMS_PER_PAGE, MANAGE_PROJECT } from "../../utils/constants";
@ -20,11 +15,15 @@ import { defaultCheckBoxAppearanceProvider } from "pdf-lib";
import { useMutation } from "@tanstack/react-query"; import { useMutation } from "@tanstack/react-query";
import usePagination from "../../hooks/usePagination"; import usePagination from "../../hooks/usePagination";
import GlobalModel from "../../components/common/GlobalModel"; import GlobalModel from "../../components/common/GlobalModel";
import { useDispatch, useSelector } from "react-redux";
import { setProjectId } from "../../slices/localVariablesSlice";
const ProjectList = () => { const ProjectList = () => {
const { profile: loginUser } = useProfile(); const { profile: loginUser } = useProfile();
const [listView, setListView] = useState(false); const [listView, setListView] = useState(false);
const [showModal, setShowModal] = useState(false); const [showModal, setShowModal] = useState(false);
const selectedProject = useSelector((store)=>store.localVariables.projectId)
const dispatch = useDispatch()
const { projects, loading, error, refetch } = useProjects(); const { projects, loading, error, refetch } = useProjects();
const [projectList, setProjectList] = useState([]); const [projectList, setProjectList] = useState([]);
@ -75,6 +74,10 @@ const ProjectList = () => {
}; };
useEffect(() => { useEffect(() => {
if(selectedProject == null){
dispatch(setProjectId(projects[0]?.id));
}
if (!loading && projects) { if (!loading && projects) {
sortingProject(projects); sortingProject(projects);
} }

View File

@ -62,7 +62,7 @@ const ProjectListView = ({ projectData, recall }) => {
const handleClose = () => setShowModal(false); const handleClose = () => setShowModal(false);
const handleViewProject = () => { const handleViewProject = () => {
navigate(`/projects/${projectData.id}`); navigate(`/projects/details`);
}; };
const handleFormSubmit = (updatedProject) => { const handleFormSubmit = (updatedProject) => {
@ -89,7 +89,7 @@ const ProjectListView = ({ projectData, recall }) => {
<td className="text-start" colSpan={5}> <td className="text-start" colSpan={5}>
<span <span
className="text-primary cursor-pointer" className="text-primary cursor-pointer"
onClick={() => navigate(`/projects/${projectInfo.id}`)} onClick={() => navigate(`/projects/details`)}
> >
{projectInfo.shortName {projectInfo.shortName
? `${projectInfo.name} (${projectInfo.shortName})` ? `${projectInfo.name} (${projectInfo.shortName})`
@ -162,7 +162,7 @@ const ProjectListView = ({ projectData, recall }) => {
<a <a
aria-label="click to View details" aria-label="click to View details"
className="dropdown-item" className="dropdown-item"
onClick={() => navigate(`/projects/${projectInfo.id}`)} onClick={() => navigate(`/projects/details`)}
> >
<i className="bx bx-detail me-2"></i> <i className="bx bx-detail me-2"></i>
<span className="align-left">View details</span> <span className="align-left">View details</span>
@ -193,4 +193,4 @@ const ProjectListView = ({ projectData, recall }) => {
); );
}; };
export default ProjectListView; export default ProjectListView;

View File

@ -1,9 +1,8 @@
import { api } from "../../utils/axiosClient"; import { api } from "../utils/axiosClient";
export const ImageGalleryAPI = { export const ImageGalleryAPI = {
ImagesGet: (projectId, filter, pageNumber, pageSize) => { ImagesGet: (projectId, filter, pageNumber, pageSize) => {
const payloadJsonString = JSON.stringify(filter); const payloadJsonString = JSON.stringify(filter);
// Corrected API endpoint with pagination parameters
return api.get(`/api/image/images/${projectId}?filter=${payloadJsonString}&pageNumber=${pageNumber}&pageSize=${pageSize}`); return api.get(`/api/image/images/${projectId}?filter=${payloadJsonString}&pageNumber=${pageNumber}&pageSize=${pageSize}`);
}, },
}; };

View File

@ -63,7 +63,7 @@ const router = createBrowserRouter(
{ path: "/", element: <Dashboard /> }, { path: "/", element: <Dashboard /> },
{ path: "/dashboard", element: <Dashboard /> }, { path: "/dashboard", element: <Dashboard /> },
{ path: "/projects", element: <ProjectList /> }, { path: "/projects", element: <ProjectList /> },
{ path: "/projects/:projectId", element: <ProjectDetails /> }, { path: "/projects/details", element: <ProjectDetails /> },
{ path: "/project/manage/:projectId", element: <ManageProject /> }, { path: "/project/manage/:projectId", element: <ManageProject /> },
{ path: "/employees", element: <EmployeeList /> }, { path: "/employees", element: <EmployeeList /> },
{ path: "/employee/:employeeId", element: <EmployeeProfile /> }, { path: "/employee/:employeeId", element: <EmployeeProfile /> },

View File

@ -5,7 +5,7 @@ const localVariablesSlice = createSlice({
initialState: { initialState: {
selectedMaster:"Application Role", selectedMaster:"Application Role",
regularizationCount:0, regularizationCount:0,
projectId: "", projectId: null,
reload:false reload:false
}, },

View File

@ -11,6 +11,11 @@ export const VIEW_PROJECTS = "6ea44136-987e-44ba-9e5d-1cf8f5837ebc"
export const MANAGE_EMPLOYEES = "a97d366a-c2bb-448d-be93-402bd2324566" export const MANAGE_EMPLOYEES = "a97d366a-c2bb-448d-be93-402bd2324566"
export const VIEW_ALL_EMPLOYEES = "60611762-7f8a-4fb5-b53f-b1139918796b"
export const VIEW_TEAM_MEMBERS = "b82d2b7e-0d52-45f3-997b-c008ea460e7f"
export const MANAGE_PROJECT_INFRA = "cf2825ad-453b-46aa-91d9-27c124d63373" export const MANAGE_PROJECT_INFRA = "cf2825ad-453b-46aa-91d9-27c124d63373"
export const VIEW_PROJECT_INFRA = "8d7cc6e3-9147-41f7-aaa7-fa507e450bd4" export const VIEW_PROJECT_INFRA = "8d7cc6e3-9147-41f7-aaa7-fa507e450bd4"
@ -24,6 +29,8 @@ export const INFRASTRUCTURE = "9666de86-d7c7-4d3d-acaa-fcd6d6b81f3c";
export const MANAGE_TASK = "08752f33-3b29-4816-b76b-ea8a968ed3c5" export const MANAGE_TASK = "08752f33-3b29-4816-b76b-ea8a968ed3c5"
export const APPROVE_TASK = "db4e40c5-2ba9-4b6d-b8a6-a16a250ff99c"
export const VIEW_TASK = "9fcc5f87-25e3-4846-90ac-67a71ab92e3c" export const VIEW_TASK = "9fcc5f87-25e3-4846-90ac-67a71ab92e3c"
export const ASSIGN_REPORT_TASK = "6a32379b-8b3f-49a6-8c48-4b7ac1b55dc2" export const ASSIGN_REPORT_TASK = "6a32379b-8b3f-49a6-8c48-4b7ac1b55dc2"

View File

@ -69,4 +69,13 @@ export const formatNumber = (num) => {
}; };
export const formatUTCToLocalTime = (datetime) =>{ export const formatUTCToLocalTime = (datetime) =>{
return moment.utc(datetime).local().format("MMMM DD, YYYY [at] hh:mm A"); return moment.utc(datetime).local().format("MMMM DD, YYYY [at] hh:mm A");
}
export const getCompletionPercentage = (completedWork, plannedWork)=> {
if (!plannedWork || plannedWork === 0) return 0;
const percentage = (completedWork / plannedWork) * 100;
const clamped = Math.min(Math.max(percentage, 0), 100);
return clamped.toFixed(2);
} }