This commit is contained in:
Harikrishnan Gopal
2025-01-23 14:04:11 +05:30
5 changed files with 291 additions and 71 deletions

View File

@@ -17,6 +17,7 @@
"mongoose": "^8.3.1", "mongoose": "^8.3.1",
"react": "^18.2.0", "react": "^18.2.0",
"react-bootstrap": "^2.10.2", "react-bootstrap": "^2.10.2",
"react-csv": "^2.2.2",
"react-dom": "^18.2.0", "react-dom": "^18.2.0",
"react-icons": "^5.4.0", "react-icons": "^5.4.0",
"react-router-dom": "^6.28.0", "react-router-dom": "^6.28.0",
@@ -15339,6 +15340,11 @@
} }
} }
}, },
"node_modules/react-csv": {
"version": "2.2.2",
"resolved": "https://registry.npmjs.org/react-csv/-/react-csv-2.2.2.tgz",
"integrity": "sha512-RG5hOcZKZFigIGE8LxIEV/OgS1vigFQT4EkaHeKgyuCbUAu9Nbd/1RYq++bJcJJ9VOqO/n9TZRADsXNDR4VEpw=="
},
"node_modules/react-dev-utils": { "node_modules/react-dev-utils": {
"version": "12.0.1", "version": "12.0.1",
"resolved": "https://registry.npmjs.org/react-dev-utils/-/react-dev-utils-12.0.1.tgz", "resolved": "https://registry.npmjs.org/react-dev-utils/-/react-dev-utils-12.0.1.tgz",

View File

@@ -12,6 +12,7 @@
"mongoose": "^8.3.1", "mongoose": "^8.3.1",
"react": "^18.2.0", "react": "^18.2.0",
"react-bootstrap": "^2.10.2", "react-bootstrap": "^2.10.2",
"react-csv": "^2.2.2",
"react-dom": "^18.2.0", "react-dom": "^18.2.0",
"react-icons": "^5.4.0", "react-icons": "^5.4.0",
"react-router-dom": "^6.28.0", "react-router-dom": "^6.28.0",

View File

@@ -1,5 +1,87 @@
// import React, { useState, useEffect } from "react";
// import axios from "axios";
// const ConsolidatedTable = () => {
// const [data, setData] = useState([]);
// const [loading, setLoading] = useState(true);
// useEffect(() => {
// const fetchData = async () => {
// try {
// const response = await axios.get("http://localhost:8080/api/table/consolidated-table");
// setData(response.data);
// setLoading(false);
// } catch (error) {
// console.error("Error fetching table data:", error);
// setLoading(false);
// }
// };
// fetchData();
// }, []);
// if (loading) {
// return <div>Loading...</div>;
// }
// return (
// <div>
// <h1>Consolidated Table</h1>
// <table border="1" style={{ width: "100%", textAlign: "left" }}>
// <thead>
// <tr>
// <th>Semester</th>
// <th>Course Code</th>
// <th>Course Name</th>
// <th>Exam Type</th>
// <th>Year</th>
// <th>Marks</th>
// <th>Name</th>
// <th>Affiliation/College</th>
// <th>Highest Qualification</th>
// <th>Career Experience</th>
// <th>Oral/Practical</th>
// <th>Assessment</th>
// <th>Reassessment</th>
// <th>Paper Setting</th>
// <th>Moderation</th>
// <th>PwD Paper Setting</th>
// </tr>
// </thead>
// <tbody>
// {data.map((row, index) => (
// <tr key={index}>
// <td>{row.semester}</td>
// <td>{row.courseCode}</td>
// <td>{row.courseName}</td>
// <td>{row.examType}</td>
// <td>{row.year}</td>
// <td>{row.marks}</td>
// <td>{row.Name}</td>
// <td>{row.affiliation}</td>
// <td>{row.qualification}</td>
// <td>{row.experience}</td>
// <td>{row.oralPractical}</td>
// <td>{row.assessment}</td>
// <td>{row.reassessment}</td>
// <td>{row.paperSetting}</td>
// <td>{row.moderation}</td>
// <td>{row.pwdPaperSetting}</td>
// </tr>
// ))}
// </tbody>
// </table>
// </div>
// );
// };
// export default ConsolidatedTable;
import React, { useState, useEffect } from "react"; import React, { useState, useEffect } from "react";
import axios from "axios"; import axios from "axios";
import { CSVLink } from "react-csv";
const ConsolidatedTable = () => { const ConsolidatedTable = () => {
const [data, setData] = useState([]); const [data, setData] = useState([]);
@@ -24,10 +106,20 @@ const ConsolidatedTable = () => {
return <div>Loading...</div>; return <div>Loading...</div>;
} }
// Extract unique faculty names
const uniqueTeachers = [...new Set(data.map((row) => row.Name))];
return ( return (
<div> <div>
<h1>Consolidated Table</h1> <h1>Faculty Tables with Download Option</h1>
<table border="1" style={{ width: "100%", textAlign: "left" }}> {uniqueTeachers.map((teacher, index) => {
// Filter rows for the current teacher
const teacherData = data.filter((row) => row.Name === teacher);
return (
<div key={index} style={{ marginBottom: "20px" }}>
<h2>{teacher}'s Table</h2>
<table border="1" style={{ width: "100%", textAlign: "left", marginBottom: "10px" }}>
<thead> <thead>
<tr> <tr>
<th>Semester</th> <th>Semester</th>
@@ -49,8 +141,8 @@ const ConsolidatedTable = () => {
</tr> </tr>
</thead> </thead>
<tbody> <tbody>
{data.map((row, index) => ( {teacherData.map((row, idx) => (
<tr key={index}> <tr key={idx}>
<td>{row.semester}</td> <td>{row.semester}</td>
<td>{row.courseCode}</td> <td>{row.courseCode}</td>
<td>{row.courseName}</td> <td>{row.courseName}</td>
@@ -71,6 +163,24 @@ const ConsolidatedTable = () => {
))} ))}
</tbody> </tbody>
</table> </table>
{/* CSV Download Button */}
<CSVLink
data={teacherData}
filename={`${teacher.replace(/\s+/g, "_")}_table.csv`}
className="btn btn-primary"
style={{
padding: "10px 15px",
backgroundColor: "#007bff",
color: "white",
textDecoration: "none",
borderRadius: "5px",
}}
>
Download CSV
</CSVLink>
</div>
);
})}
</div> </div>
); );
}; };

View File

@@ -115,3 +115,16 @@ button[type="submit"] {
width: 100%; width: 100%;
} }
} }
.remove-faculty-btn {
padding: 0px 0px;
background: none;
border: none;
color: red;
cursor: pointer;
font-size: 16px;
margin-left: 10px;
}
.remove-faculty-btn:hover {
color: darkred;
}

View File

@@ -23,6 +23,15 @@ const CourseForm = () => {
pwdPaperSetter: "", pwdPaperSetter: "",
}); });
const [tempAssignments, setTempAssignments] = useState({
oralsPracticals: [],
assessment: [],
reassessment: [],
paperSetting: [],
moderation: [],
pwdPaperSetter: [],
});
const [errors, setErrors] = useState({}); const [errors, setErrors] = useState({});
// Fetch faculty list on mount // Fetch faculty list on mount
@@ -45,6 +54,15 @@ const CourseForm = () => {
setFormData({ ...formData, [name]: value }); setFormData({ ...formData, [name]: value });
if (value.trim() === "") {
// Clear suggestions if input is empty
setSuggestions((prev) => ({
...prev,
[name]: [],
}));
return;
}
// Filter suggestions for the current field // Filter suggestions for the current field
if (options.faculties.length > 0) { if (options.faculties.length > 0) {
const filteredSuggestions = options.faculties.filter((faculty) => const filteredSuggestions = options.faculties.filter((faculty) =>
@@ -57,31 +75,62 @@ const CourseForm = () => {
} }
}; };
// Validate the form const handleAddFaculty = (field) => {
const selectedFaculty = options.faculties.find(
(faculty) => faculty.name === formData[field]
);
if (selectedFaculty) {
setTempAssignments((prev) => ({
...prev,
[field]: [...prev[field], selectedFaculty],
}));
setFormData({ ...formData, [field]: "" }); // Clear input field
setSuggestions((prev) => ({ ...prev, [field]: [] })); // Clear suggestions
}
};
const handleRemoveFaculty = (field, index) => {
setTempAssignments((prev) => {
const updatedAssignments = [...prev[field]]; // Create a shallow copy of the current list for this field
updatedAssignments.splice(index, 1); // Remove the faculty at the specified index
return { ...prev, [field]: updatedAssignments }; // Update the tempAssignments state
});
};
const validateForm = () => { const validateForm = () => {
const newErrors = {}; const newErrors = {};
Object.keys(formData).forEach((field) => {
if (!formData[field]) { // Validate that each field in tempAssignments has at least one assigned faculty
newErrors[field] = "This field is required"; Object.keys(tempAssignments).forEach((field) => {
if (!tempAssignments[field] || tempAssignments[field].length === 0) {
newErrors[field] = "At least one faculty must be assigned.";
} }
}); });
setErrors(newErrors); setErrors(newErrors);
return Object.keys(newErrors).length === 0; return Object.keys(newErrors).length === 0; // Form is valid if no errors
}; };
// Handle form submission // Handle form submission
const handleSubmit = async (e) => { const handleSubmit = async (e) => {
e.preventDefault(); // Prevent default form submission behavior e.preventDefault(); // Prevent default form submission behavior
// Validate the form based on tempAssignments
if (validateForm()) { if (validateForm()) {
try { try {
const groupedTasks = {}; const groupedTasks = {};
// Group tasks by facultyId // Transform tempAssignments into grouped tasks by facultyId
Object.entries(formData).forEach(([field, value]) => { Object.entries(tempAssignments).forEach(([field, facultyList]) => {
facultyList.forEach((faculty) => {
// Assuming faculty is an object, not just the faculty name
const assignedFaculty = options.faculties.find( const assignedFaculty = options.faculties.find(
(faculty) => faculty.name === value (optionFaculty) => optionFaculty.facultyId === faculty.facultyId
); );
if (assignedFaculty) { if (assignedFaculty) {
// Check if the facultyId already exists in groupedTasks
if (!groupedTasks[assignedFaculty.facultyId]) { if (!groupedTasks[assignedFaculty.facultyId]) {
groupedTasks[assignedFaculty.facultyId] = { groupedTasks[assignedFaculty.facultyId] = {
facultyId: assignedFaculty.facultyId, facultyId: assignedFaculty.facultyId,
@@ -89,17 +138,28 @@ const CourseForm = () => {
tasks: [], tasks: [],
}; };
} }
// Push the task (field) into the tasks array for that faculty
groupedTasks[assignedFaculty.facultyId].tasks.push(field); groupedTasks[assignedFaculty.facultyId].tasks.push(field);
} }
}); });
});
const payload = Object.values(groupedTasks); // Convert the grouped tasks into an array console.log(groupedTasks);
const payload = Object.values(groupedTasks); // Convert grouped tasks into an array
console.log("Saving appointment with payload:", payload); console.log("Saving appointment with payload:", payload);
await saveAppointment(payload); // Save to backend
if (payload.length === 0) {
throw new Error("No assignments to submit.");
}
// Call API to save appointments
await saveAppointment(payload);
await updateCourseStatus(course?.courseId || id); await updateCourseStatus(course?.courseId || id);
console.log("Form submitted successfully:", payload); console.log("Form submitted successfully:", payload);
const filteredCourses = JSON.parse(localStorage.getItem("filteredCourses")) || []; const filteredCourses =
JSON.parse(localStorage.getItem("filteredCourses")) || [];
// Redirect to courses page after successful submission // Redirect to courses page after successful submission
navigate("/courses", { navigate("/courses", {
@@ -111,8 +171,6 @@ const CourseForm = () => {
}, },
}, },
}); });
} catch (error) { } catch (error) {
console.error("Failed to save appointment:", error); console.error("Failed to save appointment:", error);
} }
@@ -149,7 +207,21 @@ const CourseForm = () => {
onChange={handleInputChange} onChange={handleInputChange}
placeholder={`Search faculty for ${label}`} placeholder={`Search faculty for ${label}`}
/> />
<ul className="suggestions"> <button
type="button"
onClick={() => handleAddFaculty(name)}
disabled={!formData[name].trim()}
>
Add
</button>
<ul
className="suggestions"
id={`suggestions-${name}`}
style={{
display:
(suggestions[name] || []).length > 0 ? "block" : "none",
}}
>
{(suggestions[name] || []).map((faculty) => ( {(suggestions[name] || []).map((faculty) => (
<li <li
key={faculty.facultyId} key={faculty.facultyId}
@@ -163,7 +235,25 @@ const CourseForm = () => {
))} ))}
</ul> </ul>
</label> </label>
{errors[name] && <span className="error-message">{errors[name]}</span>} {tempAssignments[name].length > 0 && (
<ul className="temp-list">
{tempAssignments[name].map((faculty, index) => (
<li key={index}>
{faculty.name}
<button
type="button"
onClick={() => handleRemoveFaculty(name, index)}
className="remove-faculty-btn"
>
&#10005; {/* This is the "X" symbol */}
</button>
</li>
))}
</ul>
)}
{errors[name] && (
<span className="error-message">{errors[name]}</span>
)}
</div> </div>
))} ))}
<button type="submit">Submit</button> <button type="submit">Submit</button>