SlideShare a Scribd company logo
Java II
J2EE Struts
Struts: Introduction
•  Once you’ve coded a lot of JSP applications, you find yourself doing a lot of repetitive things. •  Also, if you have a hard-coded link scattered around a lot of JSPs, the first time you need to  change  that link you discover a special kind of agony.  •  Struts was designed to solve that problem and a few others.  •  Struts is about moving code to xml property files.  Struts:  Introduction * * This lecture was based on “ Struts in Action ” by Ted Husted ISBN 1-930110-50-2
•  Struts is based on the MVC or Model-View-Controller design pattern. Struts:  Introduction
•  Under Struts the work of operating a web application is divided up: ActionServlet —this Struts component controls navigation. Action —this Struts component controls business logic. Struts:  Introduction
•  Here’s the process: 1.) An  ActionServlet  receives a request from the container. 2.) The  ActionServlet  collects the information in the request. 3.) Using the request URI, the  ActionServlet  tries to  match the URI  with a so-called  Action  class. 4.) Whichever  Action  class is passed the request will take the correct course of action. Struts:  Introduction
•  The preceding is just a general idea of how it works. •  Struts uses the following Java classes to work its magic: ActionForm ActionServlet ActionMapping ActionForward Action •  In addition to these, Struts places a lot of information in xml configuration files: strut-config.xml Struts:  Introduction
We will explore these in depth, but here’s a thumbnail version  of each: ActionForm —Collects  form  data from HTML page. ActionServlet —Controls everything. ActionMapping —Helps when deciding where to go. ActionForward —Where to send request Action —Called to do business logic. Struts:  Introduction
Struts: ActionForm
•  A Web Application is driven by HTML pages.  •  A typical WebApp contains text fields in a  FORM . •  To extract information from this page, we use the  NAME .  Struts:  ActionForm <HTML> <HEAD><TITLE>Simple JSP</TITLE></HEAD> <BODY> <FORM METHOD=&quot;POST&quot; ACTION=&quot;/TestServlet&quot;> <BR>Username: <INPUT TYPE=&quot;text&quot;  NAME =&quot; user &quot; VALUE=&quot;&quot;> <BR>Password: <INPUT TYPE=&quot;text&quot;  NAME =&quot; pass &quot; VALUE=&quot;&quot;> </FORM> </BODY> </HTML>
•  Given the HTML page we see below, we could pull out the value of the tag with the  NAME  of  user  by using the following code in a Servlet’s  doPost()  method: String userField = request.getParameter(&quot; user &quot;); Struts:  ActionForm <HTML> <HEAD><TITLE>Simple JSP</TITLE></HEAD> <BODY> <FORM METHOD=&quot;POST&quot; ACTION=&quot;/SomeServlet&quot;> <BR>Username: <INPUT TYPE=&quot;text&quot;  NAME =&quot; user &quot; VALUE=&quot;&quot;> <BR>Password: <INPUT TYPE=&quot;text&quot;  NAME =&quot; pass &quot; VALUE=&quot;&quot;> </FORM> </BODY> </HTML>
•  However, with any fairly large page, this becomes tedious. •  A better way is to use a  JavaBean . •  Using a  JavaBean , we place all the data in the bean on the JSP side and then it’s convenient for us to unpack it on the servlet side. •  Struts has taken this one step further. •  If you follow the rules,  Struts will automatically populate a JavaBean for you —saving you the trouble of loading it.   Struts:  ActionForm
•  Okay, what are these rules we’re suppose to follow? Instead of making up your own JavaBean, you  need to extend a special Struts JavaBean called the “ ActionForm ” extends org.apache.struts.action. ActionForm Struts:  ActionForm
 A Struts action form: “ is a JavaBean that extends  ActionForm .” It  captures the input fields  sent through the request.  You must create a JavaBean (that extends  ActionForm ) that has an  instance variable  (with the correctly named getters and setters)  for each input field  in the JSP page. Struts:  ActionForm
•  So, let’s recall our HTML/JSP file, and then see how we would create the correct ActionForm: Struts:  ActionForm <HTML> <HEAD><TITLE>Simple JSP</TITLE></HEAD> <BODY> <FORM METHOD=&quot;POST&quot; ACTION=&quot;/SomeServlet&quot;> <BR>Username: <INPUT TYPE=&quot;text&quot; NAME=&quot; user &quot; VALUE=&quot;&quot;> <BR>Password: <INPUT TYPE=&quot;text&quot; NAME=&quot; pass &quot; VALUE=&quot;&quot;> </FORM> </BODY> </HTML> import org.apache.struts.action.*; public class SimpleForm  extends ActionForm { private String  user  = “”; private String  pass  = “”; public SimpleForm(){} public void setUser( String u ) {  user  = u; } public void setPass( String p ) {  pass  = p; } public String getUser() { return  user ; } public String getPass() { return  pass ; } } As we see, our  SimpleForm  extends  ActionForm It has getters and setters named so they will be automatically found.
•  When compiled, this  .class  file should be placed here: webapps myapp WEB-INF classes   Struts:  ActionForm
Struts:  ActionForm •  Here’s what will happen. The  ActionServlet  will receive a POST, thereby executing its  doPost()  method. •  The  ActionServlet   will try to match the parameters  in the request with the properties in the  ActionForm . •  For a parameter  wxyz , the JavaBean ( ActionForm ) must have a corresponding  setWxyz()  and  getWxyz()  method.
Struts: ActionServlet
•  The  ActionServlet  behaves like an orchestra Conductor. It doesn’t do a lot of the work, but it manages the other components. •  The  ActionServlet  receives a request from the container and it routes the request to the correct place. •  99% of the time,  you will  never  need to change  the existing  ActionServlet   Struts:  ActionServlet
•  The  ActionServlet  uses a special xml configuration file called:  struts-config.xml . Struts:  ActionServlet When the web container receives a request in the form of  /register-complete/enter .do , then—because of the  .do  extension—it knows to pass the request off to the  ActionServlet . In turn, the  ActionServlet  looks in its  struts-config.xml  file to see where to send the request. Using this “mapping”, the  ActionServlet  knows to send the request to the JSP located at this path.  Thus, we have decoupled the location of the actual JSP from its location as implied by URL.
•  So, let’s review the sequence so far: 1.) Web container gets a request with a  .do  extension. 2.) Web container passes the request to the  ActionServlet 3.)  ActionServlet  grabs all the request parameters and tries to insert them in an  ActionForm . 4.)  ActionServlet  strips the  .do  extension. 5.)  ActionServlet  looks in the  struts-config.xml  file for a matching URI pattern. 6.) … Struts:  ActionServlet
Struts: ActionMapping
•  The Struts Java class called  ActionMapping  is used  inside of the  Action  class  (not yet covered). •  It has only one method we’re interested in: ActionMapping  mapping  = new ActionMapping(); mapping. findForward ( “somesymbolicname” ); •  This means: “When you reach this statement, you should forward the request to the JSP page represented by this symbolic name ‘ somesymbolicname ’.” Struts:  ActionMapping
Struts: Action
•  Recall that the business logic of a Struts application is all done in the  Action  class. •  You will often need to create your own subclass of this  Action  class. •  Your  Action  class must follow a very specific design pattern: Struts:  Action
import org.apache.struts.action.*; import javax.servlet.http.*; public class MyAction extends  Action { public ActionForward perform(   ActionMapping   mapping ,  ActionForm   form ,    HttpServletRequest req,   HttpServletResponse res  ) { } } After you have extended the  Action  class, you will need to override the inherited method called “ perform() ”. In order for your override to work, it must match the signature of the superclass, and thus it must take the form we see here.
import org.apache.struts.action.*; import javax.servlet.http.*; public class MyAction extends  Action { public ActionForward perform(   ActionMapping   mapping ,  ActionForm   form ,    HttpServletRequest req,   HttpServletResponse res  ) { SimpleForm   sf  = ( SimpleForm )  form ; String username =  sf .getUser(); String password =  sf .getPass(); } } Now, the first step is to  cast  the received  ActionForm  reference into your subclass of  ActionForm . In this case, it’s called  SimpleForm . Recall, since  SimpleForm  is an  ActionForm , we can perform this cast. import org.apache.struts.action.*; public class SimpleForm  extends ActionForm {
import org.apache.struts.action.*; import javax.servlet.http.*; public class MyAction extends  Action { public ActionForward perform(   ActionMapping   mapping ,  ActionForm   form ,    HttpServletRequest req,   HttpServletResponse res  ) { SimpleForm   sf  = ( SimpleForm )  form ; String username =  sf .getUser(); String password =  sf .getPass(); if( username == null || password == null ) {   return  mapping .findForward( “failure” ); } else {   return  mapping .findForward( “success” ); } } } Finally, we see how—depending on the results of the logic performed in this  Action  class—we use the  ActionMapping  class to decide where to send the request from here.
•  Remember, your  Action  class must do these three things: Cast the incoming  ActionForm  class into your subclass. Apply business logic. Return the correct  ActionForward . Struts:  Action
•  And let’s review how the  struts-config.xml  would be modified to use our action class: Struts:  Action Here we see a new attribute was added to the action. Within the Action class (our  MyAction ) we saw the “ findForward() ” method referred to the symbolic name “ success ”. Here’s where that is defined.
Struts: Review So Far
•  As you no doubt see, this can be confusing. •  The names chosen for the components are not that meaningful and the process is non-intuitive. •  Still, let’s see if we can understand the entire process. Struts:  Review So Far
1.) Point your browser to a web page. http://localhost:8080/ register-complete /enter.jsp Struts:  Review So Far First, we see that we’re executing the JSP called  enter.jsp  that lives in a web application called  register-complete .
2.) This is the HTML within the page  enter.jsp Struts:  Review So Far <form  name=&quot;registerForm&quot;  method=&quot;POST&quot; action=&quot;/ register-complete /enter .do &quot;> UserName: <input type=&quot;text&quot; name=&quot;username&quot; value=&quot;&quot;><br> enter password: <input type=&quot;password&quot; name=&quot;password1&quot; value=&quot;&quot;><br> re-enter password: <input type=&quot;password&quot; name=&quot;password2&quot; value=&quot;&quot;><br> <input type=&quot;submit&quot; name=&quot;submit&quot; value=&quot;Register&quot;> </form> When we click the Submit button, we trigger a POST against the page  /register-complete/enter.do . The web container sees that we have asked it to render a page that ends in  .do .  The web container knows that all page requests that end in  .do  should be sent to the  ActionServlet , which will be allowed to decide what to do.
3.) The  ActionServlet  receives the page request. It looks up the URI “mapping” pattern in its  struts-config.xml  file.   The  ActionServlet  also stores the request parameters in the  ActionForm  bean. Struts:  Review So Far Since we are already inside the  register-complete  web application, you can omit that part of the name. So, we’re doing a post against  /register-complete/enter.do . The  ActionServlet  knows to strip off the  .do , so it’s looking for a path mapped to  /enter . And, we see that does exist.
This is the  RegisterAction.java  class. Relying on the  struts-config.xml  file to identify this class, the  ActionServlet  will execute the  perform()  method.
4.) Next, the  ActionServlet  looks to see if a  name  property is associated with the mapping. In this case, it does find a  name  property, called “ registerForm ”. As we see, the name “ registerForm ” appears in the line above. It represents an  ActionForm  bean called “ RegisterForm ”. Struts:  Review So Far The  name  property tells it which  ActionForm  class to use.
5.) Since the  ActionServlet  has discovered an  ActionForm  is associated, it instantiates the bean and tries to call its getters and setters for each of the parameters in the request. Struts:  Review So Far This same line also informs the  ActionServlet  which  ActionForm  class it should use when it captures all the request parameter information.
6.) Finally, depending on the outcome of the business logic in the  RegisterAction  class, one of the  findForward()  methods is executed.  Struts:  Review So Far
Struts: Understanding the Architecture
Struts:  Understanding the Architecture •  Let’s first review the sequence of actions: 1.) A client requests a web page that matches the Action URI pattern. 2.) Seeing the  .do  extension, the web container passes the request to the  ActionServlet . 3.) The  ActionServlet  looks in its  struts-config.xml  for the mapping for that particular path. 4.) If that mapping specifies an  ActionForm  [JavaBean], the  ActionServlet  either uses an existing instance of that  ActionForm  or it instantiates a new one. The  ActionServlet  populates the  ActionForm . 5.) The  ActionServlet  sees which  Action  class is mapped to that path and executes the  perform()  method of that  Action  class. 6.) The  Action  class does what it needs for business logic. 7.) The  Action  returns an  ActionForward  to the  ActionServlet .
1, 2.) A client requests a web page that matches the Action URI pattern. Seeing the  .do  extension, the web container passes the request to the  ActionServlet .  How does this happen? Recall that the web container [the server] has its  web.xml  configuration file. Within that config file, there is an element called— <servlet-mapping> <servlet-name>action</servlet-name> <url-pattern> *.do </url-pattern> </servlet-mapping> — that allows you to specify that all pages with this pattern should go to the servlet action.  Struts:  Understanding the Architecture
3-7.) The  ActionServlet  looks in its  struts-config.xml  for the mapping for that particular path. When the  ActionServlet  receives a request, it has several things to accomplish: i.)  process the locale ii.)  process the mapping—to see which  Action  to send the request to   and whether a bean is needed. iii.) if a bean is needed, either find one in scope or create a new one, then   process the  ActionForm  bean—take the request parameters and   put them into the bean using its setters. iv.) if the  ActionMapping  specifies the forward attribute, control is   either transferred to another resource or to an  Action  object. v.)  process the  Action  (if appropriate) by calling the  perform()   method. vi.) the  Action  returns an  ActionForward Struts:  Understanding the Architecture
Struts: Our First Example
•  Once again, we will take the organic approach and see what happens in a linear fashion. •  Before then, I would like to explore the set up of the web app using Struts in the directory.  Struts:  Our First Example
This “ logon ” is the root of the web app. Every path will be considered relative to this directory. In  this  example, the  pages  directory will hold the JSP files. You have some flexibility in where you place your JSPs, but wherever they go, you must make sure your paths reflect that location. This  WEB-INF  directory is very important. In it we will find the files at right.  We will explore these files more on the next slide. Our  Action  classes must go in this directory. In this case, we see an  app  directory—which tells us that our  Action  class specified that it was in a package called  app . The resources directory will hold  .properties  files, such as  Messages.properties  or any other resource we might need. Finally, the  lib  directory holds JAR files such as the  struts.jar  file.
•  As you recall from the previous slide, these files are contained in the  WEB-INF  directory.  Struts:  Our First Example The  web.xml  file is the same one that must be present in all web applications. In our case, aside from listing the  ActionServlet  as being present, this  web.xml  has a line that informs it to send all pages with a  .do  extension to the  ActionServlet  for processing. web.xml
•  This slide explores the  struts-config.xml  file Struts:  Our First Example First, we create a key “logonForm” that gives the name of our  ActionForm struts-config.xml These  <action-mappings>  tell the  ActionServlet  which  Action  class to execute when it encounters a particular URI pattern. In this example, you see that a  forward  has been declared. This must work in concert with the business logic in the  Action  class.
•  This is a look at the HTML behind our first JSP.  Struts:  Our First Example Welcome.jsp

More Related Content

What's hot (20)

PPTX
Spring framework in depth
Vinay Kumar
 
PDF
JPA and Hibernate
elliando dias
 
PDF
TypeScript - An Introduction
NexThoughts Technologies
 
PDF
Retrofit
Amin Cheloh
 
ODP
Introduction to Spring Framework and Spring IoC
Funnelll
 
PDF
Asynchronous API in Java8, how to use CompletableFuture
José Paumard
 
PDF
Spring Boot
koppenolski
 
PDF
REST APIs with Spring
Joshua Long
 
PPTX
JDBC ppt
Rohit Jain
 
PPTX
ASP.NET Core MVC + Web API with Overview
Shahed Chowdhuri
 
PDF
Spring boot introduction
Rasheed Waraich
 
PDF
Reactjs workshop (1)
Ahmed rebai
 
PPTX
Angularjs PPT
Amit Baghel
 
PPT
JDBC
Sunil OS
 
PDF
Ngrx slides
Christoffer Noring
 
PDF
Nest.js Introduction
Takuya Tejima
 
PDF
Spring Boot
HongSeong Jeon
 
PPT
SQLITE Android
Sourabh Sahu
 
PPS
Jsp element
kamal kotecha
 
Spring framework in depth
Vinay Kumar
 
JPA and Hibernate
elliando dias
 
TypeScript - An Introduction
NexThoughts Technologies
 
Retrofit
Amin Cheloh
 
Introduction to Spring Framework and Spring IoC
Funnelll
 
Asynchronous API in Java8, how to use CompletableFuture
José Paumard
 
Spring Boot
koppenolski
 
REST APIs with Spring
Joshua Long
 
JDBC ppt
Rohit Jain
 
ASP.NET Core MVC + Web API with Overview
Shahed Chowdhuri
 
Spring boot introduction
Rasheed Waraich
 
Reactjs workshop (1)
Ahmed rebai
 
Angularjs PPT
Amit Baghel
 
JDBC
Sunil OS
 
Ngrx slides
Christoffer Noring
 
Nest.js Introduction
Takuya Tejima
 
Spring Boot
HongSeong Jeon
 
SQLITE Android
Sourabh Sahu
 
Jsp element
kamal kotecha
 

Viewers also liked (6)

PPT
Apachecon 2002 Struts
yesprakash
 
PPT
Apache Velocity
yesprakash
 
PDF
Build Java Web Application Using Apache Struts
weili_at_slideshare
 
PDF
Study: The Future of VR, AR and Self-Driving Cars
LinkedIn
 
PDF
Hype vs. Reality: The AI Explainer
Luminary Labs
 
Apachecon 2002 Struts
yesprakash
 
Apache Velocity
yesprakash
 
Build Java Web Application Using Apache Struts
weili_at_slideshare
 
Study: The Future of VR, AR and Self-Driving Cars
LinkedIn
 
Hype vs. Reality: The AI Explainer
Luminary Labs
 
Ad

Similar to Struts Java I I Lecture 8 (20)

PDF
Struts tutorial
OPENLANE
 
PDF
Struts Intro
Syed Shahul
 
PDF
Introduction to Struts
elliando dias
 
PPT
Project Description Of Incident Management System Developed by PRS (CRIS) , N...
varunsunny21
 
PDF
Struts An Open-source Architecture for Web Applications
elliando dias
 
PPTX
struts unit best pdf for struts java.pptx
ozakamal8
 
PPTX
struts unit best pdf for struts java.pptx
ozakamal8
 
PPT
Ajax
Manav Prasad
 
PPT
Java Servlets
BG Java EE Course
 
PPT
Web Programming using Asynchronous JavaX
SivanN6
 
PDF
Json generation
Aravindharamanan S
 
PDF
Struts Action
Vijay subedar
 
PPT
Introducing Struts 2
wiradikusuma
 
PPT
Ajax tutorial by bally chohan
WebVineet
 
PPTX
18CSC311J Web Design and Development UNIT-3
Sivakumar M
 
PDF
Step By Step Guide For Buidling Simple Struts App
Syed Shahul
 
PPT
Strutsjspservlet
Sagar Nakul
 
PPT
Struts,Jsp,Servlet
dasguptahirak
 
PPT
Strutsjspservlet
Sagar Nakul
 
Struts tutorial
OPENLANE
 
Struts Intro
Syed Shahul
 
Introduction to Struts
elliando dias
 
Project Description Of Incident Management System Developed by PRS (CRIS) , N...
varunsunny21
 
Struts An Open-source Architecture for Web Applications
elliando dias
 
struts unit best pdf for struts java.pptx
ozakamal8
 
struts unit best pdf for struts java.pptx
ozakamal8
 
Java Servlets
BG Java EE Course
 
Web Programming using Asynchronous JavaX
SivanN6
 
Json generation
Aravindharamanan S
 
Struts Action
Vijay subedar
 
Introducing Struts 2
wiradikusuma
 
Ajax tutorial by bally chohan
WebVineet
 
18CSC311J Web Design and Development UNIT-3
Sivakumar M
 
Step By Step Guide For Buidling Simple Struts App
Syed Shahul
 
Strutsjspservlet
Sagar Nakul
 
Struts,Jsp,Servlet
dasguptahirak
 
Strutsjspservlet
Sagar Nakul
 
Ad

More from patinijava (18)

PPT
Web Services Part 2
patinijava
 
PPT
Web Services Part 1
patinijava
 
PPT
Struts N E W
patinijava
 
PPT
Session Management
patinijava
 
PPT
S E R V L E T S
patinijava
 
PPT
Servlet Api
patinijava
 
PPT
Servlet11
patinijava
 
PPT
Sping Slide 6
patinijava
 
PPT
Entity Manager
patinijava
 
PPT
Ejb6
patinijava
 
PPT
Ejb5
patinijava
 
PPT
Ejb4
patinijava
 
PPT
Patni Hibernate
patinijava
 
PPT
Spring Transaction
patinijava
 
PPT
Webbasics
patinijava
 
PPT
Internetbasics
patinijava
 
PPT
Jsp
patinijava
 
PPT
Portlet
patinijava
 
Web Services Part 2
patinijava
 
Web Services Part 1
patinijava
 
Struts N E W
patinijava
 
Session Management
patinijava
 
S E R V L E T S
patinijava
 
Servlet Api
patinijava
 
Servlet11
patinijava
 
Sping Slide 6
patinijava
 
Entity Manager
patinijava
 
Patni Hibernate
patinijava
 
Spring Transaction
patinijava
 
Webbasics
patinijava
 
Internetbasics
patinijava
 
Portlet
patinijava
 

Recently uploaded (20)

PPTX
The Project Compass - GDG on Campus MSIT
dscmsitkol
 
PDF
Bitcoin for Millennials podcast with Bram, Power Laws of Bitcoin
Stephen Perrenod
 
PDF
Transforming Utility Networks: Large-scale Data Migrations with FME
Safe Software
 
PDF
Automating Feature Enrichment and Station Creation in Natural Gas Utility Net...
Safe Software
 
PDF
“NPU IP Hardware Shaped Through Software and Use-case Analysis,” a Presentati...
Edge AI and Vision Alliance
 
PDF
“Squinting Vision Pipelines: Detecting and Correcting Errors in Vision Models...
Edge AI and Vision Alliance
 
PDF
Newgen 2022-Forrester Newgen TEI_13 05 2022-The-Total-Economic-Impact-Newgen-...
darshakparmar
 
PDF
How do you fast track Agentic automation use cases discovery?
DianaGray10
 
PDF
Go Concurrency Real-World Patterns, Pitfalls, and Playground Battles.pdf
Emily Achieng
 
PDF
POV_ Why Enterprises Need to Find Value in ZERO.pdf
darshakparmar
 
PPTX
Q2 FY26 Tableau User Group Leader Quarterly Call
lward7
 
PDF
AI Agents in the Cloud: The Rise of Agentic Cloud Architecture
Lilly Gracia
 
PPT
Ericsson LTE presentation SEMINAR 2010.ppt
npat3
 
PDF
Book industry state of the nation 2025 - Tech Forum 2025
BookNet Canada
 
PPTX
Seamless Tech Experiences Showcasing Cross-Platform App Design.pptx
presentifyai
 
DOCX
Python coding for beginners !! Start now!#
Rajni Bhardwaj Grover
 
PPTX
AI Penetration Testing Essentials: A Cybersecurity Guide for 2025
defencerabbit Team
 
PDF
UiPath DevConnect 2025: Agentic Automation Community User Group Meeting
DianaGray10
 
PDF
“Voice Interfaces on a Budget: Building Real-time Speech Recognition on Low-c...
Edge AI and Vision Alliance
 
PDF
“Computer Vision at Sea: Automated Fish Tracking for Sustainable Fishing,” a ...
Edge AI and Vision Alliance
 
The Project Compass - GDG on Campus MSIT
dscmsitkol
 
Bitcoin for Millennials podcast with Bram, Power Laws of Bitcoin
Stephen Perrenod
 
Transforming Utility Networks: Large-scale Data Migrations with FME
Safe Software
 
Automating Feature Enrichment and Station Creation in Natural Gas Utility Net...
Safe Software
 
“NPU IP Hardware Shaped Through Software and Use-case Analysis,” a Presentati...
Edge AI and Vision Alliance
 
“Squinting Vision Pipelines: Detecting and Correcting Errors in Vision Models...
Edge AI and Vision Alliance
 
Newgen 2022-Forrester Newgen TEI_13 05 2022-The-Total-Economic-Impact-Newgen-...
darshakparmar
 
How do you fast track Agentic automation use cases discovery?
DianaGray10
 
Go Concurrency Real-World Patterns, Pitfalls, and Playground Battles.pdf
Emily Achieng
 
POV_ Why Enterprises Need to Find Value in ZERO.pdf
darshakparmar
 
Q2 FY26 Tableau User Group Leader Quarterly Call
lward7
 
AI Agents in the Cloud: The Rise of Agentic Cloud Architecture
Lilly Gracia
 
Ericsson LTE presentation SEMINAR 2010.ppt
npat3
 
Book industry state of the nation 2025 - Tech Forum 2025
BookNet Canada
 
Seamless Tech Experiences Showcasing Cross-Platform App Design.pptx
presentifyai
 
Python coding for beginners !! Start now!#
Rajni Bhardwaj Grover
 
AI Penetration Testing Essentials: A Cybersecurity Guide for 2025
defencerabbit Team
 
UiPath DevConnect 2025: Agentic Automation Community User Group Meeting
DianaGray10
 
“Voice Interfaces on a Budget: Building Real-time Speech Recognition on Low-c...
Edge AI and Vision Alliance
 
“Computer Vision at Sea: Automated Fish Tracking for Sustainable Fishing,” a ...
Edge AI and Vision Alliance
 

Struts Java I I Lecture 8

  • 4. • Once you’ve coded a lot of JSP applications, you find yourself doing a lot of repetitive things. • Also, if you have a hard-coded link scattered around a lot of JSPs, the first time you need to change that link you discover a special kind of agony. • Struts was designed to solve that problem and a few others. • Struts is about moving code to xml property files. Struts: Introduction * * This lecture was based on “ Struts in Action ” by Ted Husted ISBN 1-930110-50-2
  • 5. • Struts is based on the MVC or Model-View-Controller design pattern. Struts: Introduction
  • 6. • Under Struts the work of operating a web application is divided up: ActionServlet —this Struts component controls navigation. Action —this Struts component controls business logic. Struts: Introduction
  • 7. • Here’s the process: 1.) An ActionServlet receives a request from the container. 2.) The ActionServlet collects the information in the request. 3.) Using the request URI, the ActionServlet tries to match the URI with a so-called Action class. 4.) Whichever Action class is passed the request will take the correct course of action. Struts: Introduction
  • 8. • The preceding is just a general idea of how it works. • Struts uses the following Java classes to work its magic: ActionForm ActionServlet ActionMapping ActionForward Action • In addition to these, Struts places a lot of information in xml configuration files: strut-config.xml Struts: Introduction
  • 9. We will explore these in depth, but here’s a thumbnail version of each: ActionForm —Collects form data from HTML page. ActionServlet —Controls everything. ActionMapping —Helps when deciding where to go. ActionForward —Where to send request Action —Called to do business logic. Struts: Introduction
  • 11. • A Web Application is driven by HTML pages. • A typical WebApp contains text fields in a FORM . • To extract information from this page, we use the NAME . Struts: ActionForm <HTML> <HEAD><TITLE>Simple JSP</TITLE></HEAD> <BODY> <FORM METHOD=&quot;POST&quot; ACTION=&quot;/TestServlet&quot;> <BR>Username: <INPUT TYPE=&quot;text&quot; NAME =&quot; user &quot; VALUE=&quot;&quot;> <BR>Password: <INPUT TYPE=&quot;text&quot; NAME =&quot; pass &quot; VALUE=&quot;&quot;> </FORM> </BODY> </HTML>
  • 12. • Given the HTML page we see below, we could pull out the value of the tag with the NAME of user by using the following code in a Servlet’s doPost() method: String userField = request.getParameter(&quot; user &quot;); Struts: ActionForm <HTML> <HEAD><TITLE>Simple JSP</TITLE></HEAD> <BODY> <FORM METHOD=&quot;POST&quot; ACTION=&quot;/SomeServlet&quot;> <BR>Username: <INPUT TYPE=&quot;text&quot; NAME =&quot; user &quot; VALUE=&quot;&quot;> <BR>Password: <INPUT TYPE=&quot;text&quot; NAME =&quot; pass &quot; VALUE=&quot;&quot;> </FORM> </BODY> </HTML>
  • 13. • However, with any fairly large page, this becomes tedious. • A better way is to use a JavaBean . • Using a JavaBean , we place all the data in the bean on the JSP side and then it’s convenient for us to unpack it on the servlet side. • Struts has taken this one step further. • If you follow the rules, Struts will automatically populate a JavaBean for you —saving you the trouble of loading it. Struts: ActionForm
  • 14. • Okay, what are these rules we’re suppose to follow? Instead of making up your own JavaBean, you need to extend a special Struts JavaBean called the “ ActionForm ” extends org.apache.struts.action. ActionForm Struts: ActionForm
  • 15.  A Struts action form: “ is a JavaBean that extends ActionForm .” It captures the input fields sent through the request. You must create a JavaBean (that extends ActionForm ) that has an instance variable (with the correctly named getters and setters) for each input field in the JSP page. Struts: ActionForm
  • 16. • So, let’s recall our HTML/JSP file, and then see how we would create the correct ActionForm: Struts: ActionForm <HTML> <HEAD><TITLE>Simple JSP</TITLE></HEAD> <BODY> <FORM METHOD=&quot;POST&quot; ACTION=&quot;/SomeServlet&quot;> <BR>Username: <INPUT TYPE=&quot;text&quot; NAME=&quot; user &quot; VALUE=&quot;&quot;> <BR>Password: <INPUT TYPE=&quot;text&quot; NAME=&quot; pass &quot; VALUE=&quot;&quot;> </FORM> </BODY> </HTML> import org.apache.struts.action.*; public class SimpleForm extends ActionForm { private String user = “”; private String pass = “”; public SimpleForm(){} public void setUser( String u ) { user = u; } public void setPass( String p ) { pass = p; } public String getUser() { return user ; } public String getPass() { return pass ; } } As we see, our SimpleForm extends ActionForm It has getters and setters named so they will be automatically found.
  • 17. • When compiled, this .class file should be placed here: webapps myapp WEB-INF classes Struts: ActionForm
  • 18. Struts: ActionForm • Here’s what will happen. The ActionServlet will receive a POST, thereby executing its doPost() method. • The ActionServlet will try to match the parameters in the request with the properties in the ActionForm . • For a parameter wxyz , the JavaBean ( ActionForm ) must have a corresponding setWxyz() and getWxyz() method.
  • 20. • The ActionServlet behaves like an orchestra Conductor. It doesn’t do a lot of the work, but it manages the other components. • The ActionServlet receives a request from the container and it routes the request to the correct place. • 99% of the time, you will never need to change the existing ActionServlet Struts: ActionServlet
  • 21. • The ActionServlet uses a special xml configuration file called: struts-config.xml . Struts: ActionServlet When the web container receives a request in the form of /register-complete/enter .do , then—because of the .do extension—it knows to pass the request off to the ActionServlet . In turn, the ActionServlet looks in its struts-config.xml file to see where to send the request. Using this “mapping”, the ActionServlet knows to send the request to the JSP located at this path. Thus, we have decoupled the location of the actual JSP from its location as implied by URL.
  • 22. • So, let’s review the sequence so far: 1.) Web container gets a request with a .do extension. 2.) Web container passes the request to the ActionServlet 3.) ActionServlet grabs all the request parameters and tries to insert them in an ActionForm . 4.) ActionServlet strips the .do extension. 5.) ActionServlet looks in the struts-config.xml file for a matching URI pattern. 6.) … Struts: ActionServlet
  • 24. • The Struts Java class called ActionMapping is used inside of the Action class (not yet covered). • It has only one method we’re interested in: ActionMapping mapping = new ActionMapping(); mapping. findForward ( “somesymbolicname” ); • This means: “When you reach this statement, you should forward the request to the JSP page represented by this symbolic name ‘ somesymbolicname ’.” Struts: ActionMapping
  • 26. • Recall that the business logic of a Struts application is all done in the Action class. • You will often need to create your own subclass of this Action class. • Your Action class must follow a very specific design pattern: Struts: Action
  • 27. import org.apache.struts.action.*; import javax.servlet.http.*; public class MyAction extends Action { public ActionForward perform( ActionMapping mapping , ActionForm form , HttpServletRequest req, HttpServletResponse res ) { } } After you have extended the Action class, you will need to override the inherited method called “ perform() ”. In order for your override to work, it must match the signature of the superclass, and thus it must take the form we see here.
  • 28. import org.apache.struts.action.*; import javax.servlet.http.*; public class MyAction extends Action { public ActionForward perform( ActionMapping mapping , ActionForm form , HttpServletRequest req, HttpServletResponse res ) { SimpleForm sf = ( SimpleForm ) form ; String username = sf .getUser(); String password = sf .getPass(); } } Now, the first step is to cast the received ActionForm reference into your subclass of ActionForm . In this case, it’s called SimpleForm . Recall, since SimpleForm is an ActionForm , we can perform this cast. import org.apache.struts.action.*; public class SimpleForm extends ActionForm {
  • 29. import org.apache.struts.action.*; import javax.servlet.http.*; public class MyAction extends Action { public ActionForward perform( ActionMapping mapping , ActionForm form , HttpServletRequest req, HttpServletResponse res ) { SimpleForm sf = ( SimpleForm ) form ; String username = sf .getUser(); String password = sf .getPass(); if( username == null || password == null ) { return mapping .findForward( “failure” ); } else { return mapping .findForward( “success” ); } } } Finally, we see how—depending on the results of the logic performed in this Action class—we use the ActionMapping class to decide where to send the request from here.
  • 30. • Remember, your Action class must do these three things: Cast the incoming ActionForm class into your subclass. Apply business logic. Return the correct ActionForward . Struts: Action
  • 31. • And let’s review how the struts-config.xml would be modified to use our action class: Struts: Action Here we see a new attribute was added to the action. Within the Action class (our MyAction ) we saw the “ findForward() ” method referred to the symbolic name “ success ”. Here’s where that is defined.
  • 33. • As you no doubt see, this can be confusing. • The names chosen for the components are not that meaningful and the process is non-intuitive. • Still, let’s see if we can understand the entire process. Struts: Review So Far
  • 34. 1.) Point your browser to a web page. http://localhost:8080/ register-complete /enter.jsp Struts: Review So Far First, we see that we’re executing the JSP called enter.jsp that lives in a web application called register-complete .
  • 35. 2.) This is the HTML within the page enter.jsp Struts: Review So Far <form name=&quot;registerForm&quot; method=&quot;POST&quot; action=&quot;/ register-complete /enter .do &quot;> UserName: <input type=&quot;text&quot; name=&quot;username&quot; value=&quot;&quot;><br> enter password: <input type=&quot;password&quot; name=&quot;password1&quot; value=&quot;&quot;><br> re-enter password: <input type=&quot;password&quot; name=&quot;password2&quot; value=&quot;&quot;><br> <input type=&quot;submit&quot; name=&quot;submit&quot; value=&quot;Register&quot;> </form> When we click the Submit button, we trigger a POST against the page /register-complete/enter.do . The web container sees that we have asked it to render a page that ends in .do . The web container knows that all page requests that end in .do should be sent to the ActionServlet , which will be allowed to decide what to do.
  • 36. 3.) The ActionServlet receives the page request. It looks up the URI “mapping” pattern in its struts-config.xml file.  The ActionServlet also stores the request parameters in the ActionForm bean. Struts: Review So Far Since we are already inside the register-complete web application, you can omit that part of the name. So, we’re doing a post against /register-complete/enter.do . The ActionServlet knows to strip off the .do , so it’s looking for a path mapped to /enter . And, we see that does exist.
  • 37. This is the RegisterAction.java class. Relying on the struts-config.xml file to identify this class, the ActionServlet will execute the perform() method.
  • 38. 4.) Next, the ActionServlet looks to see if a name property is associated with the mapping. In this case, it does find a name property, called “ registerForm ”. As we see, the name “ registerForm ” appears in the line above. It represents an ActionForm bean called “ RegisterForm ”. Struts: Review So Far The name property tells it which ActionForm class to use.
  • 39. 5.) Since the ActionServlet has discovered an ActionForm is associated, it instantiates the bean and tries to call its getters and setters for each of the parameters in the request. Struts: Review So Far This same line also informs the ActionServlet which ActionForm class it should use when it captures all the request parameter information.
  • 40. 6.) Finally, depending on the outcome of the business logic in the RegisterAction class, one of the findForward() methods is executed. Struts: Review So Far
  • 42. Struts: Understanding the Architecture • Let’s first review the sequence of actions: 1.) A client requests a web page that matches the Action URI pattern. 2.) Seeing the .do extension, the web container passes the request to the ActionServlet . 3.) The ActionServlet looks in its struts-config.xml for the mapping for that particular path. 4.) If that mapping specifies an ActionForm [JavaBean], the ActionServlet either uses an existing instance of that ActionForm or it instantiates a new one. The ActionServlet populates the ActionForm . 5.) The ActionServlet sees which Action class is mapped to that path and executes the perform() method of that Action class. 6.) The Action class does what it needs for business logic. 7.) The Action returns an ActionForward to the ActionServlet .
  • 43. 1, 2.) A client requests a web page that matches the Action URI pattern. Seeing the .do extension, the web container passes the request to the ActionServlet .  How does this happen? Recall that the web container [the server] has its web.xml configuration file. Within that config file, there is an element called— <servlet-mapping> <servlet-name>action</servlet-name> <url-pattern> *.do </url-pattern> </servlet-mapping> — that allows you to specify that all pages with this pattern should go to the servlet action. Struts: Understanding the Architecture
  • 44. 3-7.) The ActionServlet looks in its struts-config.xml for the mapping for that particular path. When the ActionServlet receives a request, it has several things to accomplish: i.) process the locale ii.) process the mapping—to see which Action to send the request to and whether a bean is needed. iii.) if a bean is needed, either find one in scope or create a new one, then process the ActionForm bean—take the request parameters and put them into the bean using its setters. iv.) if the ActionMapping specifies the forward attribute, control is either transferred to another resource or to an Action object. v.) process the Action (if appropriate) by calling the perform() method. vi.) the Action returns an ActionForward Struts: Understanding the Architecture
  • 45. Struts: Our First Example
  • 46. • Once again, we will take the organic approach and see what happens in a linear fashion. • Before then, I would like to explore the set up of the web app using Struts in the directory. Struts: Our First Example
  • 47. This “ logon ” is the root of the web app. Every path will be considered relative to this directory. In this example, the pages directory will hold the JSP files. You have some flexibility in where you place your JSPs, but wherever they go, you must make sure your paths reflect that location. This WEB-INF directory is very important. In it we will find the files at right. We will explore these files more on the next slide. Our Action classes must go in this directory. In this case, we see an app directory—which tells us that our Action class specified that it was in a package called app . The resources directory will hold .properties files, such as Messages.properties or any other resource we might need. Finally, the lib directory holds JAR files such as the struts.jar file.
  • 48. • As you recall from the previous slide, these files are contained in the WEB-INF directory. Struts: Our First Example The web.xml file is the same one that must be present in all web applications. In our case, aside from listing the ActionServlet as being present, this web.xml has a line that informs it to send all pages with a .do extension to the ActionServlet for processing. web.xml
  • 49. • This slide explores the struts-config.xml file Struts: Our First Example First, we create a key “logonForm” that gives the name of our ActionForm struts-config.xml These <action-mappings> tell the ActionServlet which Action class to execute when it encounters a particular URI pattern. In this example, you see that a forward has been declared. This must work in concert with the business logic in the Action class.
  • 50. • This is a look at the HTML behind our first JSP. Struts: Our First Example Welcome.jsp