JSTL ( )

Size: px
Start display at page:

Download "JSTL ( )"

Transcription

1 JSTL JSTL JSTL (Java Standard Tag Library) is a collection of custom tags that are developed by the Jakarta project. Now it is part of the Java EE specication. To use them you need to download the appropriate jar and tld les for the tags. They are provided with IDE's like NetBeans but if you explicitly need them for some reason you can nd links in You store the.jar les in WEB-INF/lib and the.tld les in your WEB-INF. ( )

2 JSTL is one Tag Library but divided into four parts, each with its own tld-le. I Core, the basic tags I XML processing, xml processing and conversions I I18N, internationalization I SQL, database access ( )

3 To use the taglibs, you need to add taglib denitions to your web.xml le. This shows the core and the xml taglibraries. <taglib> <taglib-uri> </taglib-uri> <taglib-location> /WEB-INF/c.tld </taglib-location> </taglib> <taglib> <taglib-uri> </taglib-uri> <taglib-location> /WEB-INF/x.tld </taglib-location> </taglib> ( )

4 Note that the <taglib> tag is a subtag of <jsp-cong> and therefore has to be placed within its parent tag. And the same in all JSP's that uses these libs: <%@taglib prex="c" uri=" <%@taglib prex="x" uri=" c and x are standard prexes for core and xml. Note that the URI's are predened that must be used. You cannot change these, you can change the prex. ( )

5 Tags in the core library, prex c. <c:out> Evaluates an expression and outputs the result to a JspWriter. ( )

6 It can take two forms, with or without a body <c:out value="expression" [default="defaultvalue"] [escapexml="{true false}"]/> or <c:out value="expression" [escapexml="{true false}"]> default value </c:out> ( )

7 Examples <c:out value=${5 + 2*(3.3-2)}" /> will output the value 7.6 ( )

8 and (assuming that name has a value) <c:out value=${name}" default="hugobald" /> <c:out value=${names}" default="hugobald" /> will output Putte hugobald This is because there is an attribute (scoped variable) called name in my page context, but none with thename names. ( )

9 <c:out value="${name == \"Fido\"}" default="false" /><br> <c:out value="${names}" escapexml="true"> <xml-tag> text </xml-endtag> </c:out> will output false <xml-tag> text </xml-endtag> ( )

10 The rst example compares the strings Putte and Fido. They are clearly not equal. The second example fails because there is no names attribute. Thus the body will be used as default, the < and > are escaped into < and > to pass through the processing. ( )

11 <c:set> Sets the value of a scoped variable within the selected scope There are some versions of this tag: Set the value from an expression <c:set value="value" var="varname" [scope="{page request session application}"]/> ( )

12 Set the value using the body content <c:set var="varname" [scope="{page request session application}"]> value </c:set> ( )

13 Set a property of a target object (bean or map) <c:set value="value" target="target" property="propertyname"/> Same with a body <c:set target="target" property="propertyname"> value </c:set> ( )

14 <c:set value=eberhard var=names/> <c:out value=${names} default=hugobald /> Will create and set the variable names in the page scope. The output will be: eberhard ( )

15 <c:remove> removes a scoped variable <c:remove var=varname [scope={page request session application}]/> Example <c:remove var=names/> <c:out value=${names}" default="hugobald" /> will output hugobald ( )

16 <c:if> Evaluates its body if the expression specied evaluates to true. Without a body, it stores the value of the condition in the variable ( )

17 <c:if test="condition" var="varname" [scope="{page request session application}"]/> With a body <c:if test="condition" [var="varname"] [scope="{page request session application}"]> body </c:if> ( )

18 Example: <c:set value="${4.5}" var="number"/> <c:if test="${number > 4}"> <h2>number is greater than 4</h2> </c:if> <c:if test="${number < 4}"> <h2>number is less than 4</h2> </c:if> Will output <h2>number is greater than 4</h2> ( )

19 <c:choose> Provides the context for mutually exclusive conditional expressions. <c:choose>} body content, ( <when> or <otherwise> subtags) </c:choose> ( )

20 There are one or more <when> subtag in the body, they must occur before the <otherwise> subtag. There are zero or one <otherwise> subtag. Must be the last action. At most one of the subtags in the body will be processed. ( )

21 <c:when> subtag in the choose tag <c:when test="condition"> body content </c:when> Can only occur directly inside a choose tag. Within a <choose>, the rst <when> subtag that evaluates its condition to true will be executed. ( )

22 <c:otherwise> Represents the optional last alternative in a <choose> tag. <c:otherwise> body content </c:otherwise> Can only occur within a <choose> tag. Must be the last subtag. If none of the preceeding <when> subtags evalutates to true, the <otherwise> subtag will be executed. ( )

23 Example <c:choose> <c:when test="${number < 0}"> <h2> number is negative </h2> </c:when> <c:when test="${number == 0}"> <h2> number is zero </h2> </c:when> <c:otherwise> <h2> number is positive </h2> </c:otherwise> </c:choose> ( )

24 Will output <h2>number is positive </h2> Using <choose> you can construct if-then-else tests. ( )

25 <c:foreach> The <foreach> tag iterates over a java.util.collection (e. g. Vector, Set, LinkedList) or a java.util.map (e. g. HashMap) It can also iterate through an array of objects or primitive types. You can also do a traditional "for, i. e. looping from a start value to an end value without an underlying datastructure. ( )

26 With a collection or array <c:foreach [var = "varname"] items="collection" [varstatus = "varstatusname"] [begin="begin"] [end = "end"] [step="step"]> body content </c:foreach> or without a collection <c:foreach [var = "varname"] [varstatus = "varstatusname"] begin="begin" end = "end" [step="step"] > body content </c:foreach> ( )

27 Examples: <c:foreach var = "i" begin="1" end = "10" step = "2"> <p> looping : <c:out value="${i}"/> </p> </c:foreach> ( )

28 Will print <p>looping : 1</p> <p>looping : 3</p> <p>looping : 5</p> <p>looping : 7</p> <p>looping : 9</p> ( )

29 Another example, looping through an array. We create an array and store it into the page scope, then we iterate through it. <% // create an array of integers int [] intarr = {4, -5, 3, 8, 23, 2, 45}; pagecontext.setattribute("intarr", intarr); %> <br> <c:foreach var = "next" items="${intarr}"> looping : <c:out value="${next}"/><br> </c:foreach> ( )

30 It will give us: looping : 4 looping : -5 looping : 3 looping : 8 looping : 23 looping : 2 looping : 45 ( )

31 And: <% // create a Linkedlist java.util.linkedlist l = new java.util.linkedlist(); l.addlast(new Integer(4)); l.addlast(new Integer(-5)); l.addlast(new Integer(3)); l.addlast(new Integer(8)); l.addlast(new Integer(23)); l.addlast(new Integer(2)); l.addlast(new Integer(45)); pagecontext.setattribute("linked", l); %> <c:foreach var = "next" varstatus = "status" items="${linked}"> <c:out value="${status.count}" /> looping through a linked list : <c:out value="${next}"/><br> </c:foreach> ( )

32 Since I haven't imported java.util I have to use a fully qualied name for LinkedList. I could have used <%@ page import=java.util.*"%> at the top of my page ( )

33 The output will look like 1 looping through a linked list : 4 2 looping through a linked list : -5 3 looping through a linked list : 3 4 looping through a linked list : 8 5 looping through a linked list : 23 6 looping through a linked list : 2 7 looping through a linked list : 45 The status object contains dierent iteration control information that you can use. The count attribut show the looping index. ( )

34 and one more using a Map <% // create a HashMap java.util.hashmap m = new java.util.hashmap(); m.put("name","nisse Nilsson"); m.put("address","storgatan 12A"); m.put("age", new Integer(45)); m.put("smokes", new Boolean(true)); pagecontext.setattribute("map", m); %> <c:foreach var = "next" varstatus = "status" items="${map}"> looping through a map : <c:out value="${next.key}"/> : <c:out value="${next.value}"/> <br> </c:foreach> Remember that maps aren't sorted. ( )

35 will print looping through a map : age : 45 looping through a map : smokes : true looping through a map : address : Storgatan 12A looping through a map : name : Nisse Nilsson ( )

36 Using this you can for example iterate through the session <c:foreach var = "next" varstatus="status" items="${sessionscope}"> Looping through the session <c:out value="${next.key}"/>: <c:out value="${next.value}"/><br> </c:foreach> ( )

37 <c:fortokens> Iterates over tokes, separated by the supplied delimiters. <c:fortokens items = "stringoftokens" delims = "delimiters" [var = "varname"] [varstatus = "varstatusname"] [begin = "begin"] [end = "end"] [step = "step"] > body content </c:fortokens> ( )

38 Example <% String numbers = "23,34,43,34,43,-45,-5"; pagecontext.setattribute("num",numbers); %> <c:fortokens items = "${num}" delims="," var = "next" > Tokensizing : <c:out value = "${next}" /><br> </c:fortokens> ( )

39 will print Tokensizing : 23 Tokensizing : 34 Tokensizing : 43 Tokensizing : 34 Tokensizing : 43 Tokensizing : -45 Tokensizing : -5 ( )

40 <c:import> Imports the content of a URL-based resource <c:import url = "url" [context = "context"] [var = "varname"] [scope="{page request session application}"] [charencoding = "charencoding"]> optional body content for the <c:param> subtags </c:import> Can import from outside the application, the jsp:include tag cannot do this. ( )

41 Examples, an absolut URL <c:import url = " will include the content of this URL into the current page. or a relative URL <c:import url = "index.jsp/> ( )

42 <c:url> Builds a URL with the proper rewriting rules applied. Without a body <c:url value = "value" [context = "context"] [var = "varname"] [scope="{page request session application}"]/> ( )

43 With a body <c:url value = "value" [context = "context"] [var = "varname"] [scope="{page request session application}"]> <c:param> subtags </c:url> ( )

44 Examples <c:url value = "index.jsp" > <c:param name = "name" value = "Donald Duck"/> <c:param name = "address" value = "Höganäsgatan 32"/> </c:url> produce this: index.jsp?name=donald+duck&address=h%c3%b6gan%c3%a4sgatan+32 ( )

45 The I18n tag library is used to develop applications that can be adapted to various languages and regions. This includes language and dierent formatting rules. ( )

46 The SQL-tags are used to access relational databases through tags. It us usually better to use Beans for this but simple application can use JSP's directly. ( )

47 The XML actions are used to work with XML and to translate XML into something else like HTML We will discuss this when discussing XML in general. ( )

JSTL. JSTL (Java Standard Tag Library) is a collection of custom tags that are developed and maintained by the Jakarta project.

JSTL. JSTL (Java Standard Tag Library) is a collection of custom tags that are developed and maintained by the Jakarta project. JSTL JSTL (Java Standard Tag Library) is a collection of custom tags that are developed and maintained by the Jakarta project. To use them you need to download the appropriate jar and tld files for the

More information

ANTAL Margit. Sapientia - EMTE, Pannon Forrás,,Egységes erdélyi felnőttképzés a

ANTAL Margit. Sapientia - EMTE, Pannon Forrás,,Egységes erdélyi felnőttképzés a Sapientia - EMTE, Pannon Forrás,,Egységes erdélyi felnőttképzés a Kárpát-medencei hálózatban 2010 JSP és JSTL A anatómiája JSTL Listázás szkriptlettel

More information

Session 12. JSP Tag Library (JSTL) Reading & Reference

Session 12. JSP Tag Library (JSTL) Reading & Reference Session 12 JSP Tag Library (JSTL) 1 Reading & Reference Reading Head First Chap 9, pages 439-474 Reference (skip internationalization and sql sections) Java EE 5 Tutorial (Chapter 7) - link on CSE336 Web

More information

JSP MOCK TEST JSP MOCK TEST IV

JSP MOCK TEST JSP MOCK TEST IV http://www.tutorialspoint.com JSP MOCK TEST Copyright tutorialspoint.com This section presents you various set of Mock Tests related to JSP Framework. You can download these sample mock tests at your local

More information

Fast Track to Java EE 5 with Servlets, JSP & JDBC

Fast Track to Java EE 5 with Servlets, JSP & JDBC Duration: 5 days Description Java Enterprise Edition (Java EE 5) is a powerful platform for building web applications. The Java EE platform offers all the advantages of developing in Java plus a comprehensive

More information

Introduction to JSP and Servlets Training 5-days

Introduction to JSP and Servlets Training 5-days QWERTYUIOP{ Introduction to JSP and Servlets Training 5-days Introduction to JSP and Servlets training course develops skills in JavaServer Pages, or JSP, which is the standard means of authoring dynamic

More information

Database. Request Class. jdbc. Servlet. Result Bean. Response JSP. JSP and Servlets. A Comprehensive Study. Mahesh P. Matha

Database. Request Class. jdbc. Servlet. Result Bean. Response JSP. JSP and Servlets. A Comprehensive Study. Mahesh P. Matha Database Request Class Servlet jdbc Result Bean Response py Ki ta b JSP Ko JSP and Servlets A Comprehensive Study Mahesh P. Matha JSP and Servlets A Comprehensive Study Mahesh P. Matha Assistant Professor

More information

This course is intended for Java programmers who wish to write programs using many of the advanced Java features.

This course is intended for Java programmers who wish to write programs using many of the advanced Java features. COURSE DESCRIPTION: Advanced Java is a comprehensive study of many advanced Java topics. These include assertions, collection classes, searching and sorting, regular expressions, logging, bit manipulation,

More information

Fast Track to Java EE

Fast Track to Java EE Java Enterprise Edition is a powerful platform for building web applications. This platform offers all the advantages of developing in Java plus a comprehensive suite of server-side technologies. This

More information

JavaServer Pages Standard Tag Library

JavaServer Pages Standard Tag Library JavaServer Pages Standard Tag Library Version 1.0 Public Draft Pierre Delisle, editor Please send comments to jsr-52-comments@jcp.org Sun Microsystems, Inc. 901 San Antonio Road Palo Alto, CA 94303 U.S.A.

More information

Chapter 10 Servlets and Java Server Pages

Chapter 10 Servlets and Java Server Pages Chapter 10 Servlets and Java Server Pages 10.1 Overview of Servlets A servlet is a Java class designed to be run in the context of a special servlet container An instance of the servlet class is instantiated

More information

Vendor: SUN. Exam Code: Exam Name: Sun Certified Web Component Developer for J2EE 5. Version: Demo

Vendor: SUN. Exam Code: Exam Name: Sun Certified Web Component Developer for J2EE 5. Version: Demo Vendor: SUN Exam Code: 310-083 Exam Name: Sun Certified Web Component Developer for J2EE 5 Version: Demo QUESTION NO: 1 You need to store a Java long primitive attribute, called customeroid, into the session

More information

Advanced Web Systems 3- Portlet and JSP-JSTL. A. Venturini

Advanced Web Systems 3- Portlet and JSP-JSTL. A. Venturini Advanced Web Systems 3- Portlet and JSP-JSTL A. Venturini Contents Portlet: doview flow Handling Render phase Portlet: processaction flow Handling the action phase Portlet URL Generation JSP and JSTL Sample:

More information

Session 18. JSP Access to an XML Document XPath. Reading

Session 18. JSP Access to an XML Document XPath. Reading Session 18 JSP Access to an XML Document XPath 1 Reading Reading JSTL (XML Tags Section) java.sun.com/developer/technicalarticles/javaserverpages/f aster/ today.java.net/pub/a/today/2003/11/27/jstl2.html

More information

open source community experience distilled

open source community experience distilled Java EE 6 Development with NetBeans 7 Develop professional enterprise Java EE applications quickly and easily with this popular IDE David R. Heffelfinger [ open source community experience distilled PUBLISHING

More information

/smlcodes /smlcodes /smlcodes JSP. Java Server Pages. Small Codes. Programming Simplified. A SmlCodes.Com Small presentation

/smlcodes /smlcodes /smlcodes JSP. Java Server Pages. Small Codes. Programming Simplified. A SmlCodes.Com Small presentation /smlcodes /smlcodes /smlcodes JSP Java Server Pages - Satya Kaveti Small Codes Programming Simplified A SmlCodes.Com Small presentation In Association with Idleposts.com For more tutorials & Articles visit

More information

DEVELOPING MVC WITH MODEL II ARCHITECTURE

DEVELOPING MVC WITH MODEL II ARCHITECTURE Module 3 DEVELOPING MVC WITH MODEL II ARCHITECTURE Objectives > After completing this lesson, you should be able to: Implement the controller design element using a servlet Implement the model design element

More information

Actual4Test. Actual4test - actual test exam dumps-pass for IT exams

Actual4Test.  Actual4test - actual test exam dumps-pass for IT exams Actual4Test http://www.actual4test.com Actual4test - actual test exam dumps-pass for IT exams Exam : 310-083 Title : Sun Certified Web Component Developer for J2EE 5 Vendors : SUN Version : DEMO Get Latest

More information

CS506 Web Design & Development Final Term Solved MCQs with Reference

CS506 Web Design & Development Final Term Solved MCQs with Reference with Reference I am student in MCS (Virtual University of Pakistan). All the MCQs are solved by me. I followed the Moaaz pattern in Writing and Layout this document. Because many students are familiar

More information

The Standard Tag Library. Chapter 3 explained how to get values from beans to pages with the jsp:

The Standard Tag Library. Chapter 3 explained how to get values from beans to pages with the jsp: CHAPTER 4 The Standard Tag Library Chapter 3 explained how to get values from beans to pages with the jsp: getproperty tag, along with a number of limitations in this process. There was no good way to

More information

JavaServer Pages. What is JavaServer Pages?

JavaServer Pages. What is JavaServer Pages? JavaServer Pages SWE 642, Fall 2008 Nick Duan What is JavaServer Pages? JSP is a server-side scripting language in Java for constructing dynamic web pages based on Java Servlet, specifically it contains

More information

Module 5 Developing with JavaServer Pages Technology

Module 5 Developing with JavaServer Pages Technology Module 5 Developing with JavaServer Pages Technology Objectives Evaluate the role of JSP technology as a presentation Mechanism Author JSP pages Process data received from servlets in a JSP page Describe

More information

What's New in the Servlet and JSP Specifications

What's New in the Servlet and JSP Specifications What's New in the Servlet and JSP Specifications Bryan Basham Sun Microsystems, Inc bryan.basham@sun.com Page 1 Topics Covered History Servlet Spec Changes JSP Spec Changes: General JSP Spec Changes: Expression

More information

FINALTERM EXAMINATION Spring 2009 CS506- Web Design and Development Solved by Tahseen Anwar

FINALTERM EXAMINATION Spring 2009 CS506- Web Design and Development Solved by Tahseen Anwar FINALTERM EXAMINATION Spring 2009 CS506- Web Design and Development Solved by Tahseen Anwar www.vuhelp.pk Solved MCQs with reference. inshallah you will found it 100% correct solution. Time: 120 min Marks:

More information

Java.. servlets and. murach's TRAINING & REFERENCE 2ND EDITION. Joel Murach Andrea Steelman. IlB MIKE MURACH & ASSOCIATES, INC.

Java.. servlets and. murach's TRAINING & REFERENCE 2ND EDITION. Joel Murach Andrea Steelman. IlB MIKE MURACH & ASSOCIATES, INC. TRAINING & REFERENCE murach's Java.. servlets and 2ND EDITION Joel Murach Andrea Steelman IlB MIKE MURACH & ASSOCIATES, INC. P 1-800-221-5528 (559) 440-9071 Fax: (559) 440-0963 murachbooks@murach.com www.murach.com

More information

directive attribute1= value1 attribute2= value2... attributen= valuen %>

directive attribute1= value1 attribute2= value2... attributen= valuen %> JSP Standard Syntax Besides HTML tag elements, JSP provides four basic categories of constructors (markup tags): directives, scripting elements, standard actions, and comments. You can author a JSP page

More information

Anno Accademico Laboratorio di Tecnologie Web. Sviluppo di applicazioni web JSP

Anno Accademico Laboratorio di Tecnologie Web. Sviluppo di applicazioni web JSP Universita degli Studi di Bologna Facolta di Ingegneria Anno Accademico 2007-2008 Laboratorio di Tecnologie Web Sviluppo di applicazioni web JSP http://www lia.deis.unibo.it/courses/tecnologieweb0708/

More information

ADVANCED JAVA TRAINING IN BANGALORE

ADVANCED JAVA TRAINING IN BANGALORE ADVANCED JAVA TRAINING IN BANGALORE TIB ACADEMY #5/3 BEML LAYOUT, VARATHUR MAIN ROAD KUNDALAHALLI GATE, BANGALORE 560066 PH: +91-9513332301/2302 www.traininginbangalore.com 2EE Training Syllabus Java EE

More information

JAVA 2 ENTERPRISE EDITION (J2EE)

JAVA 2 ENTERPRISE EDITION (J2EE) COURSE TITLE DETAILED SYLLABUS SR.NO JAVA 2 ENTERPRISE EDITION (J2EE) ADVANCE JAVA NAME OF CHAPTERS & DETAILS HOURS ALLOTTED SECTION (A) BASIC OF J2EE 1 FILE HANDLING Stream Reading and Creating file FileOutputStream,

More information

JSP 2.0 (in J2EE 1.4)

JSP 2.0 (in J2EE 1.4) JSP 2.0 (in J2EE 1.4) 1 Disclaimer & Acknowledgments Even though Sang Shin is a full-time employees of Sun Microsystems, the contents here are created as his own personal endeavor and thus does not reflect

More information

Web Development with Java EE Introduction to Custom Tags, JSTL and Deployment

Web Development with Java EE Introduction to Custom Tags, JSTL and Deployment Applied Autonomous Sensor Systems Web Development with Java EE Introduction to Custom Tags, JSTL and Deployment AASS Mobile Robotics Lab, Teknik Room T2222 fpa@aass.oru.se Contents Web Client Programming

More information

Contents. 1. JSF overview. 2. JSF example

Contents. 1. JSF overview. 2. JSF example Introduction to JSF Contents 1. JSF overview 2. JSF example 2 1. JSF Overview What is JavaServer Faces technology? Architecture of a JSF application Benefits of JSF technology JSF versions and tools Additional

More information

sessionx Desarrollo de Aplicaciones en Red EL (2) EL (1) Implicit objects in EL Literals José Rafael Rojano Cáceres

sessionx Desarrollo de Aplicaciones en Red EL (2) EL (1) Implicit objects in EL Literals José Rafael Rojano Cáceres sessionx Desarrollo de Aplicaciones en Red José Rafael Rojano Cáceres http://www.uv.mx/rrojano EL Expression Language Write the code in something else, just let EL call it. EL () EL stand for Expression

More information

PATEL GROUP OF INSTITUTIONS

PATEL GROUP OF INSTITUTIONS Q1) What is JSP? Explain its role in the development of web sites. Ans: JSP is an existing new technology that provides powerful and efficient creation of dynamic contents. It allows static web content

More information

XML and XSLT. XML and XSLT 10 February

XML and XSLT. XML and XSLT 10 February XML and XSLT XML (Extensible Markup Language) has the following features. Not used to generate layout but to describe data. Uses tags to describe different items just as HTML, No predefined tags, just

More information

Java4340r: Review. R.G. (Dick) Baldwin. 1 Table of Contents. 2 Preface

Java4340r: Review. R.G. (Dick) Baldwin. 1 Table of Contents. 2 Preface OpenStax-CNX module: m48187 1 Java4340r: Review R.G. (Dick) Baldwin This work is produced by OpenStax-CNX and licensed under the Creative Commons Attribution License 4.0 Abstract This module contains review

More information

Struts Lab 3: Creating the View

Struts Lab 3: Creating the View Struts Lab 3: Creating the View In this lab, you will create a Web application that lets a company's fleet manager track fuel purchases for the company's vehicles. You will concentrate on creating the

More information

Common tasks. This chapter covers. Reading check boxes from HTML forms Reading dates from HTML forms Handling errors Validating user input

Common tasks. This chapter covers. Reading check boxes from HTML forms Reading dates from HTML forms Handling errors Validating user input 11 This chapter covers Reading check boxes from HTML forms Reading dates from HTML forms Handling errors Validating user input 251 252 CHAPTER 11 Some tasks never go away. If I had a dime for every time

More information

Experiment No: Group B_2

Experiment No: Group B_2 Experiment No: Group B_2 R (2) N (5) Oral (3) Total (10) Dated Sign Problem Definition: A Web application for Concurrent implementation of ODD-EVEN SORT is to be designed using Real time Object Oriented

More information

web.xml Deployment Descriptor Elements

web.xml Deployment Descriptor Elements APPENDIX A web.xml Deployment Descriptor s The following sections describe the deployment descriptor elements defined in the web.xml schema under the root element . With Java EE annotations, the

More information

Writing Servlets and JSPs p. 1 Writing a Servlet p. 1 Writing a JSP p. 7 Compiling a Servlet p. 10 Packaging Servlets and JSPs p.

Writing Servlets and JSPs p. 1 Writing a Servlet p. 1 Writing a JSP p. 7 Compiling a Servlet p. 10 Packaging Servlets and JSPs p. Preface p. xiii Writing Servlets and JSPs p. 1 Writing a Servlet p. 1 Writing a JSP p. 7 Compiling a Servlet p. 10 Packaging Servlets and JSPs p. 11 Creating the Deployment Descriptor p. 14 Deploying Servlets

More information

JSP CSCI 201 Principles of Software Development

JSP CSCI 201 Principles of Software Development JSP CSCI 201 Principles of Software Development Jeffrey Miller, Ph.D. jeffrey.miller@usc.edu Outline JSP Program USC CSCI 201L JSP 3-Tier Architecture Client Server Web/Application Server Database USC

More information

Specialized - Mastering JEE 7 Web Application Development

Specialized - Mastering JEE 7 Web Application Development Specialized - Mastering JEE 7 Web Application Development Code: Lengt h: URL: TT5100- JEE7 5 days View Online Mastering JEE 7 Web Application Development is a five-day hands-on JEE / Java EE training course

More information

Session 8. Reading and Reference. en.wikipedia.org/wiki/list_of_http_headers. en.wikipedia.org/wiki/http_status_codes

Session 8. Reading and Reference. en.wikipedia.org/wiki/list_of_http_headers. en.wikipedia.org/wiki/http_status_codes Session 8 Deployment Descriptor 1 Reading Reading and Reference en.wikipedia.org/wiki/http Reference http headers en.wikipedia.org/wiki/list_of_http_headers http status codes en.wikipedia.org/wiki/_status_codes

More information

11.1 Introduction to Servlets

11.1 Introduction to Servlets 11.1 Introduction to Servlets - A servlet is a Java object that responds to HTTP requests and is executed on a Web server - Servlets are managed by the servlet container, or servlet engine - Servlets are

More information

Modernizing Java Server Pages By Transformation. S h a n n o n X u T h o m a s D e a n Q u e e n s U n i v e r s i t y

Modernizing Java Server Pages By Transformation. S h a n n o n X u T h o m a s D e a n Q u e e n s U n i v e r s i t y Modernizing Java Server Pages By Transformation S h a n n o n X u T h o m a s D e a n Q u e e n s U n i v e r s i t y Background CSER - Consortium for Software Engineering Research Dynamic Web Pages Multiple

More information

COMP9321 Web Application Engineering

COMP9321 Web Application Engineering COMP9321 Web Application Engineering Semester 2, 2015 Dr. Amin Beheshti Service Oriented Computing Group, CSE, UNSW Australia Week 3 http://webapps.cse.unsw.edu.au/webcms2/course/index.php?cid=2411 1 Review:

More information

Type of Classes Nested Classes Inner Classes Local and Anonymous Inner Classes

Type of Classes Nested Classes Inner Classes Local and Anonymous Inner Classes Java CORE JAVA Core Java Programing (Course Duration: 40 Hours) Introduction to Java What is Java? Why should we use Java? Java Platform Architecture Java Virtual Machine Java Runtime Environment A Simple

More information

Structure of a webapplication

Structure of a webapplication Structure of a webapplication Catalogue structure: / The root of a web application. This directory holds things that are directly available to the client. HTML-files, JSP s, style sheets etc The root is

More information

1Z Java EE 6 Web Component Developer Certified Expert Exam Summary Syllabus Questions

1Z Java EE 6 Web Component Developer Certified Expert Exam Summary Syllabus Questions 1Z0-899 Java EE 6 Web Component Developer Certified Expert Exam Summary Syllabus Questions Table of Contents Introduction to 1Z0-899 Exam on Java EE 6 Web Component Developer Certified Expert... 2 Oracle

More information

Enterprise Development With Java and JEE

Enterprise Development With Java and JEE Enterprise Development With Java and JEE Introduction to JEE Chris Seddon Julian Templeman Roadmap Overall architecture Client facing web applications Middleware EJBs Connectivity Enterprise Architectures

More information

COMP9321 Web Application Engineering

COMP9321 Web Application Engineering COMP9321 Web Application Engineering Java Server Pages (JSP) Dr. Basem Suleiman Service Oriented Computing Group, CSE, UNSW Australia Semester 1, 2016, Week 3 http://webapps.cse.unsw.edu.au/webcms2/course/index.php?cid=2442

More information

Table of Contents Fast Track to Java EE 5 with Servlets/JSP and JDBC

Table of Contents Fast Track to Java EE 5 with Servlets/JSP and JDBC Table of Contents Fast Track to Java EE 5 with Servlets/JSP and JDBC Fast Track to Java EE 5 with Servlets/JSP and JDBC 1 Workshop Overview 2 Workshop Objectives 3 Workshop Agenda 4 Typographic Conventions

More information

Spring MVC Command Beans As Complex As You Need

Spring MVC Command Beans As Complex As You Need Visit: www.intertech.com/blog Spring MVC Command Beans As Complex As You Need One of the complex Spring MVC user interfaces deals with showing multiple records in an HTML table and allowing users to randomly

More information

Web applications and JSP. Carl Nettelblad

Web applications and JSP. Carl Nettelblad Web applications and JSP Carl Nettelblad 2015-04-02 Outline Review and assignment Jara Server Pages Web application structure Review We send repeated requests using HTTP Each request asks for a specific

More information

JavaServer Pages and the Expression Language

JavaServer Pages and the Expression Language JavaServer Pages and the Expression Language Bryan Basham Sun Microsystems, Inc. bryan.basham@sun.com Page 1 Topics Covered History of the Expression Language (EL) Overview of the EL EL Namespace EL Operators

More information

COMP9321 Web Application Engineering

COMP9321 Web Application Engineering COMP9321 Web Application Engineering Semester 2, 2017 Dr. Amin Beheshti Service Oriented Computing Group, CSE, UNSW Australia Week 3 http://webapps.cse.unsw.edu.au/webcms2/course/index.php?cid=2465 1 Review:

More information

Unit 5 JSP (Java Server Pages)

Unit 5 JSP (Java Server Pages) Java Server Pages (JSP) is a server-side programming technology that enables the creation of dynamic, platform-independent method for building Web-based applications. It focuses more on presentation logic

More information

JSP2.0 part II 23/01/54 1

JSP2.0 part II 23/01/54 1 JSP2.0 part II 1 Agenda Focus of JSP 2.0 technology Expression language Tag Library JSTL Core function, database EL function Standard Custom EL function Tag file Tag Handler 2 Custom Tag Libraries The

More information

JAVA MICROSERVICES. Java Language Environment. Java Set Up. Java Fundamentals. Packages. Operations

JAVA MICROSERVICES. Java Language Environment. Java Set Up. Java Fundamentals. Packages. Operations Java Language Environment JAVA MICROSERVICES Object Oriented Platform Independent Automatic Memory Management Compiled / Interpreted approach Robust Secure Dynamic Linking MultiThreaded Built-in Networking

More information

Copyright 2011 Sakun Sharma

Copyright 2011 Sakun Sharma Maintaining Sessions in JSP We need sessions for security purpose and multiuser support. Here we are going to use sessions for security in the following manner: 1. Restrict user to open admin panel. 2.

More information

PES INSTITUTE OF TECHNOLOGY, SOUTH CAMPUS DEPARTMENT OF MCA INTERNAL TEST (SCHEME AND SOLUTION) II

PES INSTITUTE OF TECHNOLOGY, SOUTH CAMPUS DEPARTMENT OF MCA INTERNAL TEST (SCHEME AND SOLUTION) II PES INSTITUTE OF TECHNOLOGY, SOUTH CAMPUS DEPARTMENT OF MCA INTERNAL TEST (SCHEME AND SOLUTION) II Subject Name: Advanced JAVA programming Subject Code: 13MCA42 Time: 11:30-01:00PM Max.Marks: 50M ----------------------------------------------------------------------------------------------------------------

More information

Peers Techno log ies Pv t. L td. Core Java & Core Java &Adv Adv Java Java

Peers Techno log ies Pv t. L td. Core Java & Core Java &Adv Adv Java Java Page 1 Peers Techno log ies Pv t. L td. Course Brochure Core Java & Core Java &Adv Adv Java Java Overview Core Java training course is intended for students without an extensive programming background.

More information

Java Programming Course Overview. Duration: 35 hours. Price: $900

Java Programming Course Overview. Duration: 35 hours. Price: $900 978.256.9077 admissions@brightstarinstitute.com Java Programming Duration: 35 hours Price: $900 Prerequisites: Basic programming skills in a structured language. Knowledge and experience with Object- Oriented

More information

WIDGETS TECHNICAL DOCUMENTATION PORTAL FACTORY 2.0

WIDGETS TECHNICAL DOCUMENTATION PORTAL FACTORY 2.0 1 SUMMARY 1 INTRODUCTION... 3 2 CUSTOM PORTAL WIDGETS... 4 2.1 Definitions... 4 2.2 Vie s. 5 2.3 kins 6 3 USING PORTALS IN YOUR SITE (PORTAL TEMPLATES)... 7 3.1 Activate the Portal Modules for your site...

More information

PROGRAMMING FUNDAMENTALS

PROGRAMMING FUNDAMENTALS PROGRAMMING FUNDAMENTALS Q1. Name any two Object Oriented Programming languages? Q2. Why is java called a platform independent language? Q3. Elaborate the java Compilation process. Q4. Why do we write

More information

Page 1

Page 1 Java 1. Core java a. Core Java Programming Introduction of Java Introduction to Java; features of Java Comparison with C and C++ Download and install JDK/JRE (Environment variables set up) The JDK Directory

More information

CS 112 Introduction to Programming

CS 112 Introduction to Programming CS 112 Introduction to Programming Web Programming: Backend (server side) Programming with Servlet, JSP Yang (Richard) Yang Computer Science Department Yale University 308A Watson, Phone: 432-6400 Email:

More information

More JSP. Advanced Topics in Java. Khalid Azim Mughal Version date: ATIJ More JSP 1/42

More JSP. Advanced Topics in Java. Khalid Azim Mughal   Version date: ATIJ More JSP 1/42 More JSP Advanced Topics in Java Khalid Azim Mughal khalid@ii.uib.no http://www.ii.uib.no/~khalid/atij/ Version date: 2006-09-04 ATIJ More JSP 1/42 Overview Including Resources in JSP Pages using the jsp:include

More information

JSP: JavaServer Pages

JSP: JavaServer Pages -- 4 -- JSP: JavaServer Pages Turning Servlets Inside Out 56 JavaServer Pages: Java code embedded in HTML More similar to languages such as PHP out.println( the value of pi is: + Math.pi); // Servlet

More information

Focus of JSP 2.0 technology 27/08/56 3

Focus of JSP 2.0 technology 27/08/56 3 27/08/56 1 Agenda Focus of JSP 2.0 technology Expression language Tag Library JSTL Core function, database EL function Standard Custom EL function Tag file Tag Handler 27/08/56 2 Focus of JSP 2.0 technology

More information

A Gentle Introduction to Java Server Pages

A Gentle Introduction to Java Server Pages A Gentle Introduction to Java Server Pages John Selmys Seneca College July 2010 What is JSP? Tool for developing dynamic web pages developed by SUN (now Oracle) High-level abstraction of Java Servlets

More information

S imilar to JavaBeans, custom tags provide a way for

S imilar to JavaBeans, custom tags provide a way for CREATE THE TAG HANDLER S imilar to JavaBeans, custom tags provide a way for you to easily work with complex Java code in your JSP pages. You can create your own custom tags to suit your needs. Using custom

More information

JSP 2.0 part I 16/01/54 1

JSP 2.0 part I 16/01/54 1 JSP 2.0 part I 1 Agenda Focus of JSP 2.0 technology Expression language Tag Library JSTL Core function, database EL function Standard Custom EL function Tag file Tag Handler 2 Focus of JSP 2.0 technology

More information

Introduction to Python - Part I CNV Lab

Introduction to Python - Part I CNV Lab Introduction to Python - Part I CNV Lab Paolo Besana 22-26 January 2007 This quick overview of Python is a reduced and altered version of the online tutorial written by Guido Van Rossum (the creator of

More information

Call us: /

Call us: / JAVA J2EE Developer Course Content Malleswaram office Address: - #19, MN Complex, 2 nd Floor, 2 nd Cross, Sampige Main Road, Malleswaram, Bangalore 560003. Land Mark: Opp. JOYALUKKAS Gold Show Room. Jayanagar

More information

Session 9. Deployment Descriptor Http. Reading and Reference. en.wikipedia.org/wiki/http. en.wikipedia.org/wiki/list_of_http_headers

Session 9. Deployment Descriptor Http. Reading and Reference. en.wikipedia.org/wiki/http. en.wikipedia.org/wiki/list_of_http_headers Session 9 Deployment Descriptor Http 1 Reading Reading and Reference en.wikipedia.org/wiki/http Reference http headers en.wikipedia.org/wiki/list_of_http_headers http status codes en.wikipedia.org/wiki/http_status_codes

More information

3 The Building Blocks: Data Types, Literals, and Variables

3 The Building Blocks: Data Types, Literals, and Variables chapter 3 The Building Blocks: Data Types, Literals, and Variables 3.1 Data Types A program can do many things, including calculations, sorting names, preparing phone lists, displaying images, validating

More information

B. V. Patel Institute of BMC & IT 2014

B. V. Patel Institute of BMC & IT 2014 Unit 1: Introduction Short Questions: 1. What are the rules for writing PHP code block? 2. Explain comments in your program. What is the purpose of comments in your program. 3. How to declare and use constants

More information

Session 21. Expression Languages. Reading. Java EE 7 Chapter 9 in the Tutorial. Session 21 Expression Languages 11/7/ Robert Kelly,

Session 21. Expression Languages. Reading. Java EE 7 Chapter 9 in the Tutorial. Session 21 Expression Languages 11/7/ Robert Kelly, Session 21 Expression Languages 1 Reading Java EE 7 Chapter 9 in the Tutorial 2 11/7/2018 1 Lecture Objectives Understand how Expression Languages can simplify the integration of data with a view Know

More information

Module 3 Web Component

Module 3 Web Component Module 3 Component Model Objectives Describe the role of web components in a Java EE application Define the HTTP request-response model Compare Java servlets and JSP components Describe the basic session

More information

Contents. 1. Session bean concepts. 2. Stateless session beans. 3. Stateful session beans

Contents. 1. Session bean concepts. 2. Stateless session beans. 3. Stateful session beans Session Beans Contents 1. Session bean concepts 2. Stateless session beans 3. Stateful session beans 2 1. Session Bean Concepts Session bean interfaces and classes Defining metadata Packaging and deployment

More information

JSP. Basic Elements. For a Tutorial, see:

JSP. Basic Elements. For a Tutorial, see: JSP Basic Elements For a Tutorial, see: http://java.sun.com/j2ee/1.4/docs/tutorial/doc/jspintro.html Simple.jsp JSP Lifecycle Server Web

More information

Construction d Applications Réparties / Master MIAGE

Construction d Applications Réparties / Master MIAGE Construction d Applications Réparties / Master MIAGE Java EE - JSF Giuseppe Lipari CRiSTAL, Université de Lille March 23, 2016 Outline JSP JSTL tags Data persistence Database mapping layer Outline JSP

More information

ADVANCED JAVA COURSE CURRICULUM

ADVANCED JAVA COURSE CURRICULUM ADVANCED JAVA COURSE CURRICULUM Index of Advanced Java Course Content : 1. Basics of Servlet 2. ServletRequest 3. Servlet Collaboration 4. ServletConfig 5. ServletContext 6. Attribute 7. Session Tracking

More information

LearningPatterns, Inc. Courseware Student Guide

LearningPatterns, Inc. Courseware Student Guide Fast Track to Servlets and JSP Developer's Workshop LearningPatterns, Inc. Courseware Student Guide This material is copyrighted by LearningPatterns Inc. This content shall not be reproduced, edited, or

More information

Introduction... xv SECTION 1: DEVELOPING DESKTOP APPLICATIONS USING JAVA Chapter 1: Getting Started with Java... 1

Introduction... xv SECTION 1: DEVELOPING DESKTOP APPLICATIONS USING JAVA Chapter 1: Getting Started with Java... 1 Introduction... xv SECTION 1: DEVELOPING DESKTOP APPLICATIONS USING JAVA Chapter 1: Getting Started with Java... 1 Introducing Object Oriented Programming... 2 Explaining OOP concepts... 2 Objects...3

More information

JBoss to Geronimo - EJB-Session Beans Migration

JBoss to Geronimo - EJB-Session Beans Migration JBoss to Geronimo - EJB-Session Beans Migration A typical J2EE application may contain Enterprise JavaBeans or EJBs. These beans contain the application's business logic and live business data. Although

More information

Advantage of JSP over Servlet

Advantage of JSP over Servlet JSP technology is used to create web application just like Servlet technology. It can be thought of as an extension to servlet because it provides more functionality than servlet such as expression language,

More information

Java- EE Web Application Development with Enterprise JavaBeans and Web Services

Java- EE Web Application Development with Enterprise JavaBeans and Web Services Java- EE Web Application Development with Enterprise JavaBeans and Web Services Duration:60 HOURS Price: INR 8000 SAVE NOW! INR 7000 until December 1, 2011 Students Will Learn How to write Session, Message-Driven

More information

III/IV B.Tech (Regular/Supplementary) DEGREE EXAMINATION. Computer Science & Engineering. Answer ONE question from each unit.

III/IV B.Tech (Regular/Supplementary) DEGREE EXAMINATION. Computer Science & Engineering. Answer ONE question from each unit. Hall Ticket Number: 14CS604 April, 2018 Sixth Semester Time: Three Hours Answer Question No.1 compulsorily. III/IV B.Tech (Regular/Supplementary) DEGREE EXAMINATION Computer Science & Engineering Enterprise

More information

Jakarta Struts: An MVC Framework

Jakarta Struts: An MVC Framework Jakarta Struts: An MVC Framework Overview, Installation, and Setup. Struts 1.2 Version. Core Servlets & JSP book: More Servlets & JSP book: www.moreservlets.com Servlet/JSP/Struts/JSF Training: courses.coreservlets.com

More information

Transforming Embedded Java Into Custom Tags. S h a n n o n X u T h o m a s D e a n Q u e e n s U n i v e r s i t y

Transforming Embedded Java Into Custom Tags. S h a n n o n X u T h o m a s D e a n Q u e e n s U n i v e r s i t y Transforming Embedded Java Into Custom Tags S h a n n o n X u T h o m a s D e a n Q u e e n s U n i v e r s i t y Background CSER - Consortium for Software Engineering Research No Change to Functionality

More information

Core Capabilities Part 3

Core Capabilities Part 3 2008 coreservlets.com The Spring Framework: Core Capabilities Part 3 Originals of Slides and Source Code for Examples: http://courses.coreservlets.com/course-materials/spring.html Customized Java EE Training:

More information

CSC Web Programming. Introduction to JavaScript

CSC Web Programming. Introduction to JavaScript CSC 242 - Web Programming Introduction to JavaScript JavaScript JavaScript is a client-side scripting language the code is executed by the web browser JavaScript is an embedded language it relies on its

More information

Software Engineering a.a Unit Tests for SpringMVC Prof. Luca Mainetti University of Salento

Software Engineering a.a Unit Tests for SpringMVC Prof. Luca Mainetti University of Salento Software Engineering a.a. 2017-2018 Unit Tests for SpringMVC Prof. University of Salento Junit - Introduction JUnit is the most popular Java Unit testing framework We typically work in large projects -

More information

Assignment 4. Overview. Prof. Stewart Weiss. CSci 335 Software Design and Analysis III Assignment 4

Assignment 4. Overview. Prof. Stewart Weiss. CSci 335 Software Design and Analysis III Assignment 4 Overview This assignment combines several dierent data abstractions and algorithms that we have covered in class, including priority queues, on-line disjoint set operations, hashing, and sorting. The project

More information

Oracle 1z Java Enterprise Edition 5 Web Component Developer Certified Professional Exam. Practice Test. Version:

Oracle 1z Java Enterprise Edition 5 Web Component Developer Certified Professional Exam. Practice Test. Version: Oracle 1z0-858 Java Enterprise Edition 5 Web Component Developer Certified Professional Exam Practice Test Version: 14.21 QUESTION NO: 1 To take advantage of the capabilities of modern browsers that use

More information

First Simple Interactive JSP example

First Simple Interactive JSP example Let s look at our first simple interactive JSP example named hellojsp.jsp. In his Hello User example, the HTML page takes a user name from a HTML form and sends a request to a JSP page, and JSP page generates

More information

SESM Components and Techniques

SESM Components and Techniques CHAPTER 2 Use the Cisco SESM web application to dynamically render the look-and-feel of the user interface for each subscriber. This chapter describes the following topics: Using SESM Web Components, page

More information