Compare commits

..

No commits in common. "e7d9b6966b637b740466704a7785d74e47e40c5e" and "34a4d7b05a04bc8f355bd32b315814d51b42b6dd" have entirely different histories.

4 changed files with 108 additions and 295 deletions

View File

@ -2,9 +2,9 @@
import { useState, useEffect } from "react"; import { useState, useEffect } from "react";
import Link from "next/link"; import Link from "next/link";
import { usePathname, useRouter } from "next/navigation"; import { usePathname, useRouter } from "next/navigation";
import { FileText } from "lucide-react"; import { FileText, Moon, Sun } from "lucide-react";
import { FaLock, FaChevronDown, FaChevronUp } from "react-icons/fa";
import { useTheme } from "../context/ThemeContext"; import { useTheme } from "../context/ThemeContext";
import { account } from "../lib/appwrite";
const Sidebar = ({ sidebarOpen, setSidebarOpen, isCollapsed }) => { const Sidebar = ({ sidebarOpen, setSidebarOpen, isCollapsed }) => {
const pathname = usePathname(); const pathname = usePathname();
@ -25,17 +25,10 @@ const Sidebar = ({ sidebarOpen, setSidebarOpen, isCollapsed }) => {
setSidebarOpen(false); setSidebarOpen(false);
} }
}; };
const handleLogout = async () => { const handleLogout = () => {
try { localStorage.removeItem("token"); // or account.deleteSession("current") if using Appwrite
await account.deleteSession("current"); router.push("/signup");
localStorage.removeItem("token");
// Force a full page reload to reset all state
window.location.href = "/";
} catch (error) {
console.error("Logout failed:", error);
}
}; };
// ---------------logo handling in dark mode----------------------- // ---------------logo handling in dark mode-----------------------
// Create a separate LogoImage component for better error handling // Create a separate LogoImage component for better error handling
function LogoImage({ darkSrc, lightSrc, darkMode, className, alt }) { function LogoImage({ darkSrc, lightSrc, darkMode, className, alt }) {

View File

@ -1,6 +1,5 @@
// src/app/dashboard/page.js
"use client"; "use client";
import { useRouter } from "next/navigation"; import { useRouter } from "next/navigation";
import { useAuth } from "../context/AuthContext"; import { useAuth } from "../context/AuthContext";
import { useEffect } from "react"; import { useEffect } from "react";
@ -23,16 +22,12 @@ export default function DashboardPage() {
return ( return (
<div className="flex items-center justify-center min-h-screen bg-white dark:bg-gray-900"> <div className="flex items-center justify-center min-h-screen bg-white dark:bg-gray-900">
<div className="text-center"> <div className="text-center">
<div <div className={`animate-spin rounded-full h-12 w-12 border-t-2 border-b-2 border-blue-500 mx-auto ${
className={`animate-spin rounded-full h-12 w-12 border-t-2 border-b-2 border-blue-500 mx-auto ${ darkMode === true ? 'border-gray-100' : 'border-gray-900'
darkMode === true ? "border-gray-100" : "border-gray-900" }`}></div>
}`} <p className={`mt-4 text-lg font-semibold ${
></div> darkMode === true ? 'text-gray-100' : 'text-gray-900'
<p }`}>
className={`mt-4 text-lg font-semibold ${
darkMode === true ? "text-gray-100" : "text-gray-900"
}`}
>
Loading... Loading...
</p> </p>
</div> </div>
@ -44,28 +39,12 @@ export default function DashboardPage() {
return null; return null;
} }
// Check if user is admin or staff to show entries table
const canViewEntries = userRole === "admin" || userRole === "staff";
return ( return (
<main <main className={`min-h-screen transition-colors duration-300 ${
className={`min-h-screen transition-colors duration-300 ${ darkMode ? 'dark bg-gray-900' : 'bg-white'
darkMode ? "dark bg-gray-900" : "bg-white" }`}>
}`}
>
<div className="p-1"> <div className="p-1">
{canViewEntries ? (
<EntriesTable /> <EntriesTable />
) : (
<div className="text-center p-8">
<h2 className={`text-2xl font-semibold ${darkMode ? "text-white" : "text-gray-800"}`}>
Welcome to your Dashboard
</h2>
<p className={`mt-4 ${darkMode ? "text-gray-300" : "text-gray-600"}`}>
You don't have permission to view entries.
</p>
</div>
)}
</div> </div>
</main> </main>
); );

View File

@ -1,126 +1,44 @@
"use client"; "use client";
import { useState, useEffect } from "react"; import { useState } from 'react';
import { useRouter } from "next/navigation"; import { useRouter } from 'next/navigation';
import Header from "../../components/partials/header"; import Header from "../../components/partials/header";
import { useTheme } from "../../context/ThemeContext"; import { useTheme } from "../../context/ThemeContext";
import { databases, Query } from "../../lib/appwrite";
import { DATABASE_ID, COLLECTION_ID } from "../../lib/api";
export default function MultiBooking() { export default function MultiBooking() {
const { darkMode } = useTheme(); const { darkMode } = useTheme();
const router = useRouter(); const router = useRouter();
const [appointmentDate, setAppointmentDate] = useState(new Date().toISOString().split('T')[0]);
const [appointmentDate, setAppointmentDate] = useState(
new Date().toISOString().split("T")[0]
);
const [patients, setPatients] = useState( const [patients, setPatients] = useState(
Array(5) Array(5).fill().map((_, i) => ({ id: i+1, name: "" }))
.fill()
.map((_, i) => ({ id: i + 1, name: "" }))
); );
const [loading, setLoading] = useState(false); const [loading, setLoading] = useState(false);
const [error, setError] = useState(null); const [error, setError] = useState(null);
// Header related states - matching EntriesTable
const [entries, setEntries] = useState([]);
const [currentToken, setCurrentToken] = useState(null);
const [previousToken, setPreviousToken] = useState(null);
const [nextToken, setNextToken] = useState(null);
const [missedTokens, setMissedTokens] = useState("");
const [dataLoading, setDataLoading] = useState(true);
const handleNameChange = (id, value) => { const handleNameChange = (id, value) => {
setPatients(patients.map((p) => (p.id === id ? { ...p, name: value } : p))); setPatients(patients.map(p =>
p.id === id ? { ...p, name: value } : p
));
}; };
// Get entries from database - similar to EntriesTable
const getEntries = async () => {
try {
const today = new Date().toISOString().split("T")[0];
const response = await databases.listDocuments(
DATABASE_ID,
COLLECTION_ID,
[Query.equal("date", today), Query.orderAsc("tokenNumber")],
100
);
return response.documents;
} catch (error) {
console.error("Fetch error:", error);
throw error;
}
};
// Update token information - same as EntriesTable
const updateTokenInfo = (entries) => {
if (entries.length === 0) {
setCurrentToken(null);
setPreviousToken(null);
setNextToken(null);
setMissedTokens("");
return;
}
const currentIndex = entries.findIndex(
(entry) => entry.status === "booked"
);
const current = currentIndex >= 0 ? entries[currentIndex] : null;
setCurrentToken(current?.tokenNumber || null);
setPreviousToken(
currentIndex > 0 ? entries[currentIndex - 1]?.tokenNumber : null
);
setNextToken(
currentIndex < entries.length - 1
? entries[currentIndex + 1]?.tokenNumber
: null
);
const missed = entries
.filter((entry) => entry.status === "missed")
.map((entry) => entry.tokenNumber)
.join(", ");
setMissedTokens(missed || "None");
};
// Load token data - similar to EntriesTable
useEffect(() => {
const loadTokenData = async () => {
try {
setDataLoading(true);
const data = await getEntries();
setEntries(data);
updateTokenInfo(data);
} catch (err) {
console.error("Error loading token data:", err);
} finally {
setDataLoading(false);
}
};
loadTokenData();
}, []);
const handleSubmit = async (e) => { const handleSubmit = async (e) => {
e.preventDefault(); e.preventDefault();
setLoading(true); setLoading(true);
setError(null); setError(null);
try { try {
const validPatients = patients.filter((p) => p.name.trim() !== ""); // Filter out empty names and validate
const validPatients = patients.filter(p => p.name.trim() !== "");
if (validPatients.length === 0) { if (validPatients.length === 0) {
throw new Error("Please enter at least one patient name."); throw new Error("Please enter at least one patient name");
} }
sessionStorage.setItem( // Store in session to use in MultiBooked page
"multiBookingData", sessionStorage.setItem('multiBookingData', JSON.stringify({
JSON.stringify({
date: appointmentDate, date: appointmentDate,
patients: validPatients, patients: validPatients
}) }));
);
router.push("/pages/MultiBooked"); router.push('/pages/MultiBooked');
} catch (error) { } catch (error) {
setError(error.message); setError(error.message);
} finally { } finally {
@ -129,32 +47,23 @@ export default function MultiBooking() {
}; };
const addMorePatients = () => { const addMorePatients = () => {
if (patients.length >= 20) return; const newId = patients.length > 0 ?
const newId = Math.max(...patients.map(p => p.id)) + 1 : 1;
patients.length > 0 ? Math.max(...patients.map((p) => p.id)) + 1 : 1;
setPatients([...patients, { id: newId, name: "" }]); setPatients([...patients, { id: newId, name: "" }]);
}; };
return ( return (
<div <div className={`flex h-screen overflow-hidden ${darkMode ? 'dark bg-gray-900' : 'bg-white'}`}>
className={`flex h-screen overflow-hidden ${ {/* Content Area */}
darkMode ? "dark bg-gray-900" : "bg-white"
}`}
>
<div className="relative flex flex-1 flex-col overflow-x-hidden overflow-y-auto"> <div className="relative flex flex-1 flex-col overflow-x-hidden overflow-y-auto">
{/* Sticky Header */}
<header className="sticky top-0 z-50 bg-white shadow-sm dark:bg-gray-800"> <header className="sticky top-0 z-50 bg-white shadow-sm dark:bg-gray-800">
<div className="flex items-center justify-between"> <div className="flex items-center justify-between">
{/* Pass the same props to Header as in EntriesTable */} <Header />
<Header
currentToken={currentToken}
previousToken={previousToken}
nextToken={nextToken}
missedTokens={missedTokens}
entries={entries}
/>
</div> </div>
</header> </header>
{/* Main Content */}
<main className="flex-1 overflow-y-auto scrollbar-hide"> <main className="flex-1 overflow-y-auto scrollbar-hide">
<div className="mx-auto max-w-[--breakpoint-2xl] p-4 md:p-6 pt-20"> <div className="mx-auto max-w-[--breakpoint-2xl] p-4 md:p-6 pt-20">
{error && ( {error && (
@ -164,30 +73,18 @@ export default function MultiBooking() {
)} )}
<div className="mb-6"> <div className="mb-6">
<h2 <h2 className={`text-2xl mb-2 ${darkMode ? 'text-white' : 'text-black'}`}>
className={`text-2xl mb-2 ${
darkMode ? "text-white" : "text-black"
}`}
>
Staff Multi-Booking Staff Multi-Booking
</h2> </h2>
<div className="flex items-center"> <div className="flex items-center">
<label <label className={`mr-2 ${darkMode ? 'text-gray-300' : 'text-gray-700'}`}>
className={`mr-2 ${
darkMode ? "text-gray-300" : "text-gray-700"
}`}
>
Date: Date:
</label> </label>
<input <input
type="date" type="date"
value={appointmentDate} value={appointmentDate}
onChange={(e) => setAppointmentDate(e.target.value)} onChange={(e) => setAppointmentDate(e.target.value)}
className={`p-1 border rounded ${ className={`p-1 border rounded ${darkMode ? 'bg-gray-800 text-white border-gray-700' : 'bg-white'}`}
darkMode
? "bg-gray-800 text-white border-gray-700"
: "bg-white"
}`}
/> />
</div> </div>
</div> </div>
@ -196,40 +93,27 @@ export default function MultiBooking() {
<div className="space-y-4 mb-6"> <div className="space-y-4 mb-6">
{patients.map((patient) => ( {patients.map((patient) => (
<div key={patient.id} className="flex items-center gap-3"> <div key={patient.id} className="flex items-center gap-3">
<span <span className={`w-6 text-right ${darkMode ? 'text-gray-300' : 'text-gray-700'}`}>
className={`w-6 text-right ${
darkMode ? "text-gray-300" : "text-gray-700"
}`}
>
{patient.id}. {patient.id}.
</span> </span>
<input <input
type="text" type="text"
value={patient.name} value={patient.name}
onChange={(e) => onChange={(e) => handleNameChange(patient.id, e.target.value)}
handleNameChange(patient.id, e.target.value)
}
placeholder="Patient name" placeholder="Patient name"
className={`flex-1 shadow-theme-xs h-11 rounded-lg border px-4 py-2.5 text-sm focus:outline-none focus:ring-2 ${ className={`flex-1 shadow-theme-xs h-11 rounded-lg border px-4 py-2.5 text-sm focus:outline-none focus:ring-2 ${
darkMode darkMode ?
? "bg-gray-800 border-gray-700 text-white placeholder-gray-500 focus:border-blue-800 focus:ring-blue-800/30" 'bg-gray-800 border-gray-700 text-white placeholder-gray-500 focus:border-blue-800 focus:ring-blue-800/30' :
: "bg-white border-gray-300 text-gray-800 placeholder-gray-400 focus:border-blue-300 focus:ring-blue-500/10" 'bg-white border-gray-300 text-gray-800 placeholder-gray-400 focus:border-blue-300 focus:ring-blue-500/10'
}`} }`}
/> />
{patient.id > 5 && ( {patient.id > 5 && (
<button <button
type="button" type="button"
onClick={() => onClick={() => setPatients(patients.filter(p => p.id !== patient.id))}
setPatients(
patients.filter((p) => p.id !== patient.id)
)
}
className={`p-2 rounded-full ${ className={`p-2 rounded-full ${
darkMode darkMode ? 'text-red-400 hover:bg-gray-700' : 'text-red-500 hover:bg-gray-100'
? "text-red-400 hover:bg-gray-700"
: "text-red-500 hover:bg-gray-100"
}`} }`}
title="Remove"
> >
</button> </button>
@ -238,27 +122,20 @@ export default function MultiBooking() {
))} ))}
</div> </div>
<div className="flex flex-wrap gap-3 mb-6 items-center"> <div className="flex flex-wrap gap-3 mb-6">
<button <button
type="button" type="button"
onClick={addMorePatients} onClick={addMorePatients}
disabled={patients.length >= 20}
className={`px-4 py-2 rounded-lg text-sm font-medium ${ className={`px-4 py-2 rounded-lg text-sm font-medium ${
darkMode darkMode ?
? "bg-gray-700 text-white hover:bg-gray-600" 'bg-gray-700 text-white hover:bg-gray-600' :
: "bg-gray-200 text-gray-700 hover:bg-gray-300" 'bg-gray-200 text-gray-700 hover:bg-gray-300'
} ${
patients.length >= 20 ? "opacity-50 cursor-not-allowed" : ""
}`} }`}
> >
+ Add More Patients + Add More Patients
</button> </button>
<div <div className="text-sm text-gray-500 dark:text-gray-400 mt-1">
className={`text-sm mt-1 ${ {patients.length} patients entered
darkMode ? "text-gray-400" : "text-gray-600"
}`}
>
{patients.length} / 20 patients entered
</div> </div>
</div> </div>
@ -267,20 +144,18 @@ export default function MultiBooking() {
type="submit" type="submit"
disabled={loading} disabled={loading}
className={`text-center rounded-lg px-5 py-3.5 text-sm font-medium text-white shadow-theme-xs transition w-full ${ className={`text-center rounded-lg px-5 py-3.5 text-sm font-medium text-white shadow-theme-xs transition w-full ${
loading loading ? 'bg-blue-400 cursor-not-allowed' : 'bg-blue-700 hover:bg-blue-600'
? "bg-blue-400 cursor-not-allowed"
: "bg-blue-700 hover:bg-blue-600"
}`} }`}
> >
{loading ? "Processing..." : "Generate Tokens"} {loading ? 'Processing...' : 'Generate Tokens'}
</button> </button>
<button <button
type="button" type="button"
onClick={() => router.push("/entries")} onClick={() => router.push('/entries')}
className={`text-center rounded-lg px-5 py-3.5 text-sm font-medium shadow-theme-xs ring-1 ring-inset transition w-full ${ className={`text-center rounded-lg px-5 py-3.5 text-sm font-medium shadow-theme-xs ring-1 ring-inset transition w-full ${
darkMode darkMode ?
? "bg-gray-800 text-gray-300 ring-gray-700 hover:bg-gray-700" 'bg-gray-800 text-gray-300 ring-gray-700 hover:bg-gray-700' :
: "bg-white text-gray-700 ring-gray-300 hover:bg-gray-50" 'bg-white text-gray-700 ring-gray-300 hover:bg-gray-50'
}`} }`}
> >
View All Entries View All Entries
@ -288,18 +163,11 @@ export default function MultiBooking() {
</div> </div>
</form> </form>
<div <div className={`text-center mt-8 text-sm ${
className={`text-center mt-8 text-sm ${ darkMode ? 'text-gray-400' : 'text-gray-600'
darkMode ? "text-gray-400" : "text-gray-600" }`}>
}`} <p>Staff can book multiple tokens at once. All tokens will be assigned for the same date.</p>
> <p className="mt-1">Minimum 1 patient required. Maximum 20 patients per batch.</p>
<p>
Staff can book multiple tokens at once. All tokens will be
assigned for the same date.
</p>
<p className="mt-1">
Minimum 1 patient required. Maximum 20 patients per batch.
</p>
</div> </div>
</div> </div>
</main> </main>

View File

@ -1,4 +1,3 @@
"use client"; "use client";
import { useEffect, useState } from "react"; import { useEffect, useState } from "react";
import { databases, Query } from "../../lib/appwrite"; import { databases, Query } from "../../lib/appwrite";
@ -26,20 +25,21 @@ export default function EntriesTable() {
// Calculate waiting time based on position in queue // Calculate waiting time based on position in queue
const calculateWaitTime = (tokenNumber) => { const calculateWaitTime = (tokenNumber) => {
const bookedEntries = entries.filter((e) => e.status === "booked"); const bookedEntries = entries.filter(e => e.status === "booked");
const position = bookedEntries.findIndex( const position = bookedEntries.findIndex(e => e.tokenNumber === tokenNumber);
(e) => e.tokenNumber === tokenNumber return position >= 0 ? (position * avgConsultTime) : 0;
);
return position >= 0 ? position * avgConsultTime : 0;
}; };
const getEntries = async () => { const getEntries = async () => {
try { try {
const today = new Date().toISOString().split("T")[0]; const today = new Date().toISOString().split('T')[0];
const response = await databases.listDocuments( const response = await databases.listDocuments(
DATABASE_ID, DATABASE_ID,
COLLECTION_ID, COLLECTION_ID,
[Query.equal("date", today), Query.orderAsc("tokenNumber")], [
Query.equal('date', today),
Query.orderAsc('tokenNumber')
],
100 100
); );
return response.documents; return response.documents;
@ -58,20 +58,12 @@ export default function EntriesTable() {
return; return;
} }
const currentIndex = entries.findIndex( const currentIndex = entries.findIndex((entry) => entry.status === "booked");
(entry) => entry.status === "booked"
);
const current = currentIndex >= 0 ? entries[currentIndex] : null; const current = currentIndex >= 0 ? entries[currentIndex] : null;
setCurrentToken(current?.tokenNumber || null); setCurrentToken(current?.tokenNumber || null);
setPreviousToken( setPreviousToken(currentIndex > 0 ? entries[currentIndex - 1]?.tokenNumber : null);
currentIndex > 0 ? entries[currentIndex - 1]?.tokenNumber : null setNextToken(currentIndex < entries.length - 1 ? entries[currentIndex + 1]?.tokenNumber : null);
);
setNextToken(
currentIndex < entries.length - 1
? entries[currentIndex + 1]?.tokenNumber
: null
);
const missed = entries const missed = entries
.filter((entry) => entry.status === "missed") .filter((entry) => entry.status === "missed")
@ -83,9 +75,12 @@ export default function EntriesTable() {
const updateStatus = async (entryId, newStatus) => { const updateStatus = async (entryId, newStatus) => {
try { try {
setLoading(true); setLoading(true);
await databases.updateDocument(DATABASE_ID, COLLECTION_ID, entryId, { await databases.updateDocument(
status: newStatus, DATABASE_ID,
}); COLLECTION_ID,
entryId,
{ status: newStatus }
);
const data = await getEntries(); const data = await getEntries();
setEntries(data); setEntries(data);
setFilteredEntries(data); setFilteredEntries(data);
@ -133,32 +128,20 @@ export default function EntriesTable() {
const indexOfLastEntry = currentPage * entriesPerPage; const indexOfLastEntry = currentPage * entriesPerPage;
const indexOfFirstEntry = indexOfLastEntry - entriesPerPage; const indexOfFirstEntry = indexOfLastEntry - entriesPerPage;
const currentEntries = filteredEntries.slice( const currentEntries = filteredEntries.slice(indexOfFirstEntry, indexOfLastEntry);
indexOfFirstEntry,
indexOfLastEntry
);
const totalPages = Math.ceil(filteredEntries.length / entriesPerPage); const totalPages = Math.ceil(filteredEntries.length / entriesPerPage);
if (loading) if (loading) return <div className="text-center mt-50">
return ( <div className={`animate-spin rounded-full h-12 w-12 border-t-2 border-b-2 border-blue-500 mx-auto`}></div>
<div className="text-center mt-50">
<div
className={`animate-spin rounded-full h-12 w-12 border-t-2 border-b-2 border-blue-500 mx-auto`}
></div>
<p className={`mt-4 text-lg font-semibold`}>Loading...</p> <p className={`mt-4 text-lg font-semibold`}>Loading...</p>
</div> </div>;
);
if (error) return <div className="p-4 text-red-500">Error: {error}</div>; if (error) return <div className="p-4 text-red-500">Error: {error}</div>;
// Check user role and show permission message if patient // Check user role and show permission message if patient
if (userRole === "patient") { if (userRole === "patient") {
return ( return (
<div <div className={`min-h-screen w-full ${darkMode ? 'bg-gray-900 text-white' : 'bg-white text-black'}`}>
className={`min-h-screen w-full ${
darkMode ? "bg-gray-900 text-white" : "bg-white text-black"
}`}
>
<div className="flex items-center justify-center h-screen"> <div className="flex items-center justify-center h-screen">
<div className="text-center"> <div className="text-center">
<h1 className="text-2xl font-bold mb-4">Access Denied</h1> <h1 className="text-2xl font-bold mb-4">Access Denied</h1>
@ -170,11 +153,7 @@ export default function EntriesTable() {
} }
return ( return (
<div <div className={`min-h-screen w-full ${darkMode ? 'bg-gray-900 text-white' : 'bg-white text-black'}`}>
className={`min-h-screen w-full ${
darkMode ? "bg-gray-900 text-white" : "bg-white text-black"
}`}
>
<div className="sticky top-0 z-10 bg-white shadow-md mb-4"> <div className="sticky top-0 z-10 bg-white shadow-md mb-4">
<Header <Header
currentToken={currentToken} currentToken={currentToken}
@ -212,9 +191,7 @@ export default function EntriesTable() {
{currentEntries.map((entry) => ( {currentEntries.map((entry) => (
<tr <tr
key={entry.$id} key={entry.$id}
className={`border ${ className={`border ${darkMode ? 'border-gray-700' : 'border-gray-200'}`}
darkMode ? "border-gray-700" : "border-gray-200"
}`}
> >
<td className="p-3 font-mono">{entry.tokenNumber}</td> <td className="p-3 font-mono">{entry.tokenNumber}</td>
<td className="p-3">{entry.patientName}</td> <td className="p-3">{entry.patientName}</td>
@ -228,8 +205,7 @@ export default function EntriesTable() {
</td> */} </td> */}
<td className="p-3"> <td className="p-3">
<span <span
className={`px-2 py-1 rounded-full text-xs ${ className={`px-2 py-1 rounded-full text-xs ${entry.status === "done"
entry.status === "done"
? "bg-green-100 text-green-800" ? "bg-green-100 text-green-800"
: entry.status === "booked" : entry.status === "booked"
? "bg-yellow-100 text-yellow-800" ? "bg-yellow-100 text-yellow-800"
@ -268,11 +244,8 @@ export default function EntriesTable() {
</table> </table>
{/* Pagination */} {/* Pagination */}
<div <div className={`flex justify-between items-center mt-4 ${darkMode ? 'text-white' : 'text-gray-700'
className={`flex justify-between items-center mt-4 ${ }`}>
darkMode ? "text-white" : "text-gray-700"
}`}
>
<button <button
disabled={currentPage === 1} disabled={currentPage === 1}
onClick={() => setCurrentPage((prev) => prev - 1)} onClick={() => setCurrentPage((prev) => prev - 1)}