Notesdata:image/s3,"s3://crabby-images/eb108/eb108e1225c6a34726896a3a71243e18df6f7721" alt="what is notes.io? What is notes.io?"
![]() ![]() Notes - notes.io |
import { v4 as uuidv4 } from 'uuid';
import NavBar from './NavBar';
import Spinner from '../spinner/Spinner'
import jsPDF from 'jspdf';
import { ToastContainer, toast } from 'react-toastify'; // Import ToastContainer and toast from react-toastify
import 'react-toastify/dist/ReactToastify.css'; // Import the CSS for styling
const QuizUI = () => {
const mystyle = {
color: 'red',
};
const btnStyle = {
backgroundColor: '#FF683B',
color: 'white',
};
const gapStyle = {
marginRight: '10px',
};
const defaultNumberOfQuestionnaires = 10;
const questionsPerPage = 5;
const [inputData, setInputData] = useState({
subject: '',
topic: '',
language: '',
numberOfQuestions: defaultNumberOfQuestionnaires,
});
const [quizQuestions, setQuizQuestions] = useState([]);
const [currentPage, setCurrentPage] = useState(1);
const [selectedQuestions, setSelectedQuestions] = useState([]);
const [approvalStatus, setApprovalStatus] = useState({});
const [loading, setLoading] = useState(false);
const downloadPdfRef = useRef(null);
const handleInputChange = (e) => {
const { name, value } = e.target;
setInputData((prevData) => ({
...prevData,
[name]: value,
}));
};
const validateInput = () => {
if (!inputData.subject.trim()) {
alert('Please enter a subject.');
return false;
}
if (!inputData.topic.trim()) {
alert('Please enter a topic.');
return false;
}
if (!inputData.language.trim()) {
alert('Please select a language.');
return false;
}
if (inputData.numberOfQuestions < 1 || inputData.numberOfQuestions > 10) {
alert('Number of questions should be between 1 and 10.');
return false;
}
return true;
};
const handleGenerateQuiz = async () => {
if (!validateInput()) {
return;
}
try {
setLoading(true);
const apiUrl = `http://54.196.157.167:5001/generate_quiz?topic=${inputData.topic}&language=${inputData.language}&subject=${inputData.subject}&number=${inputData.numberOfQuestions}`;
const response = await fetch(apiUrl);
if (!response.ok) {
throw new Error(`HTTP error! Status: ${response.status}`);
}
const data = await response.json();
if (data && data.Quiz && Array.isArray(data.Quiz) && data.Quiz.length > 0) {
const quizWithIds = data.Quiz.map((question) => ({
...question,
id: uuidv4(),
}));
setQuizQuestions(quizWithIds);
setCurrentPage(1);
setApprovalStatus({});
toast.success('Quiz generated successfully');
} else {
console.error('Invalid API response. Expected a non-empty array:', data);
toast.error('Some error encountered. Please try again later.');
}
} catch (error) {
console.error('Error fetching quiz questions:', error);
toast.error('Some error encountered. Please try again later.');
} finally {
setLoading(false);
}
};
const indexOfLastQuestion = currentPage * questionsPerPage;
const indexOfFirstQuestion = indexOfLastQuestion - questionsPerPage;
const currentQuestions = quizQuestions.slice(indexOfFirstQuestion, indexOfLastQuestion);
const paginate = (pageNumber) => {
setCurrentPage(pageNumber);
};
const handleBack = () => {
setInputData({
subject: '',
topic: '',
language: '',
numberOfQuestions: defaultNumberOfQuestionnaires,
});
setQuizQuestions([]);
setCurrentPage(1);
setSelectedQuestions([]);
setApprovalStatus({});
};
const handleCancel = () => {
setSelectedQuestions([]);
setApprovalStatus({});
};
const handleApprove = (id) => {
setApprovalStatus((prev) => ({ ...prev, [id]: true }));
setSelectedQuestions((prevSelected) => [...prevSelected, id]);
};
const handleReject = (id) => {
setApprovalStatus((prev) => ({ ...prev, [id]: false }));
};
const handleToggleSelectAll = () => {
const allQuestionsSelected = selectedQuestions.length === quizQuestions.length;
if (allQuestionsSelected) {
setSelectedQuestions([]);
} else {
const allQuestions = quizQuestions.map((question) => question.id);
setSelectedQuestions(allQuestions);
}
};
const generatePdf = () => {
if (selectedQuestions.length === 0) {
alert('Please select questions to download as PDF.');
return;
}
const pdf = new jsPDF();
const fontSize = 10;
const maxQuestionsPerPage = 3;
let questionCounter = 0;
let yOffset = 20;
let currentPage = 1;
const addQuestionPage = () => {
if (questionCounter > 0) {
pdf.addPage();
currentPage++;
yOffset = 20;
}
};
selectedQuestions.forEach((questionId, index) => {
const question = quizQuestions.find(q => q.id === questionId);
if (question) {
if (questionCounter % maxQuestionsPerPage === 0) {
addQuestionPage();
}
pdf.setFontSize(fontSize);
pdf.text(`Question ${questionCounter + 1} : ${question.Question}`, 10, yOffset);
yOffset += fontSize + 2;
['Answer 1', 'Answer 2', 'Answer 3', 'Answer 4'].forEach(answerKey => {
pdf.text(`${answerKey.charAt(answerKey.length - 1)}. ${question[answerKey]}`, 15, yOffset);
yOffset += fontSize + 2;
});
yOffset += 5; // Space between questions
questionCounter++;
} else {
console.error(`Question with ID ${questionId} not found.`);
}
});
addQuestionPage(); // Add page for Correct Answers
selectedQuestions.forEach((questionId, index) => {
const question = quizQuestions.find(q => q.id === questionId);
if (question) {
pdf.text(`Question ${index + 1} : Correct Answer: ${question['Correct Answer']}`, 10, yOffset);
yOffset += fontSize + 5;
}
});
const pageCount = pdf.internal.getNumberOfPages();
pdf.setPage(currentPage);
const pageWidth = pdf.internal.pageSize.width;
const pageHeight = pdf.internal.pageSize.height;
const centerX = pageWidth / 2;
const centerY = pageHeight - 10;
pdf.text(`Page ${currentPage} of ${pageCount}`, centerX, centerY, { align: 'center' });
pdf.save('selected_questions.pdf');
handleBack();
toast.success('PDF downloaded successfully');
};
const handleDownloadPdf = () => {
generatePdf();
};
const handleRegenerateQuestion = async (id) => {
try {
setLoading(true);
// Find the question to be regenerated
const questionToRegenerate = quizQuestions.find((question) => question.id === id);
if (!questionToRegenerate) {
console.error('Question to be regenerated not found.');
return;
}
// Generate a new question
const apiUrl = `http://54.196.157.167:5001/generate_quiz?topic=${inputData.topic}&language=${inputData.language}&subject=${inputData.subject}&number=1`;
const response = await fetch(apiUrl);
if (!response.ok) {
throw new Error(`HTTP error! Status: ${response.status}`);
}
const data = await response.json();
if (data && data.Quiz && Array.isArray(data.Quiz) && data.Quiz.length > 0) {
const newQuestion = {
...data.Quiz[0],
id: uuidv4(),
};
// Update the quiz questions by replacing the regenerated question
const updatedQuizQuestions = quizQuestions.map((question) => {
if (question.id === id) {
return newQuestion;
}
return question;
});
setQuizQuestions(updatedQuizQuestions);
} else {
console.error('Invalid API response. Expected a non-empty array:', data);
}
} catch (error) {
console.error('Error regenerating question:', error);
} finally {
setLoading(false);
}
};
return (
<>
<NavBar />
<ToastContainer
position="top-right"
autoClose={2500}
/>
<div className="container">
<div className="row justify-content-center mt-4 mb-1">
<div className="col-md-6 border border-4 rounded-3 pt-4 pb-3 ps-5 pe-5 shadow p-3 bg-body rounded">
{loading ? (
<div className="text-center">
<Spinner />
</div>
) : quizQuestions.length === 0 ? (
<form>
<h4 className="text-center mb-4">Quiz Generator</h4>
<div className="mb-3">
<label htmlFor="subject" className="form-label">
Subjects <span style={mystyle}>*</span>
</label>
<input
type="text"
className="form-control form-control-sm mb-3"
id="subject"
name="subject"
value={inputData.subject}
onChange={handleInputChange}
disabled={loading}
/>
<label htmlFor="topic" className="form-label">
Topics <span style={mystyle}>*</span>
</label>
<input
type="text"
className="form-control form-control-sm mb-3"
id="topic"
name="topic"
value={inputData.topic}
onChange={handleInputChange}
disabled={loading}
/>
<label htmlFor="language" className="form-label">
Language <span style={mystyle}>*</span>
</label>
<select
className="form-select form-select-sm mb-3"
id="language"
name="language"
value={inputData.language}
onChange={handleInputChange}
disabled={loading}
>
<option defaultValue>Choose Language</option>
<option value="english">English</option>
<option value="spanish">Spanish</option>
<option value="thai">Thailand</option>
</select>
<label htmlFor="numberOfQuestions" className="form-label">
Number of Questions <span style={mystyle}>*</span>
</label>
<input
type="number"
className="form-control form-control-sm mb-3"
id="numberOfQuestions"
name="numberOfQuestions"
value={inputData.numberOfQuestions}
onChange={handleInputChange}
disabled={loading}
/>
</div>
<div className="d-flex justify-content-between mb-4">
<button
type="button"
className="btn btn-sm"
style={btnStyle}
onClick={handleGenerateQuiz}
disabled={loading}
>
Generate <i className="fa-solid fa-arrow-right"></i>
</button>
<button
type="reset"
className="btn btn-sm"
style={btnStyle}
onClick={handleCancel}
disabled={loading}
>
Cancel
</button>
</div>
</form>
) : (
<div>
{currentQuestions.length > 0 && (
<>
<div>
{currentQuestions.map((question, index) => (
<div key={index} className="card mb-3">
<div className="card-header">
<div className="form-check">
<input
className="form-check-input"
type="checkbox"
value=""
id={`flexCheckDefault${question.id}`}
checked={selectedQuestions.includes(question.id)}
onChange={() => {
const isApprovedOrAllSelected = approvalStatus[question.id] || selectedQuestions.length === quizQuestions.length;
if (isApprovedOrAllSelected) {
const updatedQuestions = selectedQuestions.includes(question.id)
? selectedQuestions.filter((id) => id !== question.id)
: [...selectedQuestions, question.id];
setSelectedQuestions(updatedQuestions);
}
}}
disabled={!approvalStatus[question.id] && selectedQuestions.length !== quizQuestions.length}
/>
<label className="form-check-label">
<h6 className="card-title">
{indexOfFirstQuestion + index + 1}. {question.Question}
</h6>
</label>
</div>
</div>
<div className="card-body fs-6">
A.{question['Answer 1']}
<span style={gapStyle}></span>
B.{question['Answer 2']}
<span style={gapStyle}></span>
C.{question['Answer 3']}
<span style={gapStyle}></span>
D.{question['Answer 4']}
<span className='d-flex justify-content-end mt-3 fst-italic fs-6'>
Correct Answer: {question['Correct Answer']}
</span>
</div>
<div
className="card-footer"
style={{
backgroundColor: approvalStatus[question.id]
? '#D1FFBD'
: approvalStatus[question.id] === false
? ''
: '',
}}
>
{approvalStatus[question.id] === true ? (
<div className="text-center">
Approved <i className="fa-solid fa-check"></i>
</div>
) : approvalStatus[question.id] === false ? (
<div className="d-flex justify-content-center">
<button type="button" className="btn btn-outline-danger btn-sm" onClick={() => handleRegenerateQuestion(question.id)}>
Regenerate <i className="fa-solid fa-arrows-spin"></i>
</button>
</div>
) : (
<div className="d-flex justify-content-between">
<button
type="button"
className="btn btn-outline-success btn-sm"
onClick={() => handleApprove(question.id)}
>
Approve
</button>
<button
type="button"
className="btn btn-outline-danger btn-sm"
onClick={() => handleReject(question.id)}
>
Reject
</button>
</div>
)}
</div>
</div>
))}
</div>
</>
)}
<div className="d-flex justify-content-end">
<ul className="pagination pagination-sm">
{Array.from(
{ length: Math.ceil(quizQuestions.length / questionsPerPage) },
(_, index) => (
<li key={index} className={`page-item ${currentPage === index + 1 ? 'active' : ''}`}>
<button
className="page-link"
onClick={() => paginate(index + 1)}
>
{index + 1}
</button>
</li>
)
)}
</ul>
</div>
<div className="d-flex justify-content-between mb-3">
<button
type="button"
className="btn btn-sm"
style={btnStyle}
onClick={handleBack}
>
<i className="fa-solid fa-angle-left me-1"></i> Back
</button>
<button
type="button"
className="btn btn-sm"
style={btnStyle}
onClick={handleToggleSelectAll}
>
{selectedQuestions.length === 0
? 'Select All'
: selectedQuestions.length === quizQuestions.length
? 'Unselect All'
: 'Select All'}
</button>
<button
type="button"
className="btn btn-sm"
style={btnStyle}
onClick={handleDownloadPdf}
ref={downloadPdfRef}
>
Download PDF
</button>
<button
type="button"
className="btn btn-sm"
style={btnStyle}
onClick={handleCancel}
>
Cancel
</button>
</div>
</div>
)}
</div>
</div>
</div>
</>
);
};
export default QuizUI;
![]() |
Notes is a web-based application for online taking notes. You can take your notes and share with others people. If you like taking long notes, notes.io is designed for you. To date, over 8,000,000,000+ notes created and continuing...
With notes.io;
- * You can take a note from anywhere and any device with internet connection.
- * You can share the notes in social platforms (YouTube, Facebook, Twitter, instagram etc.).
- * You can quickly share your contents without website, blog and e-mail.
- * You don't need to create any Account to share a note. As you wish you can use quick, easy and best shortened notes with sms, websites, e-mail, or messaging services (WhatsApp, iMessage, Telegram, Signal).
- * Notes.io has fabulous infrastructure design for a short link and allows you to share the note as an easy and understandable link.
Fast: Notes.io is built for speed and performance. You can take a notes quickly and browse your archive.
Easy: Notes.io doesn’t require installation. Just write and share note!
Short: Notes.io’s url just 8 character. You’ll get shorten link of your note when you want to share. (Ex: notes.io/q )
Free: Notes.io works for 14 years and has been free since the day it was started.
You immediately create your first note and start sharing with the ones you wish. If you want to contact us, you can use the following communication channels;
Email: [email protected]
Twitter: http://twitter.com/notesio
Instagram: http://instagram.com/notes.io
Facebook: http://facebook.com/notesio
Regards;
Notes.io Team