Full Stack Web Development Internship Program
- 29k Enrolled Learners
- Weekend/Weekday
- Live Class
In this post we’ll cover the steps in creating an interactive online quiz application using JSP Servlet technology. We’ll look at how to parse XML files, how to handle sessions and keep track of user interaction using session management.
Below are some of the snapshots of the end application:
Before taking a quiz, a user have to first register and login. To register one can directly click on the register menu or a link to registration page is provided on the login page to create an account.
When a user clicks, an exam user is directly redirected to the login page, if the user is not logged in.
Home page is the landing page of the application from where a user can take any quiz by clicking on the quiz. On the home page, if the user is logged in his name is also shown and a logout link is provided to logout from the application.
On starting a quiz, a user is presented with the first question of the quiz with the next and finish button. Note that the previous button is not shown when the user is on first question and next button is not shown when the user is in the last question.
After clicking on the finish button the user is presented with exam results, showing the name of quiz; time when the quiz was started and the number of questions that the user answered correctly.
Well, it works as you expect it to work. To take a quiz, a user must be logged in. If the user is not logged in, the user will automatically be redirected to the login page, where the user can login. If the user is not already registered to the application, he has to create an account first. After successfully logging in to the application, the user can take any of the quiz by clicking on it. Now, the user will be presented with the first question of the quiz. To move through the quiz questions, the user is provided with the next and previous buttons. The quiz can be finished at any time by clicking on the finish button.
Let’s get started on building the application
Below is the snapshot of the project structure in Eclipse IDE.
Home page is pretty straightforward. We have a menu and 8 images displayed in a table format with two rows; each row containing 4 images. On the home page we also make a check, whether the user is logged in or not. If the user is logged in we also display the username and provide a logout link.
Creating Menu for Home Page
< div id='cssmenu'> < ul> < li class=''>< a href='${pageContext.request.contextPath}'>< span>Home< /span>< /a>< /li> < li>< a href='${pageContext.request.contextPath}/login'>< span>Login< /span>< /a>< /li> < li>< a href='${pageContext.request.contextPath}/register'>< span>Register< /span>< /a>< /li> < li class='#'>< a href='#'>< span>Submit a Question< /span>< /a>< /li> < li class='#'>< a href='#'>< span>Feedback< /span>< /a>< /li> < li>< a href='#'>< span>Contribute< /span>< /a>< /li> < li>< a href='#'>< span>Contact us< /span>< /a>< /li> < /ul> < /div>
Checking whether the user is logged in or not
< c:if test='${not empty sessionScope.user}'> < div style="position:absolute;top:70px;left:1100px"> Logged as < a href="#" class="button username">${sessionScope.user}< /a> < /div> < div style="position:absolute;top:70px;left:1300px"> < a href='${pageContext.request.contextPath}/logout'>Logout< /a> < /div> < /c:if>
Showing the quiz images on home page
< div style="position:absolute;left:120px;top:60px"> < table cellpadding="0" cellspacing="50"> < tr> < td>< a href="takeExam?test=java">< img height="200" width="200" src="${pageContext.request.contextPath}/images/java.png"/>< /a>< /td> < td>< a href="takeExam?test=javascript">< img height="200" width="200" src="${pageContext.request.contextPath}/images/javascript.png"/>< /a>< /td> < td>< a href="takeExam?test=sql">< img height="200" width="200" src="${pageContext.request.contextPath}/images/sql-logo.png"/>< /a>< /td> < td>< a href="takeExam?test=python">< img height="200" width="200" src="${pageContext.request.contextPath}/images/python.jpg"/>< /a>< /td> < /tr> < tr> < td>< a href="takeExam?test=css">< img height="200" width="200" src="${pageContext.request.contextPath}/images/css.jpg"/>< /a>< /td> < td>< a href="takeExam?test=php">< img height="200" width="200" src="${pageContext.request.contextPath}/images/php-logo.jpg"/>< /a>< /td> < td>< a href="takeExam?test=linux">< img height="200" width="200" src="${pageContext.request.contextPath}/images/logo-linux.png"/>< /a>< /td> < td>< a href="takeExam?test=mongodb">< img height="200" width="200" src="${pageContext.request.contextPath}/images/mongodb_logo.png"/>< /a>< /td> < /tr> < /table> < /div>
There is nothing fancy in the registration page; just an HTML form awaiting the user to provide his name, email and password. Once we get that, we pass this to RegistrationController servlet to create an account.
Note: We are not doing any validation like password should contain 8 characters with at least one uppercase character, one number and special symbol. We will do that in upcoming posts, when we extend this application.
Registration Code
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { String username=request.getParameter("username"); String email=request.getParameter("email"); String password=request.getParameter("password"); Connection con=DatabaseConnectionFactory.createConnection(); try { Statement st=con.createStatement(); String sql = "INSERT INTO users values ('"+username+"','"+password+"','"+email+"')"; System.out.println(sql); st.executeUpdate(sql); }catch(SQLException sqe){System.out.println("Error : While Inserting record in database");} try { con.close(); }catch(SQLException se){System.out.println("Error : While Closing Connection");} request.setAttribute("newUser",username); RequestDispatcher dispatcher=request.getRequestDispatcher("/WEB-INF/jsps/regSuccess.jsp"); dispatcher.forward(request, response); } Dive into the world of full stack development and unleash your creativity with our Full Stack Developer Course.
In this application we have used MySQL database to store user credentials. To get a connection to database we have defined a static method createConnection in DatabaseConnectionFactory class, where all database specific information is stored.
We have just users’ table under quiz database.
Users’ table
create table users(username varchar(50),email varchar(50),password varchar(50))
If you are working with some other database like Oracle you have to change the properties of the DatabaseConnectionFactory class accordingly.
DatabaseConnectionFactory.java
public class DatabaseConnectionFactory { private static String dbURL="jdbc:mysql://localhost/quiz"; private static String dbUser="root"; private static String dbPassword=""; public static Connection createConnection() { Connection con=null; try{ try { Class.forName("com.mysql.jdbc.Driver"); } catch(ClassNotFoundException ex) { System.out.println("Error: unable to load driver class!"); System.exit(1); } con = DriverManager.getConnection(dbURL,dbUser,dbPassword); } catch(SQLException sqe){ System.out.println("Error: While Creating connection to database");sqe.printStackTrace();} return con; } }
Login page is very much similar to registration page where we are providing two input fields asking user to provide a username and password. Once we get the username and password entered by the user we pass it to LoginController to authenticate user.
Login Validation Code
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { String username=request.getParameter("username"); String password=request.getParameter("password"); Connection con=DatabaseConnectionFactory.createConnection(); ResultSet set=null; int i=0; try { Statement st=con.createStatement(); String sql = "Select * from users where username='"+username+"' and password='"+password+"' "; System.out.println(sql); set=st.executeQuery(sql); while(set.next()) { i=1; } if(i!=0) { HttpSession session=request.getSession(); session.setAttribute("user",username); RequestDispatcher rd=request.getRequestDispatcher("/WEB-INF/jsps/home.jsp"); rd.forward(request, response); } else { request.setAttribute("errorMessage","Invalid username or password"); RequestDispatcher rd=request.getRequestDispatcher("/WEB-INF/jsps/login.jsp"); rd.forward(request, response); } }catch(SQLException sqe){System.out.println("Error : While Fetching records from database");} try { con.close(); }catch(SQLException se){System.out.println("Error : While Closing Connection");} }
It is the MainController where we have written the code to redirect the user to appropriate page according to the incoming request url.
@WebServlet(urlPatterns = { "/login", "/register", "/takeExam", "/logout" }) public class MainController extends HttpServlet { private static final long serialVersionUID = 1L; protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException { String applicationContextPath = request.getContextPath(); if (request.getRequestURI().equals(applicationContextPath + "/")) { RequestDispatcher dispatcher = request .getRequestDispatcher("/WEB-INF/jsps/home.jsp"); dispatcher.forward(request, response); } else if (request.getRequestURI().equals( applicationContextPath + "/login")) { RequestDispatcher dispatcher = request .getRequestDispatcher("/WEB-INF/jsps/login.jsp"); dispatcher.forward(request, response); } else if (request.getRequestURI().equals( applicationContextPath + "/register")) { RequestDispatcher dispatcher = request .getRequestDispatcher("/WEB-INF/jsps/register.jsp"); dispatcher.forward(request, response); } else if (request.getRequestURI().equals( applicationContextPath + "/takeExam")) { request.getSession().setAttribute("currentExam", null); String exam = request.getParameter("test"); request.getSession().setAttribute("exam", exam); System.out.println(request.getSession().getAttribute("user")); if (request.getSession().getAttribute("user") == null) { request.getRequestDispatcher("/login").forward(request, response); } else { RequestDispatcher dispatcher = request .getRequestDispatcher("/WEB-INF/jsps/quizDetails.jsp"); dispatcher.forward(request, response); } } else if (request.getRequestURI().equals( applicationContextPath + "/logout")) { request.getSession().invalidate(); RequestDispatcher dispatcher = request .getRequestDispatcher("/WEB-INF/jsps/home.jsp"); dispatcher.forward(request, response); } } }
Once the user clicks on logout, link session is invalidated and all the objects bind in the session are removed.
request.getSession().invalidate();
Note that we have stored the questions in separate XML files, not in the database.
< quiz> < title>MongoDB Quiz (01/09/2015)< /title> < questions> < question> < quizquestion>MongoDB is a < /quizquestion> < answer>Relational Database< /answer> < answer>Object Relational Database< /answer> < answer>Graph Database< /answer> < answer>Document Database< /answer> < correct>3< /correct> < /question> < question> < quizquestion>What is the name of MongoDB server ?< /quizquestion> < answer>mongoserver< /answer> < answer>mongod< /answer> < answer>mongodb< /answer> < answer>mongo< /answer> < correct>1< /correct> < /question> < question> < quizquestion>What is the name of MongoDB client ?< /quizquestion> < answer>mongo< /answer> < answer>mongod< /answer> < answer>mongodb< /answer> < answer>mongo-client< /answer> < correct>0< /correct> < /question> < /questions> < /quiz>
To read the questions from the XML file we create a document that represents the XML file containing quiz questions. Whenever the user clicks on the next or previous button we call the setQuestion(int i) method, giving the index of question that we want to read and at the same time that question is saved in an ArrayList of QuizQuestion.
QuizQuestion is the class that represents a single quiz question; each question will have a number, question statement, options and one correct option index.
QuizQuestion.java
public class QuizQuestion { int questionNumber; String question; String questionOptions[]; int correctOptionIndex; public String getQuestion() { return question; } public int getQuestionNumber() { return questionNumber; } public void setQuestionNumber(int i) { questionNumber=i; } public int getCorrectOptionIndex() { return correctOptionIndex; } public String[] getQuestionOptions() { return questionOptions; } public void setQuestion(String s) { question=s; } public void setCorrectOptionIndex(int i) { correctOptionIndex=i; } public void setQuestionOptions(String[]s) { questionOptions=s; } }
Note that since this is a web application, multiple users will be taking exams simultaneously. We have to make sure that one user’s exam does not get into another user’s exam. For example, one user might have just started Java exam and another user is on question 5 of SQL exam; we have to treat them as two separate exams. To do that we will maintain the state of each exam using session.
When the user clicks on start exam button to start the exam, we will create a new instance of exam passing the test type for eg. Java, PHP, CSS etc. So each user will have a different instance of Exam class (that represents an individual exam).
Let’s see what is there in the exam class
public class Exam { Document dom; public int currentQuestion=0; public Map selections=new LinkedHashMap(); public ArrayList questionList = new ArrayList(10); public Exam(String test) throws SAXException,ParserConfigurationException,IOException, URISyntaxException{ dom=CreateDOM.getDOM(test); } // code }
Note that to track the current question in the exam we have currentQuestion property in exam class.
Elevate your web development skills with our industry-relevant Node JS Course and stay ahead in the ever-evolving tech world.
ExamController is the main control from where we control the exam. Here we save user selections (what user have answered for the question) in a Map. ExamController also lets user move through questions by clicking next and previous button, at the back end it is the ExamController which makes the function calls to retrieve questions and store user responses.
When the user clicks on finish button, ExamController calls the calculateResult() method passing the Exam object, calculateResult() compares user responses with correct option for the question and returns how many correct answers a user got.
public int calculateResult(Exam exam){ int totalCorrect=0; Map<Integer,Integer> userSelectionsMap=exam.selections; List userSelectionsList=new ArrayList(10); for (Map.Entry<Integer, Integer> entry :userSelectionsMap.entrySet()) { userSelectionsList.add(entry.getValue()); } List questionList=exam.questionList; List correctAnswersList=new ArrayList(10); for(QuizQuestion question: questionList){ correctAnswersList.add(question.getCorrectOptionIndex()); } for(int i=0;i<selections.size();i++){ System.out.println(userSelectionsList.get(i)+" --- "+correctAnswersList.get(i)); if((userSelectionsList.get(i)-1)==correctAnswersList.get(i)){ totalCorrect++; } } System.out.println("You Got "+totalCorrect+" Correct"); return totalCorrect; }
Note that until now each of our question has 4 options and there is no timer for the quiz. In the upcoming posts we are going to extend this online quiz application and will include the following functionalities :
1. Each quiz can have different number of questions
2. Each question can have different number of options
3. A question can have multiple correct options
4. Implementing a timer for the quiz
5. Maintaining a history of the user; like how many tests a user have taken in the past and his score
6. Randomizing the order of questions presented to the user
7. Giving the user option to review his answers before submitting the test for evaluation
8. A dropdown box to jump to any question in between the test rather then clicking next button multiple times.
As always you can download the code, change it as you like. That’s the best way to understand the code. If you have any question or suggestion please comment below.
Click on the Download button to download the code.
[buttonleads form_title=”Download Code” redirect_url=https://edureka.wistia.com/medias/akdu7ycjex/download?media_file_id=65416744 course_id=44 button_text=”Download Code”]
Got a question for us? Please mention it in the comments section and we will get back to you.
Related Posts:
Creating Online Quiz Application Part 2 – Implementing Countdown Timer
Creating Online Quiz Application Part 3 – Quiz Review Functionality
Course Name | Date | Details |
---|---|---|
Java Course Online | Class Starts on 7th December,2024 7th December SAT&SUN (Weekend Batch) | View Details |
edureka.co
e https://uploads.disquscdn.com/images/fbf4cb9b4b57be79e0b542ff22b338fc6fe6687cfa24fecb271b7fcc7d0503c3.png g
getting following error
Hey Vishmit, thanks for checking out the blog. Could you please attach your program code? It will help us resolve this error? Cheers!
Hi,
can you please share the link to download the OnlineQuiz with timer Code. am not able to download the code from your given link.
hi can you please send the steps to load the code in netbeans or mail me the steps at
ritikadhillon26@gmail.com
Hey Ritika, thanks for checking out the blog. Please refer to the below given link for complete procedure of loading existing codes on Netbeans IDE:
https://netbeans.org/kb/73/java/project-setup.html?print=yes
Hope this helps.
good morning…i want to read hindi font but it will shown ??????????????????? in the browser…please help me
download link is not working can u please send the code on dkhurana211@gmail.com
Hey Disha, we have fixed the issue. Please try downloading the code again. Cheers!
marhaban !
is there a way that you provide us with the full project in one link , will be really thankfull for that .
if you need an email to send to chirazme@yahoo.fr
Hey Shiraz, thanks for checking out our blog. Please try downloading the code in the link above. Cheers!
hi my id is aastha.ey@gmail.com. can u please provide me the project source code at the earliest
Hey Aastha, we have fixed the issue and it’s available for download. Cheers!
Is this available to work on Intellij. What is JAX-WS web services in the project structure?
Hi, thanks for checking out the blog. Yes it is possible to develop jsp/servlets projects on intellij.
JAX-WS web services:
Java API for XML Web Services (JAX-WS) is a technology for building web services and clients that communicate using XML. JAX-WS allows developers to write message-oriented as well as Remote Procedure Call-oriented (RPC-oriented) web services.
In JAX-WS, a web service operation invocation is represented by an XML-based protocol, such as SOAP. The SOAP specification defines the envelope structure, encoding rules, and conventions for representing web service invocations and responses. These calls and responses are transmitted as SOAP messages (XML files) over HTTP.
Although SOAP messages are complex, the JAX-WS API hides this complexity from the application developer. On the server side, the developer specifies the web service operations by defining methods in an interface written in the Java programming language. The developer also codes one or more classes that implement those methods. Client programs are also easy to code. A client creates a proxy (a local object representing the service) and then simply invokes methods on the proxy. With JAX-WS, the developer does not generate or parse SOAP messages. It is the JAX-WS runtime system that converts the API calls and responses to and from SOAP messages.
With JAX-WS, clients and web services have a big advantage: the platform independence of the Java programming language. In addition, JAX-WS is not restrictive: A JAX-WS client can access a web service that is not running on the Java platform, and vice versa. This flexibility is possible because JAX-WS uses technologies defined by the W3C: HTTP, SOAP, and WSDL. WSDL specifies an XML format for describing a service as a set of endpoints operating on messages.
Hope this helps.
the given download link isnt working , could you please mail me this project source code on anjaysharma123@gmail.com
Sure, Anjay. We will reach the source code to you as soon as possible. Have a good day!
dude if u face this type of issue den jus viewsource the page and chk for the link given and bang on
:)
https://edureka.wistia.com/medias/akdu7ycjex/download?media_file_id=65416744
Hey Anjay, we have fixed the issue. Please try downloading the code again. Cheers!
but where the resgister page redirecting ? as in action method checkRegister link has given please help
Hey Priyanka, we have fixed the issue. Please try downloading the code again. Cheers!
I can´t download the project…
Hey Carlos, we have fixed the issue. Try downloading the code now. Cheers!