Java Server Pages combined with servlets in action. Generals. Java Servlets
|
|
|
- Edwin Chapman
- 10 years ago
- Views:
Transcription
1 Java Server Pages combined with servlets in action We want to create a small web application (library), that illustrates the usage of JavaServer Pages combined with Java Servlets. We use the JavaServer Pages to display data (presentation) and the servlets to control and call the business logic of the web application. First we shortly explain the characteristics of these two technologies. Generals Author: Sascha Wolski Tutorials for Struts, EJB, xdoclet and eclipse. Date: September, 23 th 2004 Source code: The sources does not contain the project files. So create a project first and copy the sources to this projects. PDF Version des Tutorials: Development Tools Eclipse 3.x Optional: MyEclipse plugin 3.8 (A cheap and quite powerful Extension to Eclipse to develop Web Applications and EJB (J2EE) Applications. I think that there is a test version availalable at MyEclipse.) Application Server Jboss You may use Tomcat here if you like. Java Servlets Servlets represent java programs that run on a web server. They allow the developer to produce dynamic web sites with java. A Servlet has the following tasks It reads and processes data, which a user inputs in a HTML form on a web page. Other informations can be processed, e.g. what browser or system will be used. It generate results with the existing data, calls the business logic directly in the servlet or another class, which contains the logic or executes a database query. The results are formated. If the Browser expects an answer in the HTML format, then the results must be formatted in accordance with the standard. It is possible to return different formats of data with a servlet. (gif, jpeg, doc, etc.). Suitable answer parameters are set. Befor the servlet return the data to the browser, it sends some parameter. The parameter contains the format, that will returned by the servlet, what time the browser use to cache the site and some more.
2 Java Server Pages (JSP) JavaServer Pages (JSP) are text documents, which are similar to HTML Files. But you find also java code in the JSP File. JavaServer Pages allow you to mix regular static HTML with dynamic generated contents of Java code. The java code is inserted in the HTML document on a JSP File, differently to a servlet, where the HTML code is embedded in the java code.
3 Create a new Web Projekt Right click on the package explorer and choose New > Project. Choose the wizard Web Project in J2EE. Set a nice name for your project.
4 Class with dummy data In this example we do not use a database binding. We use a class which provide the dummy data and some methods for add, update, delete. Create a new Package de.laliluna.tutorial.library in src of the project. Download the complete project an copy the file SimulatedDB.java from the folder /de/laliluna/tutorial/library in the package. Create the class book You can borrow a book in a library, so we need a class that represent the book. Create a package de.laliluna.tutorial.library and a new class New > Class.
5 The object class book contains the following private properties as variables. id title author available We create for the properties getter- and setter-methods, to access the private properties. Open the class Book and add the properties and getter- and setter-methods. Add constructors to this class. public class Book { private long id = 0; private String title = ""; private String author = ""; private boolean available = false; // Contructor public Book(){ // Contructor to initial the properties public Book(long id, String author, String title, boolean available) { this.id = id; this.author = author; this.title = title; this.available = available; public boolean isavailable() { return available;
6 public void setavailable(boolean available) { this.available = available; public long getid() { return id; public void setid(long id) { this.id = id; public String getauthor() { return author; public void setauthor(string author) { this.author = author; public String gettitle() { return title; public void settitle(string title) { this.title = title;
7 Create the servlets In our example application we use two servlets, which are responsible for steering our web application. Create a new package de.laliluna.tutorial.library.servlets in src of your project. Right click on the package and choose New > Servlet. Repeat the steps for the second servlet. Set the name of the servlet to BookList. Now you find the servlets in your package.
8 Edit the servlets BookList.java Open the servlet class BookList.java. This servlet loads a list of books and saves it in the request. Later in the JavaServer Page (jsp) we use the list to display the books. Change the method doget(...) like the following. public void doget(httpservletrequest request, HttpServletResponse response) throws ServletException, IOException { //hole die session des requests HttpSession session = request.getsession(); //initialisiere die Datenbank Klasse SimulateDB simulatedb = new SimulateDB(); //lies alle Bücher aus der Datenbank Klasse Collection collection = simulatedb.getallbooks(session); //setze die zurück gegebene Liste der Bücher im Request request.setattribute("books", collection); //hole den Request Dispatcher für die JSP Datei RequestDispatcher dispatcher = getservletcontext(). getrequestdispatcher("/jsp/booklist.jsp"); //leite auf die JSP Datei zum Anzeigen der Liste weiter dispatcher.forward(request, response); In the dopost(...) method we call the method doget(...), because we want to execute the same logic for each request GET or POST of the browser. public void dopost(httpservletrequest request, HttpServletResponse response) throws ServletException, IOException { //rufe die doget(...) Methode auf this.doget(request, response); We finished the servlet, that gets all books of the library. BookEdit.java In the next step we want to edit the servlet class BookEdit.java. Later it should control add, edit, delete of the books. Open the class BookEdit.java and change the method doget(...) like the following. With the parameter do in the method doget(...) we check which action is called. When creating a book, it refers to the display jsp. When the value edit is assigned to the parameter do, the book is loaded and saved in the request with the name book. When deleting is choosen, the book is deleted and the application is forwarded to the servlet BookList to display the list of books. public void doget(httpservletrequest request, HttpServletResponse response) throws ServletException, IOException { //hole die session des requests HttpSession session = request.getsession();
9 //initialisiere die Datenbank Klasse SimulateDB simulatedb = new SimulateDB(); //lies den Parameter do aus dem Request String action = request.getparameter("do"); //lies den Parameter id aus dem Request long id = 0; try{ id = Long.parseLong(request.getParameter("id")); catch(numberformatexception e){ //hinzufügen eines Buches if(action.equals("add")){ //hole den Request Dispatcher für die JSP Datei RequestDispatcher dispatcher = getservletcontext(). getrequestdispatcher("/jsp/bookadd.jsp"); //leite auf die JSP Datei zum Anlegen eines Buches weiter dispatcher.forward(request, response); //bearbeiten eines Buches else if(action.equals("edit")){ //lies das Buch anhand seiner Id aus Book book = simulatedb.loadbookbyid(id, session); //setze das Buch Objekt im request request.setattribute("book", book); //hole den Request Dispatcher für die JSP Datei RequestDispatcher dispatcher = getservletcontext(). getrequestdispatcher("/jsp/bookedit.jsp"); //leite auf die JSP Datei zum Bearbeiten eines Buches weiter dispatcher.forward(request, response); //löschen eines Buches else if(action.equals("delete")){ //lösche das Buch anhand der Id simulatedb.deletebookbyid(id, session); //Redirect Weiterleitung zum BookList Servlet response.sendredirect(request.getcontextpath() + "/booklist"); In this servlet we do not call the doget(...) method within the method dopost(...). We distinguish between the GET or POST request of the browser. If the browser sends a post request to the servlet (send a form with <form method= post >) the transfered data, in our case the properties of the book (author, title,...), will be processed. Change the dopost(...) method to the following. Within the method the transfered properties are read from the request and a new object book is created. The method savetodb(...) of the database class saves the object book. After saving, the servlets it forwards to the servlet, that display the list of books. public void dopost(httpservletrequest request, HttpServletResponse response) throws ServletException, IOException { //hole die session des requests HttpSession session = request.getsession();
10 //initialisiere die Datenbank Klasse SimulateDB simulatedb = new SimulateDB(); //lies den Parameter id aus dem Request long id = 0; try{ id = Long.parseLong(request.getParameter("id")); catch(numberformatexception e){ //lies die Buch-Eigenschaften aus dem Request String author = request.getparameter("author"); String title = request.getparameter("title"); Boolean available = Boolean.valueOf(request.getParameter ("available")); //erstelle ein neues Buch Objekt Book book = new Book(id, author, title, available.booleanvalue()); //speichere das Buch Objekt simulatedb.savetodb(book, session); //Redirect Weiterleitung zum BookList Servlet response.sendredirect(request.getcontextpath() + "/booklist"); Create the jsp files To display the list of books and the dialogs to add and edit a book, we create three jsp files. Create a new folder jsp in /WebRoot and add the three new JavaServer Pages. bookadd.jsp bookedit.jsp booklist.jsp bookadd.jsp Open the first jsp file bookadd.jsp. Later the JavaServer Page will display a form, where the user can add a book. This jsp file is only for adding new data and send this data to the servlet. <% String path = request.getcontextpath(); String basepath = request.getscheme()+"://"+request.getservername() +":"+request.getserverport()+path+"/"; %> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"> <html> <head> <base href="<%=basepath%>"> <title>book add page</title> </head> <body> <form name="edit" action="bookedit" method="post"> <table border="1">
11 value=""></td> <tbody> <tr> <td>author:</td> <td><input type="text" name="author" </tr><tr> <td>title:</td> <td><input type="text" name="title" value=""></td> </tr><tr> <td>available:</td> <td><input type="checkbox" name="available" value="true"></td> </tr><tr> <td colspan="2"><input type="submit" name="btnsave" value="save"></td> </tr> </tbody> </table> </form> </body> </html> bookedit.jsp The JavaServer Page bookedit.jsp reads the object book from the request and set the properties to the values of the form fields. In the first line the package de.laliluna.tutorial.library and all subordinated packages are imported to the jsp file. It is called a jsp-directive. This directive is similar to the import command within a java class. The source code looks like the following. <%@ page import="de.laliluna.tutorial.library.*" %> <% //lies das Objekt book aus dem Request Book book = (Book)request.getAttribute("book"); %> <% String path = request.getcontextpath(); String basepath = request.getscheme()+"://"+request.getservername() +":"+request.getserverport()+path+"/"; %> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"> <html> <head> <base href="<%=basepath%>"> <title>book edit page</title> </head> <body> <form name="edit" action="bookedit" method="post"> <table border="1"> <tbody> <tr> <td>author:</td> <td><input type="text" name="author" value="<% =book.getauthor()%>"></td> </tr><tr> <td>title:</td> <td><input type="text" name="title" value="<% =book.gettitle()%>"></td> </tr><tr> <td>available:</td> <td><input type="checkbox" name="available" value="true" <% if(book.isavailable()) out.println("checked"); %>></td> </tr><tr>
12 <td colspan="2"><input type="submit" name="btnsave" value="save"></td> </tr> </tbody> </table> <input type="hidden" name="id" value="<%=book.getid()%>"> </form> </body> </html> booklist.jsp The jsp file booklist.jsp displays the list of books, saved by the servlet. An array list of books is read from the request and looped over. Within the for loop we print out the properties of the books with the method println(..). page language="java" import="java.util.*" %> page import="de.laliluna.tutorial.library.*" %> <% String path = request.getcontextpath(); String basepath = request.getscheme()+"://"+request.getservername() +":"+request.getserverport()+path+"/"; %> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"> <html> <head> <base href="<%=basepath%>"> <title>book list page</title> </head> <body> <table border="1"> <tbody> <tr> <td>author</td> <td>book name</td> <td>available</td> <td> </td> <td> </td> </tr> <% //lies die Liste der Bücher aus dem Request ArrayList arraylist = (ArrayList)request.getAttribute("books"); //loope über die Liste von Büchern und gibt die Eigenschaften aus for (Iterator iter = arraylist.iterator(); iter.hasnext();) { Book element = (Book) iter.next(); out.println("<tr>"); out.println("<td>" + element.getauthor() + "</td>"); out.println("<td>" + element.gettitle() + "</td>"); if(element.isavailable()) out.println("<td><input type=\"checkbox\" name=\"available\" value=\"true\" disabled checked></td>"); else out.println("<td><input type=\"checkbox\" name=\"available\" value=\"true\" disabled></td>"); out.println("<td><a href=\"bookedit?do=edit&id=" + element.getid() + "\">Edit</a></td>"); out.println("<td><a href=\"bookedit?do=delete&id=" + element.getid() + "\">Delete</a></td>"); out.println("</tr>"); %>
13 </tbody> </table> <br> <a href="bookedit?do=add">add a new book</a> </body> </html> We have finished the JavaServer pages to display the data. Default JSP When the user call the project in the browser with we want to redirect him to a welcome page. Create an index.jsp file in /WebRoot. This jsp file redirects to the page, which displays the list of books. Change the source code to the following. <% %> //redirect to the book list servlet response.sendredirect("booklist"); Edit the web.xml In the next step, we edit the configuration file of the project, the web.xml. Open the file web.xml and add the following configuration. The tag <servlet-name> assigns a name to our servlet class. With this name we can identify the servlet in the web.xml. <servlet-class> define the class for this name. Within the tag <servlet-mapping> we assign a address (URL) to a servlet, so a user can later execute this servlet by calling this address in his browser. The servlets are called with /booklist and /bookedit. <web-app> <servlet> <servlet-name>booklist</servlet-name> <servlet-class>de.laliluna.tutorial.library.servlets.booklist</servletclass> </servlet> <servlet-mapping> <servlet-name>booklist</servlet-name> <url-pattern>/booklist</url-pattern> </servlet-mapping> <servlet> <servlet-name>bookedit</servlet-name> <servlet-class>de.laliluna.tutorial.library.servlets.bookedit</servletclass> </servlet> <servlet-mapping> <servlet-name>bookedit</servlet-name> <url-pattern>/bookedit</url-pattern> </servlet-mapping> </web-app> Thats all.
14 Test the application Deploy the project to the jboss. Test your application
Creating Java EE Applications and Servlets with IntelliJ IDEA
Creating Java EE Applications and Servlets with IntelliJ IDEA In this tutorial you will: 1. Create IntelliJ IDEA project for Java EE application 2. Create Servlet 3. Deploy the application to JBoss server
Web Container Components Servlet JSP Tag Libraries
Web Application Development, Best Practices by Jeff Zhuk, JavaSchool.com ITS, Inc. [email protected] Web Container Components Servlet JSP Tag Libraries Servlet Standard Java class to handle an HTTP request
An introduction to web programming with Java
Chapter 1 An introduction to web programming with Java Objectives Knowledge Objectives (continued) The first page of a shopping cart application The second page of a shopping cart application Components
We are not repeating all the basics here. Have a look at the basic EJB tutorials before you start this tutorial.
Creating Finder for EJB 2 with xdoclet Generals Author: Sascha Wolski http://www.laliluna.de/tutorials.html Tutorials für Struts, JSF, EJB, xdoclet und eclipse. Date: December, 06 th 2004 Software: EJB
How To Understand The Architecture Of Java 2Ee, J2Ee, And J2E (Java) In A Wordpress Blog Post
Understanding Architecture and Framework of J2EE using Web Application Devadrita Dey Sarkar,Anavi jaiswal, Ankur Saxena Amity University,UTTAR PRADESH Sector-125, Noida, UP-201303, India Abstract: This
Controlling Web Application Behavior
2006 Marty Hall Controlling Web Application Behavior The Deployment Descriptor: web.xml JSP, Servlet, Struts, JSF, AJAX, & Java 5 Training: http://courses.coreservlets.com J2EE Books from Sun Press: http://www.coreservlets.com
J2EE-Application Server
J2EE-Application Server (inkl windows-8) Installation-Guide F:\_Daten\Hochschule Zurich\Web-Technologie\ApplicationServerSetUp.docx Last Update: 19.3.2014, Walter Rothlin Seite 1 Table of Contents Java
Form Handling. Server-side Web Development and Programming. Form Handling. Server Page Model. Form data appended to request string
Form Handling Server-side Web Development and Programming Lecture 3: Introduction to Java Server Pages Form data appended to request string
Java EE Introduction, Content. Component Architecture: Why and How Java EE: Enterprise Java
Java EE Introduction, Content Component Architecture: Why and How Java EE: Enterprise Java The Three-Tier Model The three -tier architecture allows to maintain state information, to improve performance,
Web Applications. For live Java training, please see training courses at
2009 Marty Hall Using and Deploying Web Applications Originals of Slides and Source Code for Examples: http://courses.coreservlets.com/course-materials/msajsp.html Customized Java EE Training: http://courses.coreservlets.com/
Web Development in Java Live Demonstrations (Live demonstrations done using Eclipse for Java EE 4.3 and WildFly 8)
Web Development in Java Live Demonstrations (Live demonstrations done using Eclipse for Java EE 4.3 and WildFly 8) Java Servlets: 1. Switch to the Java EE Perspective (if not there already); 2. File >
Introduction to J2EE Web Technologies
Introduction to J2EE Web Technologies Kyle Brown Senior Technical Staff Member IBM WebSphere Services RTP, NC [email protected] Overview What is J2EE? What are Servlets? What are JSP's? How do you use
Author: Sascha Wolski Sebastian Hennebrueder http://www.laliluna.de/tutorials.html Tutorials for Struts, EJB, xdoclet and eclipse.
JUnit Testing JUnit is a simple Java testing framework to write tests for you Java application. This tutorial gives you an overview of the features of JUnit and shows a little example how you can write
Development. with NetBeans 5.0. A Quick Start in Basic Web and Struts Applications. Geertjan Wielenga
Web Development with NetBeans 5.0 Quick Start in Basic Web and Struts pplications Geertjan Wielenga Web Development with NetBeans 5 This tutorial takes you through the basics of using NetBeans IDE 5.0
How to use JavaMail to send email
Chapter 15 How to use JavaMail to send email Objectives Applied Knowledge How email works Sending client Mail client software Receiving client Mail client software SMTP Sending server Mail server software
Java Web Programming. Student Workbook
Student Workbook Java Web Programming Mike Naseef, Jamie Romero, and Rick Sussenbach Published by ITCourseware, LLC., 7245 South Havana Street, Suite 100, Centennial, CO 80112 Editors: Danielle Hopkins
DTS Web Developers Guide
Apelon, Inc. Suite 202, 100 Danbury Road Ridgefield, CT 06877 Phone: (203) 431-2530 Fax: (203) 431-2523 www.apelon.com Apelon Distributed Terminology System (DTS) DTS Web Developers Guide Table of Contents
Developing an EJB3 Application. on WebSphere 6.1. using RAD 7.5
Developing an EJB3 Application on WebSphere 6.1 using RAD 7.5 Introduction This tutorial introduces how to create a simple EJB 3 application using Rational Application Developver 7.5( RAD7.5 for short
SSC - Web applications and development Introduction and Java Servlet (II)
SSC - Web applications and development Introduction and Java Servlet (II) Shan He School for Computational Science University of Birmingham Module 06-19321: SSC Outline Outline of Topics Servlet Configuration
JBoss Portlet Container. User Guide. Release 2.0
JBoss Portlet Container User Guide Release 2.0 1. Introduction.. 1 1.1. Motivation.. 1 1.2. Audience 1 1.3. Simple Portal: showcasing JBoss Portlet Container.. 1 1.4. Resources. 1 2. Installation. 3 2.1.
Web Application Programmer's Guide
Web Application Programmer's Guide JOnAS Team ( Florent BENOIT) - March 2009 - Copyright OW2 consortium 2008-2009 This work is licensed under the Creative Commons Attribution-ShareAlike License. To view
This tutorial gives you an overview about the StrutsTestCases extension of JUnit and example how you can use it to test your Struts application.
Junit Testing with Struts (StrutsTestCases extension) This tutorial gives you an overview about the StrutsTestCases extension of JUnit and example how you can use it to test your Struts application. General
Principles and Techniques of DBMS 5 Servlet
Principles and Techniques of DBMS 5 Servlet Haopeng Chen REliable, INtelligentand Scalable Systems Group (REINS) Shanghai Jiao Tong University Shanghai, China http://reins.se.sjtu.edu.cn/~chenhp e- mail:
Handling the Client Request: Form Data
2012 Marty Hall Handling the Client Request: Form Data Originals of Slides and Source Code for Examples: http://courses.coreservlets.com/course-materials/csajsp2.html 3 Customized Java EE Training: http://courses.coreservlets.com/
Implementing the Shop with EJB
Exercise 2 Implementing the Shop with EJB 2.1 Overview This exercise is a hands-on exercise in Enterprise JavaBeans (EJB). The exercise is as similar as possible to the other exercises (in other technologies).
Glassfish, JAVA EE, Servlets, JSP, EJB
Glassfish, JAVA EE, Servlets, JSP, EJB Java platform A Java platform comprises the JVM together with supporting class libraries. Java 2 Standard Edition (J2SE) (1999) provides core libraries for data structures,
Application Security
2009 Marty Hall Declarative Web Application Security Originals of Slides and Source Code for Examples: http://courses.coreservlets.com/course-materials/msajsp.html Customized Java EE Training: http://courses.coreservlets.com/
15-415 Database Applications Recitation 10. Project 3: CMUQFlix CMUQ s Movies Recommendation System
15-415 Database Applications Recitation 10 Project 3: CMUQFlix CMUQ s Movies Recommendation System Project Objective 1. Set up a front-end website with PostgreSQL back-end 2. Allow users to login, like
Java Servlet 3.0. Rajiv Mordani Spec Lead
Java Servlet 3.0 Rajiv Mordani Spec Lead 1 Overview JCP Java Servlet 3.0 API JSR 315 20 members > Good mix of representation from major Java EE vendors, web container developers and web framework authors
PowerTier Web Development Tools 4
4 PowerTier Web Development Tools 4 This chapter describes the process of developing J2EE applications with Web components, and introduces the PowerTier tools you use at each stage of the development process.
CS108, Stanford Handout #33 Young. HW5 Web
CS108, Stanford Handout #33 Young HW5 Web In this assignment we ll build two separate web projects. This assignment is due the evening of Tuesday November 3 rd at Midnight. You cannot take late days on
WebSphere and Message Driven Beans
WebSphere and Message Driven Beans 1 Messaging Messaging is a method of communication between software components or among applications. A messaging system is a peer-to-peer facility: A messaging client
PA165 - Lab session - Web Presentation Layer
PA165 - Lab session - Web Presentation Layer Author: Martin Kuba Goal Experiment with basic building blocks of Java server side web technology servlets, filters, context listeners,
Java Servlet Tutorial. Java Servlet Tutorial
Java Servlet Tutorial i Java Servlet Tutorial Java Servlet Tutorial ii Contents 1 Introduction 1 1.1 Servlet Process.................................................... 1 1.2 Merits.........................................................
Piotr Nowicki's Homepage. Java EE 6 SCWCD Mock Exam. "Simplicity is the ultimate sophistication." Important!
Piotr Nowicki's Homepage "Simplicity is the ultimate sophistication." Java EE 6 SCWCD Mock Exam Posted on March 27, 2011 by Piotr 47 Replies Edit This test might help to test your knowledge before taking
Session Tracking Customized Java EE Training: http://courses.coreservlets.com/
2012 Marty Hall Session Tracking Originals of Slides and Source Code for Examples: http://courses.coreservlets.com/course-materials/csajsp2.html 2 Customized Java EE Training: http://courses.coreservlets.com/
Outline. CS 112 Introduction to Programming. Recap: HTML/CSS/Javascript. Admin. Outline
Outline CS 112 Introduction to Programming Web Programming: Backend (server side) Programming with Servlet, JSP q Admin and recap q Server-side web programming overview q Servlet programming q Java servlet
Managing Data on the World Wide-Web
Managing Data on the World Wide-Web Sessions, Listeners, Filters, Shopping Cart Elad Kravi 1 Web Applications In the Java EE platform, web components provide the dynamic extension capabilities for a web
Servlet 3.0. Alexis Moussine-Pouchkine. mercredi 13 avril 2011
Servlet 3.0 Alexis Moussine-Pouchkine 1 Overview Java Servlet 3.0 API JSR 315 20 members Good mix of representation from major Java EE vendors, web container developers and web framework authors 2 Overview
JSP Java Server Pages
JSP - Java Server Pages JSP Java Server Pages JSP - Java Server Pages Characteristics: A way to create dynamic web pages, Server side processing, Based on Java Technology, Large library base Platform independence
Web Application Architecture (based J2EE 1.4 Tutorial)
Web Application Architecture (based J2EE 1.4 Tutorial) 1 Disclaimer & Acknowledgments Even though Sang Shin is a full-time employee of Sun Microsystems, the contents here are created as his own personal
Pure server-side Web Applications with Java, JSP. Application Servers: the Essential Tool of Server-Side Programming. Install and Check Tomcat
Pure server-side Web Applications with Java, JSP Discussion of networklevel http requests and responses Using the Java programming language (Java servlets and JSPs) Key lesson: The role of application
Tutorial: Building a Web Application with Struts
Tutorial: Building a Web Application with Struts Tutorial: Building a Web Application with Struts This tutorial describes how OTN developers built a Web application for shop owners and customers of the
Struts 2 - Practical examples
STRUTS 2 - Practical examples Krystyna Bury Katarzyna Sadowska Joanna Pyc Politechnika Wrocławska Wydział Informatyki i Zarządzania Informatyka, III rok Spis treści What will we need? 1 What will we need?
Ch-03 Web Applications
Ch-03 Web Applications 1. What is ServletContext? a. ServletContext is an interface that defines a set of methods that helps us to communicate with the servlet container. There is one context per "web
In this chapter, we lay the foundation for all our further discussions. We start
01 Struts.qxd 7/30/02 10:23 PM Page 1 CHAPTER 1 Introducing the Jakarta Struts Project and Its Supporting Components In this chapter, we lay the foundation for all our further discussions. We start by
Struts Tools Tutorial. Version: 3.3.0.M5
Struts Tools Tutorial Version: 3.3.0.M5 1. Introduction... 1 1.1. Key Features Struts Tools... 1 1.2. Other relevant resources on the topic... 2 2. Creating a Simple Struts Application... 3 2.1. Starting
CHAPTER 9: SERVLET AND JSP FILTERS
Taken from More Servlets and JavaServer Pages by Marty Hall. Published by Prentice Hall PTR. For personal use only; do not redistribute. For a complete online version of the book, please see http://pdf.moreservlets.com/.
CSI 2132 Lab 8. Outline. Web Programming JSP 23/03/2012
CSI 2132 Lab 8 Web Programming JSP 1 Outline Web Applications Model View Controller Architectures for Web Applications Creation of a JSP application using JEE as JDK, Apache Tomcat as Server and Netbeans
Building Web Applications with Servlets and JavaServer Pages
Building Web Applications with Servlets and JavaServer Pages David Janzen Assistant Professor of Computer Science Bethel College North Newton, KS http://www.bethelks.edu/djanzen [email protected] Acknowledgments
Servlet and JSP Filters
2009 Marty Hall Servlet and JSP Filters Originals of Slides and Source Code for Examples: http://courses.coreservlets.com/course-materials/msajsp.html Customized Java EE Training: http://courses.coreservlets.com/
Virtual Open-Source Labs for Web Security Education
, October 20-22, 2010, San Francisco, USA Virtual Open-Source Labs for Web Security Education Lixin Tao, Li-Chiou Chen, and Chienting Lin Abstract Web security education depends heavily on hands-on labs
ShoreTel Enterprise Contact Center 8 Installing and Implementing Chat
ShoreTel Enterprise Contact Center 8 Installing and Implementing Chat November 2012 Legal Notices Document and Software Copyrights Copyright 1998-2012 by ShoreTel Inc., Sunnyvale, California, USA. All
Web Programming II JSP (Java Server Pages) ASP request processing. The Problem. The Problem. Enterprise Application Development using J2EE
Enterprise Application Development using J2EE Shmulik London Lecture #6 Web Programming II JSP (Java Server Pages) How we approached it in the old days (ASP) Multiplication Table Multiplication
Crystal Reports for Eclipse
Crystal Reports for Eclipse Table of Contents 1 Creating a Crystal Reports Web Application...2 2 Designing a Report off the Xtreme Embedded Derby Database... 11 3 Running a Crystal Reports Web Application...
Programming on the Web(CSC309F) Tutorial: Servlets && Tomcat TA:Wael Aboelsaadat
Programming on the Web(CSC309F) Tutorial: Servlets && Tomcat TA:Wael Aboelsaadat Acknowledgments : This tutorial is based on a series of articles written by James Goodwill about Tomcat && Servlets. 1 Tomcat
Multiple vulnerabilities in Apache Foundation Struts 2 framework. Csaba Barta and László Tóth
Multiple vulnerabilities in Apache Foundation Struts 2 framework Csaba Barta and László Tóth 12. June 2008 Content Content... 2 Summary... 3 Directory traversal vulnerability in static content serving...
Servers, Dynamic Web Projects, and Servlets
Building J2EE applications with Eclipse Web Tools Servers, Dynamic Web Projects, and Servlets WTP uses the term dynamic Web project to describe projects that let you develop Web applications that make
CONTROLLING WEB APPLICATION BEHAVIOR WITH
CONTROLLING WEB APPLICATION BEHAVIOR WITH WEB.XML Chapter Topics in This Chapter Customizing URLs Turning off default URLs Initializing servlets and JSP pages Preloading servlets and JSP pages Declaring
JBoss SOAP Web Services User Guide. Version: 3.3.0.M5
JBoss SOAP Web Services User Guide Version: 3.3.0.M5 1. JBoss SOAP Web Services Runtime and Tools support Overview... 1 1.1. Key Features of JBossWS... 1 2. Creating a Simple Web Service... 3 2.1. Generation...
J2EE Web Development. Agenda. Application servers. What is J2EE? Main component types Application Scenarios J2EE APIs and Services.
J2EE Web Development Agenda Application servers What is J2EE? Main component types Application Scenarios J2EE APIs and Services Examples 1 1. Application Servers In the beginning, there was darkness and
Oracle Hyperion Financial Management Custom Pages Development Guide
Oracle Hyperion Financial Management Custom Pages Development Guide CONTENTS Overview... 2 Custom pages... 2 Prerequisites... 2 Sample application structure... 2 Framework for custom pages... 3 Links...
ACM Crossroads Student Magazine The ACM's First Electronic Publication
Page 1 of 8 ACM Crossroads Student Magazine The ACM's First Electronic Publication Crossroads Home Join the ACM! Search Crossroads [email protected] ACM / Crossroads / Columns / Connector / An Introduction
NetBeans IDE Field Guide
NetBeans IDE Field Guide Copyright 2005 Sun Microsystems, Inc. All rights reserved. Table of Contents Introduction to J2EE Development in NetBeans IDE...1 Configuring the IDE for J2EE Development...2 Getting
Developing Web Applications using JavaServer Pages and Servlets
Redpaper Martin Keen Rafael Coutinho Sylvi Lippmann Salvatore Sollami Sundaragopal Venkatraman Steve Baber Henry Cui Craig Fleming Developing Web Applications using JavaServer Pages and Servlets This IBM
OPENRULES. Release 6.2.2. TUTORIAL Cloud Application Development
OPENRULES Release 6.2.2 TUTORIAL Cloud Application Development OpenRules, Inc. www.openrules.com October-2012 Table of Contents Introduction... 3 Creating Web Application... 4 Game Rules...4 Business Logic...4
Getting Started with Web Applications
3 Getting Started with Web Applications A web application is a dynamic extension of a web or application server. There are two types of web applications: Presentation-oriented: A presentation-oriented
Hello World RESTful web service tutorial
Hello World RESTful web service tutorial Balázs Simon ([email protected]), BME IIT, 2015 1 Introduction This document describes how to create a Hello World RESTful web service in Eclipse using JAX-RS
Class Focus: Web Applications that provide Dynamic Content
Class Focus: Web Applications that provide Dynamic Content We will learn how to build server-side applications that interact with their users and provide dynamic content Using the Java programming language
Setup and Administration for ISVs
17 Setup and Administration for ISVs ISV accounts for both hosted and private cloud support white labeling functionality and give you the ability to provision and manage customer tenants directly. A customer
Java 2 Web Developer Certification Study Guide Natalie Levi
SYBEX Sample Chapter Java 2 Web Developer Certification Study Guide Natalie Levi Chapter 8: Thread-Safe Servlets Copyright 2002 SYBEX Inc., 1151 Marina Village Parkway, Alameda, CA 94501. World rights
Simplify Your Web App Development Using the Spring MVC Framework
1 of 10 24/8/2008 23:07 http://www.devx.com Printed from http://www.devx.com/java/article/22134/1954 Simplify Your Web App Development Using the Spring MVC Framework Struts is in fairly widespread use
Controller annotati. con Spring MVC 2.5
Controller annotati con Spring MVC 2.5 Spring MVC The Old Style The annotated style @Controller @ RequestMapping( {"/my/*.html") public class MyController { @RequestMapping public void index() { // do
INTRODUCTION TO WEB TECHNOLOGY
UNIT-I Introduction to Web Technologies: Introduction to web servers like Apache1.1, IIS, XAMPP (Bundle Server), WAMP Server(Bundle Server), handling HTTP Request and Response, installation of above servers
WESTERNACHER OUTLOOK E-MAIL-MANAGER OPERATING MANUAL
TABLE OF CONTENTS 1 Summary 3 2 Software requirements 3 3 Installing the Outlook E-Mail Manager Client 3 3.1 Requirements 3 3.1.1 Installation for trial customers for cloud-based testing 3 3.1.2 Installing
Oracle Hyperion Financial Management Developer and Customization Guide
Oracle Hyperion Financial Management Developer and Customization Guide CONTENTS Overview... 1 Financial Management SDK... 1 Prerequisites... 2 SDK Reference... 2 Steps for running the demo application...
Web Application Development on a Linux System With a DB2 Database By Alan Andrea
Web Application Development on a Linux System With a DB2 Database By Alan Andrea Linux, for a long time now, has been a robust and solid platform for deploying and developing complex applications. Furthermore,
2. Follow the installation directions and install the server on ccc
Installing a Web Server 1. Install a sample web server, which supports Servlets/JSPs. A light weight web server is Apache Tomcat server. You can get the server from http://tomcat.apache.org/ 2. Follow
www.virtualians.pk CS506 Web Design and Development Solved Online Quiz No. 01 www.virtualians.pk
CS506 Web Design and Development Solved Online Quiz No. 01 Which of the following is a general purpose container? JFrame Dialog JPanel JApplet Which of the following package needs to be import while handling
Integrating Servlets and JSP: The Model View Controller (MVC) Architecture
2012 Marty Hall Integrating Servlets and JSP: The Model View Controller (MVC) Architecture Originals of Slides and Source Code for Examples: http://courses.coreservlets.com/course-materials/csajsp2.html
Developing Java Web Applications with Jakarta Struts Framework
130 Economy Informatics, 2003 Developing Java Web Applications with Jakarta Struts Framework Liviu Gabriel CRETU Al. I. Cuza University, Faculty of Economics and Business Administration, Iasi Although
Intellicus Single Sign-on
Intellicus Single Sign-on Intellicus Enterprise Reporting and BI Platform Intellicus Technologies [email protected] www.intellicus.com Copyright 2010 Intellicus Technologies This document and its content
2.8. Session management
2.8. Session management Juan M. Gimeno, Josep M. Ribó January, 2008 Session management. Contents Motivation Hidden fields URL rewriting Cookies Session management with the Servlet/JSP API Examples Scopes
7 Web Databases. Access to Web Databases: Servlets, Applets. Java Server Pages PHP, PEAR. Languages: Java, PHP, Python,...
7 Web Databases Access to Web Databases: Servlets, Applets Java Server Pages PHP, PEAR Languages: Java, PHP, Python,... Prof. Dr. Dietmar Seipel 837 7.1 Access to Web Databases by Servlets Java Servlets
Configure a SOAScheduler for a composite in SOA Suite 11g. By Robert Baumgartner, Senior Solution Architect ORACLE
Configure a SOAScheduler for a composite in SOA Suite 11g By Robert Baumgartner, Senior Solution Architect ORACLE November 2010 Scheduler for the Oracle SOA Suite 11g: SOAScheduler Page 1 Prerequisite
Building Web Services with Apache Axis2
2009 Marty Hall Building Web Services with Apache Axis2 Part I: Java-First (Bottom-Up) Services Customized Java EE Training: http://courses.coreservlets.com/ Servlets, JSP, Struts, JSF/MyFaces/Facelets,
Introduction to Web Technologies
Secure Web Development Teaching Modules 1 Introduction to Web Technologies Contents 1 Concepts... 1 1.1 Web Architecture... 2 1.2 Uniform Resource Locators (URL)... 3 1.3 HTML Basics... 4 1.4 HTTP Protocol...
Wicket Application Development
Wicket Application Development Release 1.1 H. Turgut Uyar September 06, 013 CONTENTS 1 Basics 3 1.1 Project Files............................................... 3 1. Dynamic Content.............................................
WIRIS quizzes web services Getting started with PHP and Java
WIRIS quizzes web services Getting started with PHP and Java Document Release: 1.3 2011 march, Maths for More www.wiris.com Summary This document provides client examples for PHP and Java. Contents WIRIS
Developing WCM based WebSphere Portal application using IBM Rational Application Developer
Developing WCM based WebSphere Portal application using IBM Rational Application Developer Table of Content Abstract...3 Sample Use case...3 Prerequisite...3 Developing the portlet project...4 Connecting
WebNow. Installation and Setup Guide. ImageNow Version: 6.7.x Environment: Windows Web Application Server: Tomcat
WebNow Installation and Setup Guide ImageNow Version: 6.7.x Environment: Windows Web Application Server: Tomcat Written by: Product Documentation, R&D Date: November 2013 2013 Perceptive Software. All
Supplement IV.E: Tutorial for Tomcat. For Introduction to Java Programming By Y. Daniel Liang
Supplement IV.E: Tutorial for Tomcat For Introduction to Java Programming By Y. Daniel Liang This supplement covers the following topics: Obtaining and Installing Tomcat Starting and Stopping Tomcat Choosing
SESM Tag Library. Configuring a Tag Library APPENDIX
APPENDIX A This appendix provides information on configuring an SESM tag library and describes the SESM tag libraries other than the Localization tag library: Iterator Tag Library, page A-2 Navigator Tag
Specialized Programme on Web Application Development using Open Source Tools
Specialized Programme on Web Application Development using Open Source Tools A. NAME OF INSTITUTE Centre For Development of Advanced Computing B. NAME/TITLE OF THE COURSE C. COURSE DATES WITH DURATION
