SlideShare uma empresa Scribd logo
1 de 70
Baixar para ler offline
Introduction to Struts
Andrew J. Dick
Red Hook Group
andrew@redhookgroup.com
Colorado Software Summit
What Is Struts?
?Framework for writing applications using
 MVC architecture
  ?Open source
    • Part of Apache’s Jakarta Project
    • Current production version 1.0.2
  ?Model 2 architecture implementation
?Provides standard framework infrastructure
  ?Makes no presumptions about business and
   application objects it deals with
    • Could be EJBs, CORBA, directly from database, XML
      tree
What Is MVC?
?Stands for Model-View-Controller
  ?Design paradigm
    • Originated in the Smalltalk community
?Decouples data access code, business logic
 code and presentation code
  ?Often ripple effects occur when changes are
   required in applications without this separation
What Is MVC?
?MVC Components
  ?Model
     • Application data
  ?View
     • Translates Model into
       readable form
  ?Controller
     • Processes user input
     • Initiates change in state
       of Model
     • In web design also
       responsible for flow
       control
Struts & MVC
?MVC implementation
  ?Model – Business Services, Transfer Objects
    • Business Services populate and return Transfer
      Objects
  ?View – JSPs, ActionForms
    • JSP queries ActionForm for form data
  ?Controller – ActionServlet, Actions
    • ActionServlet delegates control to Action class
      instances
Struts Components
?ActionServlet    ?ActionForms
?Actions          ?Resource Management
?ActionMappings   ?Tag Libraries
?ActionForwards   ?Configuration
?ActionErrors     ?Logging
What Is the ActionServlet
?Manages application flow of control
  ?Primary controller for Struts framework
?Performs initialization for application such as
  ?Parses Struts configuration file
     • Loads application message resources
     • Initializes:
        ?Action mapping cache
        ?Application defined data sources
        ?Servlet mapping information
What Does the ActionServlet
    Do?
?For each user request
  ?Identifies action to invoke from URI
  ?Instantiates ActionForm bean if required by
   mapping configuration
    • Initialized with submitted form’s field values
  ?Calls the Action’s perform method
    • May have to load and instantiate Action first
?HTTP GET and POST treated identically
ActionServlet Processing
?Segment of Struts ActionServlet request
 processing
   ? * Copyright (c) 1999-2001 The Apache Software Foundation. All rights
     reserved

protected void process(HttpServletRequest request,
                       HttpServletResponse response)

  …
   // Acquire the Action instance to process this request
   Action actionInstance = processActionCreate(mapping, request);
  …
   ActionForward forward
         = processActionPerform(actionInstance, mapping,
                                formInstance, request, response);
   …
   processActionForward(forward, mapping, formInstance,
                        request, response);
Struts 1.1 ActionServlet
?Introduction of Request Processor
  ?Handles much of the functionality of the
   ActionServlet in Struts 1.0
  ?Allows developers to more easily customize the
   request handling behavior
What Is an Action?
?Bridge between HTTP request and business
 services
?Typically performs single task or business
 operation
?Alternatively can group cohesive actions
 together within an Action class
  ?Reduces number of required Action classes
How Is an Action Used?
?Implements perform() method
?Executed by ActionServlet according to
 defined ActionMappings
?Single instance per Action class type
  ?Therefore must be threadsafe
What Does an Action Do?
?Processes request parameters
?Invokes appropriate business service
?Prepares business service results
?Determines path to follow
  ?Uses ActionMapping to determine where to
   dispatch the user based on
    • Request parameters
    • Business service results
Action Relationships

ActionForm   uses          Action         queries   ActionMapping




                                invokes



                    Business Service
Action Interactions
ActionServlet                Action       ActionForm   Business Service   ActionMapping


          1: perform
                                  2: getInput




                                  3: saveInput




                                  4: findForward




         5: return forward
Example Action
public ActionForward perform(ActionMapping mapping,
                              ActionForm form,
                              HttpServletRequest req,
                              HttpServletResponse resp)
          throws IOException, ServletException {
   …
   final EditPersonForm editPersonForm = (EditPersonForm) form;
   final String action = editPersonForm.getSelected();
   if (WebConstants.SAVE.equals(action)) {
      savePerson(editPersonForm.getModifiedPerson());
      return mapping.findForward("save");
   }
   else {
      // Initial pass - forward to the view
      return mapping.findForward("view");
   }
How Is an Action Configured?
<action-mappings>
   <action path="/person/editPerson"
           type="com.redhook.examples.genealogy.web.EditPersonAction"
           scope="request"
           name="edit.person.form"
           input="/person/editPerson.jsp"
           validate="true">
      <forward name="save"
               path="/common/welcome.do"
               redirect="true"/>
      <forward name=“view"
               path="/common/editPerson.jsp"/>
   </action>
</action-mappings>
Struts 1.1 Actions
?Method perform() replaced by
 execute()
  ?Backwards compatible
  ?Change necessary to support declarative
   exception handling
?Addition of DispatchAction class
  ?Supports multiple business methods instead of a
   single execute() method
    • Allows easy grouping of related business methods
What Is an ActionMapping?
?Encapsulates mapping information
  ?Used to hold information that the ActionServlet
   knows about a mapping
?Allows meta information to be passed to
 Action object
  ?e.g. Configuration mappings for an Action
How Is an ActionMapping
    Used?
?Passed to Action class when perform()
 invoked
  ?Can be queried by Action class for information
  ?Used to determine where user should be
   forwarded or redirected
ActionMapping Interactions
ActionServlet         Action          ActionMapping   Business Service   ActionForward   JSP


       1: perform

                          2: Invoke


                          3: findForward



         4: return


         5: get URI




         6: forward
Example ActionMapping -
      Usage
?Used to look up ActionForwards with a
 lookup name
try {
   delegate.createPerson(personInfo);
   return mapping.findForward(“save”);
}

?Can also be used to retrieve input source
catch (final DuplicatePersonException duplicatePersonException) {
   ActionErrors errors = new ActionErrors();
   ActionError error = new ActionError(“error.duplicate.name”);
   errors.add(“name”, error);
   saveErrors(request, errors);
   return mapping.findForward(mapping.getInput());
}
How Is an ActionMapping
      Configured?
?Parent element of Action in the application
 configuration
<action-mappings>
   <action path=“/editPerson”>
      …
      <forward name=“save” path=“/person/viewPersonProfile.do”
               redirect=“true”/>
   </action>
   <action path=“/findPerson”>
      …
      <forward name=“view” path=“/person/displayList.jsp”/>
   </action>
      …
</action-mappings>
What Is an ActionForward?
?Logical abstraction of a web resource
  ?Minimizes coupling of an application to physical
   resources
?Encapsulates URI that ActionServlet can
 redirect control to
  ?Three properties
    • Name – lookup key
    • Path – URI
    • Redirect – whether to redirect or forward
How Is an ActionForward
    Used?
?Defined as local to an action or global to the
 application
?Look up via ActionMapping class
  ?findForward
?Can also be dynamically created by
 specifying URI
ActionForward Interactions
ActionServlet         Action           ActionMapping   Business Service   ActionForward   JSP


        1: perform

                           2: Invoke


                          3: findForward



         4: return


         5: get URI




         6: forward
Example ActionForward
public ActionForward perform(…) throws IOException,
   ServletException {
   …
   String action = form.getSelected();
   ActionForward forward;
   if (action.equals(“login”)) {
      forward = mapping.findForward(“login”);
   }
   else {
      forward = new ActionForward(
         “http://authserver:7001/authcontrol”, true);
   }

    return forward;
}
How Is an ActionForward
      Configured?
? Can be configured globally
<global-forwards>
   <forward name="welcome"
            path="/common/welcome.do"
            redirect="true"/>
</global-forwards>


? Or relative to an action
<action>
   …
   <forward name="view" path="/common/welcome.jsp"/>
</action>
What Is an ActionError?
?Represents an error condition detected
 during application workflow
?Passed through the system in a container
 object
  ?ActionErrors
How Is an ActionError Used?
?Created in ActionForm validate() or
 Action perform() method
?Created with error message key and
 parameters
?Added to error container with key
  ?Represents form field causing the error
?ActionErrors is a request scope object
  ?Only exists until the input JSP is redisplayed with
   the error messages
What Does an ActionError Do?
?Used to transport error messages to the user
?Supports internationalization of error
 messages
?Allows user to be notified of multiple error
 conditions
  ?Prevents a cycle of submit, display error,
   resubmit, display next error…
ActionError Relationships
     Action                    ActionForm




    Creates                       Creates


                ActionError                        JSP

                                        Displays




                        0..*

              ActionErrors
ActionError Interactions
Client               ActionServlet                      ActionForm               JSP

         1: Submit

                                     2: Validate

                                                                                              3: new ()
                                                                                                                       ActionErrors


                                                                              4: new ()
                                                                                                         ActionError


                                                                     5: Add


                                     6: return




                                     7: Forward

                                                                                          8: Get error



                                                                                          9: Get message



                                           10:     Display message
How Is an ActionError
    Configured?
?Error messages defined in resource bundle
  ?ApplicationResources.properties by default
  ?Can be parameterized with up to five parameters
    • e.g. error.invalid.date=Date {0} is not valid
?Error header and footer defined
  ?errors.header and errors.footer
  ?If present, added before and after error
   messages
Example ActionError - Creation
?Created in ActionForm validate method
public ActionErrors validate(ActionMapping mapping,
                             HttpServletRequest request) {
   ActionErrors errors = new ActionErrors();
   try {
      DateFormat.parse(getBirthDate());
   }
   catch (final ParseException parseException) {
      ActionError error = new ActionError(“error.invalid.date”),
                                          getBirthDate());
      errors.add(“birthDate”, error);
   }

    return errors;
}
Example ActionError - Creation
?Can also be created in Action perform
 method
  ?Generally if business validation is necessary
     • e.g. Uniqueness of input
 …
 try {
    personDelegate.createPerson(personInfo);
 }
 catch (final DuplicatePersonException duplicatePersonException) {
    ActionErrors errors = new ActionErrors();
    ActionError error = new ActionError(“error.duplicate.name”);
    errors.add(“name”, error);
    saveErrors(request, errors);
    return mapping.findForward(mapping.getInput());
 }
Example ActionError - Display
<form method=“post” action=“createPerson”>
<table>
   …
   <tr>
      <td>Birthdate</td>
        <td><input type=“text” name=“birthDate”/></td>
   </tr>
   <tr>
      <td><html:errors/></td>
   </tr>
   <tr>
      <td><input type=“submit” name=“Submit” value=“Create”></td>
   </tr>
</table>
</form>
Struts 1.1 ActionErrors
?New ActionMessage super class introduced
  ?Used for more general purpose messages
     • Action ‘Error’ implies improper to use for informational
       or warning messages
?Introduction of declarative exception
 handling
  ?Allows definition of exception handling policy
   externally
What Is an ActionForm?
?Defines an abstract class for managing forms
  ?Standard callback for form validation
  ?Standard callback for resetting a form
?Supports form management by
  ?Capturing input data
  ?Validation of form data
  ?Returning error message on validation failure
  ?Transferring data to Action class
  ?Determining which action was submitted
    • If multiple submits in the form
How Is an ActionForm Used?
?Defines accessors and mutators for form
 being maintained
?Implements validate and reset methods
  ?Validate performs validation of data
    • Only called if form configured for validation
  ?Reset allows recycling of forms
?Two levels of scope – session (default) and
 request
  ?Session used to support multi-page wizards
?Form passed into Action class when invoked
What Does an ActionForm Do?
?When a form is submitted, the ActionServlet
 will:
  ?Detect which ActionForm subclass is associated
   with the mapping (if any)
  ?Find an existing instance or instantiate one
  ?Populate it with form data from the request
  ?Invoke the ActionForm’s validate method
  ?Pass the ActionForm instance to the Action
   instance
    • If validation successful
ActionForm Relationships

                                    ActionForm       invokes     ActionServlet
       populated from




                                   creates



JSP                     displays       ActionError             ActionErrors
ActionForm Interactions
Client           ActionServlet               ActionForm                                              JSP


     1: submit

                             2: validate
                                                      3: new ()
                                                                                ActionErrors

                                                      4: new ()
                                                                  ActionError


                                                      5: add
                                 6: return




                             7: forward




                                                                                 8: display errors
Example ActionForm
public ActionErrors validate(ActionMapping mapping,
                              HttpServletRequest request) {
   ActionErrors errors = new ActionErrors();
   try {
      DateFormat.parse(getBirthDate());
   } catch (final ParseException parseException) {
      errors.add(“birthDate”,
                 new ActionError(“error.invalid.date”),
                                  getBirthDate());
   }
   if ((getName() == null) || (getName().equals(“”))) {
      errors.add(“name”, new ActionError(“error.name.required”));
   }

    return errors;
}
How Is an ActionForm
      Configured?
<form-beans>
   <form-bean name=“edit.person.form"
      type="com.redhook.examples.genealogy.web.EditPersonForm"/>
</form-beans>
…
<action path="/person/editPerson"
        type="com.redhook.examples.genealogy.web.EditPersonAction"
        name=“edit.person.form"
        scope="request"
        input="/person/editPerson.jsp"
        validate="true">
   <forward name=“save" path="/common/welcome.do" redirect="true"/>
</action>
Struts 1.1 ActionForms
?Dynamic Forms introduced
  ?Configured in configuration file rather than
   coding
  ?Version exists that works with validator package
   to provide automatic validation
Struts 1.1 Validation
?Validator framework from Jakarta
  ?Part of Commons sub-project
?Struts 1.1 includes this by default
  ?Allows declarative validation for many fields
     • e.g. Formats
        ?Dates, Numbers, Email, Credit Card, Postal Codes
     • Lengths
        ?Minimum, maximum
     • Ranges
  ?Can also be configured for Struts 1.0
Struts Resource Management
?Centralizes resource administration for
  ?Internationalization
  ?Error treatment
  ?Standard labeling
?By default ApplicationResources.properties
  ?Can be changed in web.xml configuration
  ?Must be located on class path
     • Typically in WEB-INF/classes
ResourceManagement –
    ApplicationResources.properties
# Titles
title.welcome=Genealogy Tree

# Labels
label.first.name=First Name:

# Links
link.add.person=Add a new person

# Resources
resource.image.save=/images/save.gif

# Errors
error.invalid.date=Date {0} is not valid.
Struts Resource Management
?Can be accessed from JSP through tag
 libraries
  <bean:message key=“label.first.name”/>
  <html:img pageKey=“resource.image.save”/>
?Can also be accessed in Action objects
 through MessageResources
  MessageResources messages = getResources();
  Locale locale = getLocale(request);
  messages.getMessage(“label.name", locale);
Struts & TagLibs
?Struts supports four tag libraries
  ?Not mandatory
     • Renders cleaner pages
     • Not limited to these four
  ?Provides flexible way to
     • Access application and framework objects under
       different scopes
     • Render objects to output stream, handle validation
       and processing errors
     • Support internationalization capabilities
     • Create page templates that support reusable design
Struts & TagLibs
?What is required to use them?
   ?web.xml tag library declaration for each library
<taglib>
   <taglib-uri>/WEB-INF/tlds/struts-bean.tld</taglib-uri>
   <taglib-location>
      /WEB-INF/tlds/struts-bean.tld
   </taglib-location>
</taglib>

   ?Taglib directive on each target page
<%@ taglib uri='/WEB-INF/tlds/struts-bean.tld'
           prefix='bean' %>
Bean Tag Library
?Provides ways to access and expose beans
 and properties in the application
?Provides internationalization functionality
  ?Includes parametric replacement
?Bean references can be created
?String constants can be defined
HTML Tag Library
?Provides support for rendering html controls
  ?Input controls, images, forms, etc.
?Includes support for:
  ?JavaScript event handling
  ?Cascading Style Sheets
  ?Navigation attributes
?Supports display of errors found during form
 validation
Logic Tag Library
?Conditional generation of content
  ?Supports comparison properties equality to a
   constant
  ?Conditional on presence (or lack) of variables or
   properties
    • Includes cookies, roles, etc.
?Navigational forwarding or redirection
?Iteration of collection elements
Template Tag Library
?Allows atomic views to be created
  ?i.e. Section, Header, Footer, Content
?Views can then be added to a defined layout
Struts & TagLibs
?Can also use other tag libraries
  ?Jakarta TagLibs
  ?JSTL
  ?Custom Tags
?Struts 1.1
  ?Tile TagLib supercedes Template TagLib
     • Provides more extensive layout support
  ?Nested TagLib
     • Extends base Struts Taglibs to support relation to
       each other in a nested manner
Configuration
?Two aspects to Struts configuration
  ?web.xml
  ?struts-config.xml
Configuration – Web.xml
<web-app>
   <servlet>
      <servlet-name>action</servlet-name>
      <servlet-class>org.apache.struts.action.ActionServlet</servlet-
   class>
      <init-param>
          <param-name>application</param-name>
          <param-value>ApplicationResources</param-value>
      </init-param>
      <init-param>
          <param-name>config</param-name>
          <param-value>/WEB-INF/struts-config.xml</param-value>
      </init-param>
      <load-on-startup>1</load-on-startup>
   </servlet>
   …
Configuration – Web.xml
<web-app>
   …
   <servlet-mapping>
      <servlet-name>action</servlet-name>
      <url-pattern>*.do</url-pattern>
   </servlet-mapping>

  <welcome-file-list>
     <welcome-file>index.jsp</welcome-file>
  </welcome-file-list>
Configuration – Web.xml
<web-app>
   …

   <taglib>
      <taglib-uri>/WEB-INF/tlds/struts-bean.tld</taglib-uri>
      <taglib-location>
         /WEB-INF/tlds/struts-bean.tld
      </taglib-location>
   </taglib>
</web-app>
Configuration –
        Struts-config.xml
<struts-config>
   <form-beans>
      <form-bean name="edit.person.form"
                  type="com.redhook.examples.genealogy.web.EditPersonForm"/>
   </form-beans>
   <global-forwards>
      <forward name="welcome" path="/common/welcome.do" redirect="true"/>
   </global-forwards>
   <action-mappings>
      <action path="/person/editPerson"
                type="com.redhook.examples.genealogy.web.EditPersonAction"
                name="edit.person.form"
                scope="request"
                input="/person/editPerson.jsp"
                validate="true">
         <forward name="save" path="/common/welcome.do" redirect="true"/>
      </action>
   </action-mappings>
</struts-config>
Configuration –
        Struts-config.xml
<struts-config>
   <form-beans>
      <form-bean name=“edit.person.form"
                  type="com.redhook.examples.genealogy.web.EditPersonForm"/>
   </form-beans>
   <global-forwards>
      <forward name="welcome" path="/common/welcome.do" redirect="true"/>
   </global-forwards>
   <action-mappings>
      <action path="/person/editPerson"
                type="com.redhook.examples.genealogy.web.EditPersonAction"
                scope="request"
                name=“edit.person.form"
                input="/person/editPerson.jsp"
                validate="true">
         <forward name="save" path="/common/welcome.do" redirect="true"/>
      </action>
   </action-mappings>
</struts-config>
Configuration –
        Struts-config.xml
<struts-config>
   <form-beans>
      <form-bean name="edit.person.form"
                  type="com.redhook.examples.genealogy.web.EditPersonForm"/>
   </form-beans>
   <global-forwards>
      <forward name="welcome" path="/common/welcome.do" redirect="true"/>
   </global-forwards>
   <action-mappings>
      <action path="/person/editPerson"
                type="com.redhook.examples.genealogy.web.EditPersonAction"
                scope="request"
                name="edit.person.form"
                input="/person/editPerson.jsp"
                validate="true">
         <forward name="save" path="/common/welcome.do" redirect="true"/>
      </action>
   </action-mappings>
</struts-config>
Struts 1.1 Configuration
?Adds support for
  ?Multiple application modules
  ?Declarative exceptions
  ?Plug in elements
  ?Multiple message resource elements
?Visual configuration tools can also be found
  ?Both commercial and open-source
     • http://jakarta.apache.org/struts/resources/guis.html
Logging
?Important aspect of applications
  ?3rd party logging frameworks used pre JDK 1.4
    • i.e. log4j
  ?Logging API introduced with JDK 1.4
    • Similar to log4j
       ?Hierarchical categories
       ?Logging levels
Logging
?What does Struts provide?
  ?Nothing
?Jakarta project provides thin logging
 wrapper
  ?Part of Commons subproject
  ?Provides wrappers for standard logging
   frameworks
     • JDK 1.4, log4j, etc.
  ?Can also develop wrapper for custom logging
   API
Logging
?Why use Jakarta Common Logging?
  ?Can declaratively switch logging frameworks
  ?Implementation wrapper class declared in a
   properties file
?Must still configure logging framework in
 typical way
  ?i.e. log4j.properties
?Jakarta also provides logging tag library
  ?Useful for debugging
     • Allows dump of scope attributes
Resources
?JSP and Tag Libraries for Web Development
  by Wellington L.S. da Silva, New Riders Publishing
  ISBN: 0-73571-095-3
?Programming Jakarta Struts
  By Chuck Cavaness, O’Reilly & Associates (October 2002)
  ISBN: 0-59600-328-5
?Struts in Action: A Practical Guide to the Leading
 Java Web Framework
  by Ted Husted et al., Manning Publications Company
  ISBN: 1930110502
Websites
? http://jakarta.apache.org/struts/index.html
? http://www.husted.com/struts

? Sample app can be found at:
   ? http://www.redhookgroup.com/downloads/css/genealogy.zip


?Thank you.

?Any questions
   ?andrew@redhookgroup.com

Mais conteúdo relacionado

Mais procurados

Reactive state management with Jetpack Components
Reactive state management with Jetpack ComponentsReactive state management with Jetpack Components
Reactive state management with Jetpack ComponentsGabor Varadi
 
springmvc-150923124312-lva1-app6892
springmvc-150923124312-lva1-app6892springmvc-150923124312-lva1-app6892
springmvc-150923124312-lva1-app6892Tuna Tore
 
Adding a modern twist to legacy web applications
Adding a modern twist to legacy web applicationsAdding a modern twist to legacy web applications
Adding a modern twist to legacy web applicationsJeff Durta
 
Introduction to Spring MVC
Introduction to Spring MVCIntroduction to Spring MVC
Introduction to Spring MVCRichard Paul
 
L2 Web App Development Guest Lecture At University of Surrey 20/11/09
L2 Web App Development Guest Lecture At University of Surrey 20/11/09L2 Web App Development Guest Lecture At University of Surrey 20/11/09
L2 Web App Development Guest Lecture At University of Surrey 20/11/09Daniel Bryant
 
Spring MVC Architecture Tutorial
Spring MVC Architecture TutorialSpring MVC Architecture Tutorial
Spring MVC Architecture TutorialJava Success Point
 
Architecting Single Activity Applications (With or Without Fragments)
Architecting Single Activity Applications (With or Without Fragments)Architecting Single Activity Applications (With or Without Fragments)
Architecting Single Activity Applications (With or Without Fragments)Gabor Varadi
 
State management in android applications
State management in android applicationsState management in android applications
State management in android applicationsGabor Varadi
 
Spring MVC
Spring MVCSpring MVC
Spring MVCyuvalb
 

Mais procurados (19)

Spring MVC
Spring MVCSpring MVC
Spring MVC
 
Spring core
Spring coreSpring core
Spring core
 
Reactive state management with Jetpack Components
Reactive state management with Jetpack ComponentsReactive state management with Jetpack Components
Reactive state management with Jetpack Components
 
springmvc-150923124312-lva1-app6892
springmvc-150923124312-lva1-app6892springmvc-150923124312-lva1-app6892
springmvc-150923124312-lva1-app6892
 
Spring Web MVC
Spring Web MVCSpring Web MVC
Spring Web MVC
 
Adding a modern twist to legacy web applications
Adding a modern twist to legacy web applicationsAdding a modern twist to legacy web applications
Adding a modern twist to legacy web applications
 
Spring mvc
Spring mvcSpring mvc
Spring mvc
 
Paging Like A Pro
Paging Like A ProPaging Like A Pro
Paging Like A Pro
 
Introduction to Spring MVC
Introduction to Spring MVCIntroduction to Spring MVC
Introduction to Spring MVC
 
L2 Web App Development Guest Lecture At University of Surrey 20/11/09
L2 Web App Development Guest Lecture At University of Surrey 20/11/09L2 Web App Development Guest Lecture At University of Surrey 20/11/09
L2 Web App Development Guest Lecture At University of Surrey 20/11/09
 
Spring jdbc
Spring jdbcSpring jdbc
Spring jdbc
 
Spring MVC Architecture Tutorial
Spring MVC Architecture TutorialSpring MVC Architecture Tutorial
Spring MVC Architecture Tutorial
 
Architecting Single Activity Applications (With or Without Fragments)
Architecting Single Activity Applications (With or Without Fragments)Architecting Single Activity Applications (With or Without Fragments)
Architecting Single Activity Applications (With or Without Fragments)
 
State management in android applications
State management in android applicationsState management in android applications
State management in android applications
 
Thinking Beyond ORM in JPA
Thinking Beyond ORM in JPAThinking Beyond ORM in JPA
Thinking Beyond ORM in JPA
 
Spring annotation
Spring annotationSpring annotation
Spring annotation
 
Spring
SpringSpring
Spring
 
Spring MVC
Spring MVCSpring MVC
Spring MVC
 
Os Haase
Os HaaseOs Haase
Os Haase
 

Semelhante a Struts Intro

Struts Java I I Lecture 8
Struts  Java  I I  Lecture 8Struts  Java  I I  Lecture 8
Struts Java I I Lecture 8patinijava
 
Stepbystepguideforbuidlingsimplestrutsapp 090702025438-phpapp02
Stepbystepguideforbuidlingsimplestrutsapp 090702025438-phpapp02Stepbystepguideforbuidlingsimplestrutsapp 090702025438-phpapp02
Stepbystepguideforbuidlingsimplestrutsapp 090702025438-phpapp02Rati Manandhar
 
Training: Day Four - Struts, Tiles, Renders and Faces
Training: Day Four - Struts, Tiles, Renders and FacesTraining: Day Four - Struts, Tiles, Renders and Faces
Training: Day Four - Struts, Tiles, Renders and FacesArtur Ventura
 
Struts An Open-source Architecture for Web Applications
Struts An Open-source Architecture for Web ApplicationsStruts An Open-source Architecture for Web Applications
Struts An Open-source Architecture for Web Applicationselliando dias
 
Step By Step Guide For Buidling Simple Struts App
Step By Step Guide For Buidling Simple Struts AppStep By Step Guide For Buidling Simple Struts App
Step By Step Guide For Buidling Simple Struts AppSyed Shahul
 
Building Web Apps with Express
Building Web Apps with ExpressBuilding Web Apps with Express
Building Web Apps with ExpressAaron Stannard
 
Struts tutorial
Struts tutorialStruts tutorial
Struts tutorialOPENLANE
 
Servlets 3.0 - Asynchronous, Extensibility, Ease-of-use @ JavaOne Brazil 2010
Servlets 3.0 - Asynchronous, Extensibility, Ease-of-use @ JavaOne Brazil 2010Servlets 3.0 - Asynchronous, Extensibility, Ease-of-use @ JavaOne Brazil 2010
Servlets 3.0 - Asynchronous, Extensibility, Ease-of-use @ JavaOne Brazil 2010Arun Gupta
 
Asynchronous Interfaces
Asynchronous InterfacesAsynchronous Interfaces
Asynchronous Interfacesmaccman
 
JavaOne India 2011 - Servlets 3.0
JavaOne India 2011 - Servlets 3.0JavaOne India 2011 - Servlets 3.0
JavaOne India 2011 - Servlets 3.0Arun Gupta
 
"Service Worker: Let Your Web App Feel Like a Native "
"Service Worker: Let Your Web App Feel Like a Native ""Service Worker: Let Your Web App Feel Like a Native "
"Service Worker: Let Your Web App Feel Like a Native "FDConf
 
Unit Testing Express and Koa Middleware in ES2015
Unit Testing Express and Koa Middleware in ES2015Unit Testing Express and Koa Middleware in ES2015
Unit Testing Express and Koa Middleware in ES2015Morris Singer
 
Strutsjspservlet
Strutsjspservlet Strutsjspservlet
Strutsjspservlet Sagar Nakul
 
Strutsjspservlet
Strutsjspservlet Strutsjspservlet
Strutsjspservlet Sagar Nakul
 
Intro to JavaScript
Intro to JavaScriptIntro to JavaScript
Intro to JavaScriptYakov Fain
 

Semelhante a Struts Intro (20)

Struts Java I I Lecture 8
Struts  Java  I I  Lecture 8Struts  Java  I I  Lecture 8
Struts Java I I Lecture 8
 
Unit 07: Design Patterns and Frameworks (3/3)
Unit 07: Design Patterns and Frameworks (3/3)Unit 07: Design Patterns and Frameworks (3/3)
Unit 07: Design Patterns and Frameworks (3/3)
 
Stepbystepguideforbuidlingsimplestrutsapp 090702025438-phpapp02
Stepbystepguideforbuidlingsimplestrutsapp 090702025438-phpapp02Stepbystepguideforbuidlingsimplestrutsapp 090702025438-phpapp02
Stepbystepguideforbuidlingsimplestrutsapp 090702025438-phpapp02
 
Training: Day Four - Struts, Tiles, Renders and Faces
Training: Day Four - Struts, Tiles, Renders and FacesTraining: Day Four - Struts, Tiles, Renders and Faces
Training: Day Four - Struts, Tiles, Renders and Faces
 
Struts An Open-source Architecture for Web Applications
Struts An Open-source Architecture for Web ApplicationsStruts An Open-source Architecture for Web Applications
Struts An Open-source Architecture for Web Applications
 
Step By Step Guide For Buidling Simple Struts App
Step By Step Guide For Buidling Simple Struts AppStep By Step Guide For Buidling Simple Struts App
Step By Step Guide For Buidling Simple Struts App
 
Building Web Apps with Express
Building Web Apps with ExpressBuilding Web Apps with Express
Building Web Apps with Express
 
Struts tutorial
Struts tutorialStruts tutorial
Struts tutorial
 
Introduction to struts
Introduction to strutsIntroduction to struts
Introduction to struts
 
Servlets 3.0 - Asynchronous, Extensibility, Ease-of-use @ JavaOne Brazil 2010
Servlets 3.0 - Asynchronous, Extensibility, Ease-of-use @ JavaOne Brazil 2010Servlets 3.0 - Asynchronous, Extensibility, Ease-of-use @ JavaOne Brazil 2010
Servlets 3.0 - Asynchronous, Extensibility, Ease-of-use @ JavaOne Brazil 2010
 
Asynchronous Interfaces
Asynchronous InterfacesAsynchronous Interfaces
Asynchronous Interfaces
 
JavaOne India 2011 - Servlets 3.0
JavaOne India 2011 - Servlets 3.0JavaOne India 2011 - Servlets 3.0
JavaOne India 2011 - Servlets 3.0
 
Struts Overview
Struts OverviewStruts Overview
Struts Overview
 
"Service Worker: Let Your Web App Feel Like a Native "
"Service Worker: Let Your Web App Feel Like a Native ""Service Worker: Let Your Web App Feel Like a Native "
"Service Worker: Let Your Web App Feel Like a Native "
 
Unit Testing Express and Koa Middleware in ES2015
Unit Testing Express and Koa Middleware in ES2015Unit Testing Express and Koa Middleware in ES2015
Unit Testing Express and Koa Middleware in ES2015
 
Struts2 - 101
Struts2 - 101Struts2 - 101
Struts2 - 101
 
Struts,Jsp,Servlet
Struts,Jsp,ServletStruts,Jsp,Servlet
Struts,Jsp,Servlet
 
Strutsjspservlet
Strutsjspservlet Strutsjspservlet
Strutsjspservlet
 
Strutsjspservlet
Strutsjspservlet Strutsjspservlet
Strutsjspservlet
 
Intro to JavaScript
Intro to JavaScriptIntro to JavaScript
Intro to JavaScript
 

Mais de Syed Shahul

Beginning java and flex migrating java, spring, hibernate, and maven develop...
Beginning java and flex  migrating java, spring, hibernate, and maven develop...Beginning java and flex  migrating java, spring, hibernate, and maven develop...
Beginning java and flex migrating java, spring, hibernate, and maven develop...Syed Shahul
 
Struts 2 And Spring Frameworks Together
Struts 2 And Spring Frameworks TogetherStruts 2 And Spring Frameworks Together
Struts 2 And Spring Frameworks TogetherSyed Shahul
 
Manning Struts 2 In Action
Manning Struts 2 In ActionManning Struts 2 In Action
Manning Struts 2 In ActionSyed Shahul
 
Sahih Bukhari - Tamil
Sahih Bukhari - TamilSahih Bukhari - Tamil
Sahih Bukhari - TamilSyed Shahul
 
Hibernate Interview Questions
Hibernate Interview QuestionsHibernate Interview Questions
Hibernate Interview QuestionsSyed Shahul
 
Hibernate Reference
Hibernate ReferenceHibernate Reference
Hibernate ReferenceSyed Shahul
 
Hibernate Tutorial
Hibernate TutorialHibernate Tutorial
Hibernate TutorialSyed Shahul
 
Spring Live Sample Chapter
Spring Live Sample ChapterSpring Live Sample Chapter
Spring Live Sample ChapterSyed Shahul
 
Spring Reference
Spring ReferenceSpring Reference
Spring ReferenceSyed Shahul
 

Mais de Syed Shahul (13)

Beginning java and flex migrating java, spring, hibernate, and maven develop...
Beginning java and flex  migrating java, spring, hibernate, and maven develop...Beginning java and flex  migrating java, spring, hibernate, and maven develop...
Beginning java and flex migrating java, spring, hibernate, and maven develop...
 
Struts 2 And Spring Frameworks Together
Struts 2 And Spring Frameworks TogetherStruts 2 And Spring Frameworks Together
Struts 2 And Spring Frameworks Together
 
Manning Struts 2 In Action
Manning Struts 2 In ActionManning Struts 2 In Action
Manning Struts 2 In Action
 
Sahih Bukhari - Tamil
Sahih Bukhari - TamilSahih Bukhari - Tamil
Sahih Bukhari - Tamil
 
Hibernate Interview Questions
Hibernate Interview QuestionsHibernate Interview Questions
Hibernate Interview Questions
 
Struts Live
Struts LiveStruts Live
Struts Live
 
Hibernate Reference
Hibernate ReferenceHibernate Reference
Hibernate Reference
 
Hibernate Tutorial
Hibernate TutorialHibernate Tutorial
Hibernate Tutorial
 
Spring Live Sample Chapter
Spring Live Sample ChapterSpring Live Sample Chapter
Spring Live Sample Chapter
 
Spring Reference
Spring ReferenceSpring Reference
Spring Reference
 
Jamon 22
Jamon 22Jamon 22
Jamon 22
 
Do U Know Him
Do U Know HimDo U Know Him
Do U Know Him
 
Hot Chocolate
Hot ChocolateHot Chocolate
Hot Chocolate
 

Último

TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CVKhem
 
Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...apidays
 
Data Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonData Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonAnna Loughnan Colquhoun
 
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Drew Madelung
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProduct Anonymous
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Miguel Araújo
 
Corporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptxCorporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptxRustici Software
 
GenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdfGenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdflior mazor
 
Strategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a FresherStrategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a FresherRemote DBA Services
 
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingRepurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingEdi Saputra
 
DBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor PresentationDBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor PresentationDropbox
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businesspanagenda
 
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...apidays
 
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...Jeffrey Haguewood
 
ICT role in 21st century education and its challenges
ICT role in 21st century education and its challengesICT role in 21st century education and its challenges
ICT role in 21st century education and its challengesrafiqahmad00786416
 
Apidays Singapore 2024 - Modernizing Securities Finance by Madhu Subbu
Apidays Singapore 2024 - Modernizing Securities Finance by Madhu SubbuApidays Singapore 2024 - Modernizing Securities Finance by Madhu Subbu
Apidays Singapore 2024 - Modernizing Securities Finance by Madhu Subbuapidays
 
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWEREMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWERMadyBayot
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Scriptwesley chun
 
MS Copilot expands with MS Graph connectors
MS Copilot expands with MS Graph connectorsMS Copilot expands with MS Graph connectors
MS Copilot expands with MS Graph connectorsNanddeep Nachan
 

Último (20)

TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CV
 
Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...
 
Data Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonData Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt Robison
 
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
 
Corporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptxCorporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptx
 
GenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdfGenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdf
 
Strategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a FresherStrategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a Fresher
 
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingRepurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
 
DBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor PresentationDBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor Presentation
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire business
 
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
 
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
 
ICT role in 21st century education and its challenges
ICT role in 21st century education and its challengesICT role in 21st century education and its challenges
ICT role in 21st century education and its challenges
 
Apidays Singapore 2024 - Modernizing Securities Finance by Madhu Subbu
Apidays Singapore 2024 - Modernizing Securities Finance by Madhu SubbuApidays Singapore 2024 - Modernizing Securities Finance by Madhu Subbu
Apidays Singapore 2024 - Modernizing Securities Finance by Madhu Subbu
 
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWEREMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
MS Copilot expands with MS Graph connectors
MS Copilot expands with MS Graph connectorsMS Copilot expands with MS Graph connectors
MS Copilot expands with MS Graph connectors
 

Struts Intro

  • 1. Introduction to Struts Andrew J. Dick Red Hook Group andrew@redhookgroup.com Colorado Software Summit
  • 2. What Is Struts? ?Framework for writing applications using MVC architecture ?Open source • Part of Apache’s Jakarta Project • Current production version 1.0.2 ?Model 2 architecture implementation ?Provides standard framework infrastructure ?Makes no presumptions about business and application objects it deals with • Could be EJBs, CORBA, directly from database, XML tree
  • 3. What Is MVC? ?Stands for Model-View-Controller ?Design paradigm • Originated in the Smalltalk community ?Decouples data access code, business logic code and presentation code ?Often ripple effects occur when changes are required in applications without this separation
  • 4. What Is MVC? ?MVC Components ?Model • Application data ?View • Translates Model into readable form ?Controller • Processes user input • Initiates change in state of Model • In web design also responsible for flow control
  • 5. Struts & MVC ?MVC implementation ?Model – Business Services, Transfer Objects • Business Services populate and return Transfer Objects ?View – JSPs, ActionForms • JSP queries ActionForm for form data ?Controller – ActionServlet, Actions • ActionServlet delegates control to Action class instances
  • 6. Struts Components ?ActionServlet ?ActionForms ?Actions ?Resource Management ?ActionMappings ?Tag Libraries ?ActionForwards ?Configuration ?ActionErrors ?Logging
  • 7. What Is the ActionServlet ?Manages application flow of control ?Primary controller for Struts framework ?Performs initialization for application such as ?Parses Struts configuration file • Loads application message resources • Initializes: ?Action mapping cache ?Application defined data sources ?Servlet mapping information
  • 8. What Does the ActionServlet Do? ?For each user request ?Identifies action to invoke from URI ?Instantiates ActionForm bean if required by mapping configuration • Initialized with submitted form’s field values ?Calls the Action’s perform method • May have to load and instantiate Action first ?HTTP GET and POST treated identically
  • 9. ActionServlet Processing ?Segment of Struts ActionServlet request processing ? * Copyright (c) 1999-2001 The Apache Software Foundation. All rights reserved protected void process(HttpServletRequest request, HttpServletResponse response) … // Acquire the Action instance to process this request Action actionInstance = processActionCreate(mapping, request); … ActionForward forward = processActionPerform(actionInstance, mapping, formInstance, request, response); … processActionForward(forward, mapping, formInstance, request, response);
  • 10. Struts 1.1 ActionServlet ?Introduction of Request Processor ?Handles much of the functionality of the ActionServlet in Struts 1.0 ?Allows developers to more easily customize the request handling behavior
  • 11. What Is an Action? ?Bridge between HTTP request and business services ?Typically performs single task or business operation ?Alternatively can group cohesive actions together within an Action class ?Reduces number of required Action classes
  • 12. How Is an Action Used? ?Implements perform() method ?Executed by ActionServlet according to defined ActionMappings ?Single instance per Action class type ?Therefore must be threadsafe
  • 13. What Does an Action Do? ?Processes request parameters ?Invokes appropriate business service ?Prepares business service results ?Determines path to follow ?Uses ActionMapping to determine where to dispatch the user based on • Request parameters • Business service results
  • 14. Action Relationships ActionForm uses Action queries ActionMapping invokes Business Service
  • 15. Action Interactions ActionServlet Action ActionForm Business Service ActionMapping 1: perform 2: getInput 3: saveInput 4: findForward 5: return forward
  • 16. Example Action public ActionForward perform(ActionMapping mapping, ActionForm form, HttpServletRequest req, HttpServletResponse resp) throws IOException, ServletException { … final EditPersonForm editPersonForm = (EditPersonForm) form; final String action = editPersonForm.getSelected(); if (WebConstants.SAVE.equals(action)) { savePerson(editPersonForm.getModifiedPerson()); return mapping.findForward("save"); } else { // Initial pass - forward to the view return mapping.findForward("view"); }
  • 17. How Is an Action Configured? <action-mappings> <action path="/person/editPerson" type="com.redhook.examples.genealogy.web.EditPersonAction" scope="request" name="edit.person.form" input="/person/editPerson.jsp" validate="true"> <forward name="save" path="/common/welcome.do" redirect="true"/> <forward name=“view" path="/common/editPerson.jsp"/> </action> </action-mappings>
  • 18. Struts 1.1 Actions ?Method perform() replaced by execute() ?Backwards compatible ?Change necessary to support declarative exception handling ?Addition of DispatchAction class ?Supports multiple business methods instead of a single execute() method • Allows easy grouping of related business methods
  • 19. What Is an ActionMapping? ?Encapsulates mapping information ?Used to hold information that the ActionServlet knows about a mapping ?Allows meta information to be passed to Action object ?e.g. Configuration mappings for an Action
  • 20. How Is an ActionMapping Used? ?Passed to Action class when perform() invoked ?Can be queried by Action class for information ?Used to determine where user should be forwarded or redirected
  • 21. ActionMapping Interactions ActionServlet Action ActionMapping Business Service ActionForward JSP 1: perform 2: Invoke 3: findForward 4: return 5: get URI 6: forward
  • 22. Example ActionMapping - Usage ?Used to look up ActionForwards with a lookup name try { delegate.createPerson(personInfo); return mapping.findForward(“save”); } ?Can also be used to retrieve input source catch (final DuplicatePersonException duplicatePersonException) { ActionErrors errors = new ActionErrors(); ActionError error = new ActionError(“error.duplicate.name”); errors.add(“name”, error); saveErrors(request, errors); return mapping.findForward(mapping.getInput()); }
  • 23. How Is an ActionMapping Configured? ?Parent element of Action in the application configuration <action-mappings> <action path=“/editPerson”> … <forward name=“save” path=“/person/viewPersonProfile.do” redirect=“true”/> </action> <action path=“/findPerson”> … <forward name=“view” path=“/person/displayList.jsp”/> </action> … </action-mappings>
  • 24. What Is an ActionForward? ?Logical abstraction of a web resource ?Minimizes coupling of an application to physical resources ?Encapsulates URI that ActionServlet can redirect control to ?Three properties • Name – lookup key • Path – URI • Redirect – whether to redirect or forward
  • 25. How Is an ActionForward Used? ?Defined as local to an action or global to the application ?Look up via ActionMapping class ?findForward ?Can also be dynamically created by specifying URI
  • 26. ActionForward Interactions ActionServlet Action ActionMapping Business Service ActionForward JSP 1: perform 2: Invoke 3: findForward 4: return 5: get URI 6: forward
  • 27. Example ActionForward public ActionForward perform(…) throws IOException, ServletException { … String action = form.getSelected(); ActionForward forward; if (action.equals(“login”)) { forward = mapping.findForward(“login”); } else { forward = new ActionForward( “http://authserver:7001/authcontrol”, true); } return forward; }
  • 28. How Is an ActionForward Configured? ? Can be configured globally <global-forwards> <forward name="welcome" path="/common/welcome.do" redirect="true"/> </global-forwards> ? Or relative to an action <action> … <forward name="view" path="/common/welcome.jsp"/> </action>
  • 29. What Is an ActionError? ?Represents an error condition detected during application workflow ?Passed through the system in a container object ?ActionErrors
  • 30. How Is an ActionError Used? ?Created in ActionForm validate() or Action perform() method ?Created with error message key and parameters ?Added to error container with key ?Represents form field causing the error ?ActionErrors is a request scope object ?Only exists until the input JSP is redisplayed with the error messages
  • 31. What Does an ActionError Do? ?Used to transport error messages to the user ?Supports internationalization of error messages ?Allows user to be notified of multiple error conditions ?Prevents a cycle of submit, display error, resubmit, display next error…
  • 32. ActionError Relationships Action ActionForm Creates Creates ActionError JSP Displays 0..* ActionErrors
  • 33. ActionError Interactions Client ActionServlet ActionForm JSP 1: Submit 2: Validate 3: new () ActionErrors 4: new () ActionError 5: Add 6: return 7: Forward 8: Get error 9: Get message 10: Display message
  • 34. How Is an ActionError Configured? ?Error messages defined in resource bundle ?ApplicationResources.properties by default ?Can be parameterized with up to five parameters • e.g. error.invalid.date=Date {0} is not valid ?Error header and footer defined ?errors.header and errors.footer ?If present, added before and after error messages
  • 35. Example ActionError - Creation ?Created in ActionForm validate method public ActionErrors validate(ActionMapping mapping, HttpServletRequest request) { ActionErrors errors = new ActionErrors(); try { DateFormat.parse(getBirthDate()); } catch (final ParseException parseException) { ActionError error = new ActionError(“error.invalid.date”), getBirthDate()); errors.add(“birthDate”, error); } return errors; }
  • 36. Example ActionError - Creation ?Can also be created in Action perform method ?Generally if business validation is necessary • e.g. Uniqueness of input … try { personDelegate.createPerson(personInfo); } catch (final DuplicatePersonException duplicatePersonException) { ActionErrors errors = new ActionErrors(); ActionError error = new ActionError(“error.duplicate.name”); errors.add(“name”, error); saveErrors(request, errors); return mapping.findForward(mapping.getInput()); }
  • 37. Example ActionError - Display <form method=“post” action=“createPerson”> <table> … <tr> <td>Birthdate</td> <td><input type=“text” name=“birthDate”/></td> </tr> <tr> <td><html:errors/></td> </tr> <tr> <td><input type=“submit” name=“Submit” value=“Create”></td> </tr> </table> </form>
  • 38. Struts 1.1 ActionErrors ?New ActionMessage super class introduced ?Used for more general purpose messages • Action ‘Error’ implies improper to use for informational or warning messages ?Introduction of declarative exception handling ?Allows definition of exception handling policy externally
  • 39. What Is an ActionForm? ?Defines an abstract class for managing forms ?Standard callback for form validation ?Standard callback for resetting a form ?Supports form management by ?Capturing input data ?Validation of form data ?Returning error message on validation failure ?Transferring data to Action class ?Determining which action was submitted • If multiple submits in the form
  • 40. How Is an ActionForm Used? ?Defines accessors and mutators for form being maintained ?Implements validate and reset methods ?Validate performs validation of data • Only called if form configured for validation ?Reset allows recycling of forms ?Two levels of scope – session (default) and request ?Session used to support multi-page wizards ?Form passed into Action class when invoked
  • 41. What Does an ActionForm Do? ?When a form is submitted, the ActionServlet will: ?Detect which ActionForm subclass is associated with the mapping (if any) ?Find an existing instance or instantiate one ?Populate it with form data from the request ?Invoke the ActionForm’s validate method ?Pass the ActionForm instance to the Action instance • If validation successful
  • 42. ActionForm Relationships ActionForm invokes ActionServlet populated from creates JSP displays ActionError ActionErrors
  • 43. ActionForm Interactions Client ActionServlet ActionForm JSP 1: submit 2: validate 3: new () ActionErrors 4: new () ActionError 5: add 6: return 7: forward 8: display errors
  • 44. Example ActionForm public ActionErrors validate(ActionMapping mapping, HttpServletRequest request) { ActionErrors errors = new ActionErrors(); try { DateFormat.parse(getBirthDate()); } catch (final ParseException parseException) { errors.add(“birthDate”, new ActionError(“error.invalid.date”), getBirthDate()); } if ((getName() == null) || (getName().equals(“”))) { errors.add(“name”, new ActionError(“error.name.required”)); } return errors; }
  • 45. How Is an ActionForm Configured? <form-beans> <form-bean name=“edit.person.form" type="com.redhook.examples.genealogy.web.EditPersonForm"/> </form-beans> … <action path="/person/editPerson" type="com.redhook.examples.genealogy.web.EditPersonAction" name=“edit.person.form" scope="request" input="/person/editPerson.jsp" validate="true"> <forward name=“save" path="/common/welcome.do" redirect="true"/> </action>
  • 46. Struts 1.1 ActionForms ?Dynamic Forms introduced ?Configured in configuration file rather than coding ?Version exists that works with validator package to provide automatic validation
  • 47. Struts 1.1 Validation ?Validator framework from Jakarta ?Part of Commons sub-project ?Struts 1.1 includes this by default ?Allows declarative validation for many fields • e.g. Formats ?Dates, Numbers, Email, Credit Card, Postal Codes • Lengths ?Minimum, maximum • Ranges ?Can also be configured for Struts 1.0
  • 48. Struts Resource Management ?Centralizes resource administration for ?Internationalization ?Error treatment ?Standard labeling ?By default ApplicationResources.properties ?Can be changed in web.xml configuration ?Must be located on class path • Typically in WEB-INF/classes
  • 49. ResourceManagement – ApplicationResources.properties # Titles title.welcome=Genealogy Tree # Labels label.first.name=First Name: # Links link.add.person=Add a new person # Resources resource.image.save=/images/save.gif # Errors error.invalid.date=Date {0} is not valid.
  • 50. Struts Resource Management ?Can be accessed from JSP through tag libraries <bean:message key=“label.first.name”/> <html:img pageKey=“resource.image.save”/> ?Can also be accessed in Action objects through MessageResources MessageResources messages = getResources(); Locale locale = getLocale(request); messages.getMessage(“label.name", locale);
  • 51. Struts & TagLibs ?Struts supports four tag libraries ?Not mandatory • Renders cleaner pages • Not limited to these four ?Provides flexible way to • Access application and framework objects under different scopes • Render objects to output stream, handle validation and processing errors • Support internationalization capabilities • Create page templates that support reusable design
  • 52. Struts & TagLibs ?What is required to use them? ?web.xml tag library declaration for each library <taglib> <taglib-uri>/WEB-INF/tlds/struts-bean.tld</taglib-uri> <taglib-location> /WEB-INF/tlds/struts-bean.tld </taglib-location> </taglib> ?Taglib directive on each target page <%@ taglib uri='/WEB-INF/tlds/struts-bean.tld' prefix='bean' %>
  • 53. Bean Tag Library ?Provides ways to access and expose beans and properties in the application ?Provides internationalization functionality ?Includes parametric replacement ?Bean references can be created ?String constants can be defined
  • 54. HTML Tag Library ?Provides support for rendering html controls ?Input controls, images, forms, etc. ?Includes support for: ?JavaScript event handling ?Cascading Style Sheets ?Navigation attributes ?Supports display of errors found during form validation
  • 55. Logic Tag Library ?Conditional generation of content ?Supports comparison properties equality to a constant ?Conditional on presence (or lack) of variables or properties • Includes cookies, roles, etc. ?Navigational forwarding or redirection ?Iteration of collection elements
  • 56. Template Tag Library ?Allows atomic views to be created ?i.e. Section, Header, Footer, Content ?Views can then be added to a defined layout
  • 57. Struts & TagLibs ?Can also use other tag libraries ?Jakarta TagLibs ?JSTL ?Custom Tags ?Struts 1.1 ?Tile TagLib supercedes Template TagLib • Provides more extensive layout support ?Nested TagLib • Extends base Struts Taglibs to support relation to each other in a nested manner
  • 58. Configuration ?Two aspects to Struts configuration ?web.xml ?struts-config.xml
  • 59. Configuration – Web.xml <web-app> <servlet> <servlet-name>action</servlet-name> <servlet-class>org.apache.struts.action.ActionServlet</servlet- class> <init-param> <param-name>application</param-name> <param-value>ApplicationResources</param-value> </init-param> <init-param> <param-name>config</param-name> <param-value>/WEB-INF/struts-config.xml</param-value> </init-param> <load-on-startup>1</load-on-startup> </servlet> …
  • 60. Configuration – Web.xml <web-app> … <servlet-mapping> <servlet-name>action</servlet-name> <url-pattern>*.do</url-pattern> </servlet-mapping> <welcome-file-list> <welcome-file>index.jsp</welcome-file> </welcome-file-list>
  • 61. Configuration – Web.xml <web-app> … <taglib> <taglib-uri>/WEB-INF/tlds/struts-bean.tld</taglib-uri> <taglib-location> /WEB-INF/tlds/struts-bean.tld </taglib-location> </taglib> </web-app>
  • 62. Configuration – Struts-config.xml <struts-config> <form-beans> <form-bean name="edit.person.form" type="com.redhook.examples.genealogy.web.EditPersonForm"/> </form-beans> <global-forwards> <forward name="welcome" path="/common/welcome.do" redirect="true"/> </global-forwards> <action-mappings> <action path="/person/editPerson" type="com.redhook.examples.genealogy.web.EditPersonAction" name="edit.person.form" scope="request" input="/person/editPerson.jsp" validate="true"> <forward name="save" path="/common/welcome.do" redirect="true"/> </action> </action-mappings> </struts-config>
  • 63. Configuration – Struts-config.xml <struts-config> <form-beans> <form-bean name=“edit.person.form" type="com.redhook.examples.genealogy.web.EditPersonForm"/> </form-beans> <global-forwards> <forward name="welcome" path="/common/welcome.do" redirect="true"/> </global-forwards> <action-mappings> <action path="/person/editPerson" type="com.redhook.examples.genealogy.web.EditPersonAction" scope="request" name=“edit.person.form" input="/person/editPerson.jsp" validate="true"> <forward name="save" path="/common/welcome.do" redirect="true"/> </action> </action-mappings> </struts-config>
  • 64. Configuration – Struts-config.xml <struts-config> <form-beans> <form-bean name="edit.person.form" type="com.redhook.examples.genealogy.web.EditPersonForm"/> </form-beans> <global-forwards> <forward name="welcome" path="/common/welcome.do" redirect="true"/> </global-forwards> <action-mappings> <action path="/person/editPerson" type="com.redhook.examples.genealogy.web.EditPersonAction" scope="request" name="edit.person.form" input="/person/editPerson.jsp" validate="true"> <forward name="save" path="/common/welcome.do" redirect="true"/> </action> </action-mappings> </struts-config>
  • 65. Struts 1.1 Configuration ?Adds support for ?Multiple application modules ?Declarative exceptions ?Plug in elements ?Multiple message resource elements ?Visual configuration tools can also be found ?Both commercial and open-source • http://jakarta.apache.org/struts/resources/guis.html
  • 66. Logging ?Important aspect of applications ?3rd party logging frameworks used pre JDK 1.4 • i.e. log4j ?Logging API introduced with JDK 1.4 • Similar to log4j ?Hierarchical categories ?Logging levels
  • 67. Logging ?What does Struts provide? ?Nothing ?Jakarta project provides thin logging wrapper ?Part of Commons subproject ?Provides wrappers for standard logging frameworks • JDK 1.4, log4j, etc. ?Can also develop wrapper for custom logging API
  • 68. Logging ?Why use Jakarta Common Logging? ?Can declaratively switch logging frameworks ?Implementation wrapper class declared in a properties file ?Must still configure logging framework in typical way ?i.e. log4j.properties ?Jakarta also provides logging tag library ?Useful for debugging • Allows dump of scope attributes
  • 69. Resources ?JSP and Tag Libraries for Web Development by Wellington L.S. da Silva, New Riders Publishing ISBN: 0-73571-095-3 ?Programming Jakarta Struts By Chuck Cavaness, O’Reilly & Associates (October 2002) ISBN: 0-59600-328-5 ?Struts in Action: A Practical Guide to the Leading Java Web Framework by Ted Husted et al., Manning Publications Company ISBN: 1930110502
  • 70. Websites ? http://jakarta.apache.org/struts/index.html ? http://www.husted.com/struts ? Sample app can be found at: ? http://www.redhookgroup.com/downloads/css/genealogy.zip ?Thank you. ?Any questions ?andrew@redhookgroup.com