SlideShare a Scribd company logo
Beginning of SpringPart - 1Author: Santosh Kumar Karsantosh.bsil@yahoo.co.in
Who This Tutor Is For?This tutor is for them who just start learning Springs. After going through this session, you will have the basic understandings of Spring Framework. You will able to write small applications using Spring. Also you can understand other complicated Spring projects after going through this session.I would suggest you to refer other good Spring books and tutors to understand Springs in depth. Remember, you can understand only the basics of Springs through this tutor which will be helpful to go depth into Springs. You can also download the source code of the examples from Download Links available at http://springs-download.blogspot.com/Good Luck…Santosh
Introduction:In many books or sites, you will find about Spring that Spring supports inversion of control (IOC) and that it is a lightweight framework. You might be confused, what is inversion of control (IOC)? What is the purpose of using  IOC? Why this feature is desirable?
Course ContentsThe confused word: IOC
Understanding ApplicationContextand method getBean("<BEAN NAME>")
ApplicationContext in Different Applications/java Frameworks
new FileSystemXmlApplicationContext
Servlet and Springs
Using new ClassPathXmlApplicationContext
Using new XmlWebApplicationContext
Using WebApplicationContextUtils.getWebApplicationContext(ServletContext)The confused word: IOCIOC is a design pattern that externalizes application logic so that it can be injected into client code rather than written into it. Use of IOC in Spring framework separates the implementation logic from the clientIn very simple sentence we can say, the basic concept of IOC (Inversion of Control) pattern is that you don't create your objects but describes how they should be created.Let us see one problem found while programming in Java. Then we will see how IOC provides the solution of this problem.
Problem: There is a well known car racing computer game –NeedForSpeed. I have taken this example because most of us had played this game. You can Google if you want to know about this game ;)…In this game, there are the participants use varieties of cars, such asFerrariJaguarMcLarenFordEach type of car do have their own specifications say grip, accelerator, speed etc. Now let’s write a program for this game. There will be 1 generic class having common behavior. All the above different cars must inherit the common behavior of this generic class.We will name the generic class as:- NeedForSpeedCar which should be an interface. Other car classes such as Ferrari, Jaguar, McLaren, Fordetc. must implement that interface.
The generic class which contains the declaration of the common behavior of all the cars. This is NeedForSpeedCar.java//NeedForSpeedCar.javapackage spring.test.santosh.game; public interface NeedForSpeedCar{String startEngine();	String accelerate();}Now we do have variety of cars. The specification of Ferrari is different from Jaguar and McLaren. Similarly McLaren specification is different from other cars. So each variety of car do have it's own implementaton. So let's see the implementation of those cars. 
//Ferrari.javapackage spring.test.santosh.game; public class Ferrari implements NeedForSpeedCar{	public String startEngine(){return ("Start engine of your Ferrari Car");	}	public String accelerate(){return ("Accelerate and run fast your Ferrari Car");} } //Jaguar.javapackage spring.test.santosh.game; public class Jaguar implements NeedForSpeedCar{	public String startEngine(){return ("Start engine of your Jaguar Car");	}	public String accelerate(){return ("Accelerate and run fast your Jaguar Car");} }
//McLaren.javapackage spring.test.santosh.game; public class McLaren implements NeedForSpeedCar{	public String startEngine(){return ("Start engine of your McLaren Car");	}	public String accelerate(){return ("Accelerate and run fast your McLaren Car");} } //Ford.javapackage spring.test.santosh.game; public class Ford implements NeedForSpeedCar{	public String startEngine(){return ("Start engine of your Ford Car");	}	public String accelerate(){return ("Accelerate and run fast your Ford Car");} }
The Race is going to be started. So let’s write that class…//Race.javapackage spring.test.santosh.game; public class Race{ 	public void startRace(){//You choose your car-FerrariNeedForSpeedCarmyracingcar= new Ferrari();System.out.println(myracingcar.startEngine());System.out.println(myracingcar.accelerate());	}}class Race has a dependency to class FerrariThe class Race has a dependency to class Ferrari.Now the car modules are ready.The race is ready.Let’s ask the Participant to start the race. The participant is ready to use Ferrari.
// Participant.javapackage spring.test.santosh.game;public class Participant{ public static void main(){//You choose your car-FerrariRacerace = new Race();race.startRace();	}}Compile all the programs. And run Participant. The output would be:Now it looks pretty good. The Participant run the car Ferrari.See the next slide for what is the problem here…………………………………………
The participant wants to use the another car: McLarenMcLaren is best for grip so he chosed this car for the race.But hey… Ohhhhnooooooooooo.... It's not really pretty good because of theProblem here is:the object of new Ferrari is hard coded. So to use McLaren, it should be:NeedForSpeedCarmyracingcar  =  new Ferrari();NeedForSpeedCarmyracingcar  =  new McLaren();So at any instance the participant wants to choose another car, it needs the code change in Race.java. If the participant wants to change to Fordfrom McLaren, then it must be:NeedForSpeedCarmyracingcar  =  new McLaren();NeedForSpeedCarmyracingcar  =  new Ford();
Solution: So, what do you think, what could be the solution???? Can you change the program as per the participant’s requirement? Think a while before going down for the solution…How is it if the object of your racing cars provide from outside but not in the class itself? That is NeedForSpeedCarmyracingcar= <get from outside>This will be known as the dependency Injection (IOC) Yes, it's a good approach. But who will create the object and who can provide the dependency injection to the class Race and how? The answer is the IOC container provided in Sprint framework. The dependency injection will be provided through a constructor or
asetter MethodSo let’s restructure the classes. You need to follow few steps to work with Spring IOC.
Step 1: Add property for the object you need to inject and write setter method.//Race.javapackage spring.test.santosh.game; public class Race{ NeedForSpeedCarmyracingcar; 	public void setMyracingcar(NeedForSpeedCarmyracingcar){this.myracingcar= myracingcar;	}	public void startRace(){//You don’t create the object of any car type//NeedForSpeedCarmyracingcar = new Ferrari();System.out.println(myracingcar.startEngine());System.out.println(myracingcar.accelerate());	}}Newly added. Through the setter method the object will be injected intoRace class.Now we need Spring Framework to provide the Dependent Injection into the class Race. So to use Spring, download the Spring Framework from http://www.springsource.org/downloadAfter you download set the library files into the classpath.
Step 2: Create the Spring Configuration XML file. This will contain the entries for the dependency injection. The object will be referred as a bean. We can give any name for this XML. Here we will name as: SpringConfig.xml<!DOCTYPE beans PUBLIC "-//SPRING//DTD BEAN//EN"      "http://www.springframework.org/dtd/spring-beans.dtd"><beans>     <bean id="race" class="spring.test.santosh.game.Race">          <property name="myracingcar">               <ref local="ferrari"/>           </property>      </bean>     <bean id="ferrari" class="spring.test.santosh.game.Ferrari" />     <bean id="ford" class="spring.test.santosh.game.Ford" />     <bean id="mclaren" class="spring.test.santosh.game.McLaren" />     <bean id="jaguar" class="spring.test.santosh.game.Jaguar" /></beans>myracingcar is the property in Race.java. Through the setter method the object is injected into Race.javaYou can change the ref as per the car chosen by the participant from the below bean id list. These are the objects injected dynamically. The objects are created by IOC container and injected into Race.java
Step 3: Write the client. It must use the config springconfig.xml.packagespring.test.santosh.race.game; importorg.springframework.context.ApplicationContext;import org.springframework.context.support.FileSystemXmlApplicationContext; publicclassParticipant{publicstaticvoid main(String args[]){ApplicationContextctx = newFileSystemXmlApplicationContext("springconfig.xml");		Race race = (Race) ctx.getBean("race");race.startRace();	}}The instance of Ferrari will be created.Now run Driver and see the output…
Now we will change the springconfig.xml to choose McLaren car instead of Ferrari. We will not touch any of the java file… And we will see the output after that…<!DOCTYPE beans PUBLIC "-//SPRING//DTD BEAN//EN"      "http://www.springframework.org/dtd/spring-beans.dtd"><beans>     <bean id="race" class="spring.test.santosh.game.Race">          <property name="myracingcar">               <ref local="mclaren"/>           </property>      </bean>     <bean id="ferrari" class="spring.test.santosh.game.Ferrari" />     <bean id="ford" class="spring.test.santosh.game.Ford" />     <bean id="mclaren" class="spring.test.santosh.game.McLaren" />     <bean id="jaguar" class="spring.test.santosh.game.Jaguar" /></beans>Now ref is changed to "mclaren" from "ferrari".Output after you runDriver.class
To download the source code project for this example, you can choose the link*:NeedForSpeed.zip (Standalone Application)*athttp://springs-download.blogspot.com
Understanding ApplicationContextandmethodgetBean("<BEAN NAME>")I believe you now understand what is IOC and how we can use the Dependency Injection in Springs to make java classes/components independent as possible of other java classes.Now let’s see more on the ApplicationContext and the method getBean("...") in ApplicationContext.ApplicationContextis the central interface to provide configuration for an application in springs.An ApplicationContext provides:The ability to load file resources in a generic fashion.
Bean factory methods for accessing application components.And many more…Now we will see how ApplicationContext is used to load the file resources. Here we are loading the Spring Config file -springconfig.xml
new FileSystemXmlApplicationContext//Partifipant.javapublic class Participant{	public static void main(String args[]){ApplicationContextctx = new FileSystemXmlApplicationContext("springconfig.xml");		Race race = (Race) ctx.getBean("race");race.startRace();}}ApplicationContextctx = new FileSystemXmlApplicationContext("springconfig.xml")The Application Context object:reads the springconfig.xml.
collects all the bean id’s as defined in springconfig.xml. Say: race, ferrari, ford, McLaren.
saves the instances of each bean class into Map with key as the bean id such as:Now we will see the getBean() method from ApplicationContext class. Race race = (Race) ctx.getBean("race")It is very important to know the scopes of the Beans when you do use the method: ctx.getBean("<bean name>").  We will discussed in latter sections about these scopes. For the time being, you understand the use of getBean() method.As discussed, the getBean() method returns an instance, which may be shared or independent of the specified bean. This method allows a Spring BeanFactory to be used as a replacement for the Singleton or Prototype design pattern. Callers may retain references to returned objects in the case of Singleton beans. I would request you to go through back the previous slides and see the XML bean configuration and the Participant.java class to understand how it behaves.
ApplicationContextinDifferent Applications/java FrameworksTill now we learned how we configure the Spring IOC (Independent Injection) by configuring the XML configuration file.So in the example you can notice the below line in Participant.java:ApplicationContextctx = newFileSystemXmlApplicationContext("springconfig.xml");Here we are creating the object of FileSystemXMLApplicationContext by providing the XML name as argument. Our application is a stand-alone application and so simply we could use new FileSystemXMLApplicaitonContext(<XML file path>). Also this class constructor is helpful to create the Spring application context for test harness or unit testing.But there are different applications say Web application such as servlets/jsp's, Enterpriseapplications  such as EJBs with Java Frameworks such as Struts, JSF etc. So in this section we will see how we can configure Springs IOC and how we will get the ApplicationContext in client.
Servlet andSpringsI hope you are good in writing the Servlet and JSP application. So here I am not going to put how to build the servlet application and deploy it in the server.Just recall the directory structure in your servlet project:Now we will see where we can store our spring config XML file and how it could be accessible in the servlet classes.Note: It is very important that you don’t be confused this example with Springs MVC. We will see the Spring MVC latter. So now you concentrate how you will get the Spring ApplicationContext object in Servlet.
Achieving Springs Application Context in ServletYou can get the ApplicationContext of Spring in Servlet in 3 ways:Through new ClassPathXmlApplicationContext("<relative path of config XML>")Through new XmlWebApplicationContext()Through WebApplicationContextUtils.getWebApplicationContext(ServletContext);
Using ClassPathXmlApplicationContextThe ClassPathXmlApplicationContextconstructor searches the given XML file from the classes folder in WEB-INF folder.  Just you need to follow some basic steps.step 1: Create the spring config XML file. step 2: Name that file whatever you want. For example, in our example we named as: myspringconfig.xmlstep 3: Put this xml file in WEB-INF/classes folder while youare deploying. (If you use any editor like Eclipse, just put the XML in src folder, so when you build your project, it will automatically generate the same copy of XML along with the .class files in WEB-INF/classes folder.)Step 4: In servlet you can simply create the object of ClassPathXmlApplicationContextby passing the file relative path in constructor. E.g. ApplicatonContextctx = new ClassPathXmlApplicationContext("spring/test/santosh/config/myspringconfig.xml"); Herespring.test.santosh.configis a package created and stored the myspringconfig.xmlin this package.Let’s see the servlet example.
Let’s convert the same stand-alone application into servlet application by very minimum changes. The NeedForSpeedCar.java, Ferrari.java, Ford.java, Jaguar.java, McLaren.java will remain unchanged

More Related Content

Springs

  • 1. Beginning of SpringPart - 1Author: Santosh Kumar Karsantosh.bsil@yahoo.co.in
  • 2. Who This Tutor Is For?This tutor is for them who just start learning Springs. After going through this session, you will have the basic understandings of Spring Framework. You will able to write small applications using Spring. Also you can understand other complicated Spring projects after going through this session.I would suggest you to refer other good Spring books and tutors to understand Springs in depth. Remember, you can understand only the basics of Springs through this tutor which will be helpful to go depth into Springs. You can also download the source code of the examples from Download Links available at http://springs-download.blogspot.com/Good Luck…Santosh
  • 3. Introduction:In many books or sites, you will find about Spring that Spring supports inversion of control (IOC) and that it is a lightweight framework. You might be confused, what is inversion of control (IOC)? What is the purpose of using IOC? Why this feature is desirable?
  • 6. ApplicationContext in Different Applications/java Frameworks
  • 11. Using WebApplicationContextUtils.getWebApplicationContext(ServletContext)The confused word: IOCIOC is a design pattern that externalizes application logic so that it can be injected into client code rather than written into it. Use of IOC in Spring framework separates the implementation logic from the clientIn very simple sentence we can say, the basic concept of IOC (Inversion of Control) pattern is that you don't create your objects but describes how they should be created.Let us see one problem found while programming in Java. Then we will see how IOC provides the solution of this problem.
  • 12. Problem: There is a well known car racing computer game –NeedForSpeed. I have taken this example because most of us had played this game. You can Google if you want to know about this game ;)…In this game, there are the participants use varieties of cars, such asFerrariJaguarMcLarenFordEach type of car do have their own specifications say grip, accelerator, speed etc. Now let’s write a program for this game. There will be 1 generic class having common behavior. All the above different cars must inherit the common behavior of this generic class.We will name the generic class as:- NeedForSpeedCar which should be an interface. Other car classes such as Ferrari, Jaguar, McLaren, Fordetc. must implement that interface.
  • 13. The generic class which contains the declaration of the common behavior of all the cars. This is NeedForSpeedCar.java//NeedForSpeedCar.javapackage spring.test.santosh.game; public interface NeedForSpeedCar{String startEngine(); String accelerate();}Now we do have variety of cars. The specification of Ferrari is different from Jaguar and McLaren. Similarly McLaren specification is different from other cars. So each variety of car do have it's own implementaton. So let's see the implementation of those cars. 
  • 14. //Ferrari.javapackage spring.test.santosh.game; public class Ferrari implements NeedForSpeedCar{ public String startEngine(){return ("Start engine of your Ferrari Car"); } public String accelerate(){return ("Accelerate and run fast your Ferrari Car");} } //Jaguar.javapackage spring.test.santosh.game; public class Jaguar implements NeedForSpeedCar{ public String startEngine(){return ("Start engine of your Jaguar Car"); } public String accelerate(){return ("Accelerate and run fast your Jaguar Car");} }
  • 15. //McLaren.javapackage spring.test.santosh.game; public class McLaren implements NeedForSpeedCar{ public String startEngine(){return ("Start engine of your McLaren Car"); } public String accelerate(){return ("Accelerate and run fast your McLaren Car");} } //Ford.javapackage spring.test.santosh.game; public class Ford implements NeedForSpeedCar{ public String startEngine(){return ("Start engine of your Ford Car"); } public String accelerate(){return ("Accelerate and run fast your Ford Car");} }
  • 16. The Race is going to be started. So let’s write that class…//Race.javapackage spring.test.santosh.game; public class Race{  public void startRace(){//You choose your car-FerrariNeedForSpeedCarmyracingcar= new Ferrari();System.out.println(myracingcar.startEngine());System.out.println(myracingcar.accelerate()); }}class Race has a dependency to class FerrariThe class Race has a dependency to class Ferrari.Now the car modules are ready.The race is ready.Let’s ask the Participant to start the race. The participant is ready to use Ferrari.
  • 17. // Participant.javapackage spring.test.santosh.game;public class Participant{ public static void main(){//You choose your car-FerrariRacerace = new Race();race.startRace(); }}Compile all the programs. And run Participant. The output would be:Now it looks pretty good. The Participant run the car Ferrari.See the next slide for what is the problem here…………………………………………
  • 18. The participant wants to use the another car: McLarenMcLaren is best for grip so he chosed this car for the race.But hey… Ohhhhnooooooooooo.... It's not really pretty good because of theProblem here is:the object of new Ferrari is hard coded. So to use McLaren, it should be:NeedForSpeedCarmyracingcar = new Ferrari();NeedForSpeedCarmyracingcar = new McLaren();So at any instance the participant wants to choose another car, it needs the code change in Race.java. If the participant wants to change to Fordfrom McLaren, then it must be:NeedForSpeedCarmyracingcar = new McLaren();NeedForSpeedCarmyracingcar = new Ford();
  • 19. Solution: So, what do you think, what could be the solution???? Can you change the program as per the participant’s requirement? Think a while before going down for the solution…How is it if the object of your racing cars provide from outside but not in the class itself? That is NeedForSpeedCarmyracingcar= <get from outside>This will be known as the dependency Injection (IOC) Yes, it's a good approach. But who will create the object and who can provide the dependency injection to the class Race and how? The answer is the IOC container provided in Sprint framework. The dependency injection will be provided through a constructor or
  • 20. asetter MethodSo let’s restructure the classes. You need to follow few steps to work with Spring IOC.
  • 21. Step 1: Add property for the object you need to inject and write setter method.//Race.javapackage spring.test.santosh.game; public class Race{ NeedForSpeedCarmyracingcar;  public void setMyracingcar(NeedForSpeedCarmyracingcar){this.myracingcar= myracingcar; } public void startRace(){//You don’t create the object of any car type//NeedForSpeedCarmyracingcar = new Ferrari();System.out.println(myracingcar.startEngine());System.out.println(myracingcar.accelerate()); }}Newly added. Through the setter method the object will be injected intoRace class.Now we need Spring Framework to provide the Dependent Injection into the class Race. So to use Spring, download the Spring Framework from http://www.springsource.org/downloadAfter you download set the library files into the classpath.
  • 22. Step 2: Create the Spring Configuration XML file. This will contain the entries for the dependency injection. The object will be referred as a bean. We can give any name for this XML. Here we will name as: SpringConfig.xml<!DOCTYPE beans PUBLIC "-//SPRING//DTD BEAN//EN" "http://www.springframework.org/dtd/spring-beans.dtd"><beans> <bean id="race" class="spring.test.santosh.game.Race"> <property name="myracingcar"> <ref local="ferrari"/> </property> </bean> <bean id="ferrari" class="spring.test.santosh.game.Ferrari" /> <bean id="ford" class="spring.test.santosh.game.Ford" /> <bean id="mclaren" class="spring.test.santosh.game.McLaren" /> <bean id="jaguar" class="spring.test.santosh.game.Jaguar" /></beans>myracingcar is the property in Race.java. Through the setter method the object is injected into Race.javaYou can change the ref as per the car chosen by the participant from the below bean id list. These are the objects injected dynamically. The objects are created by IOC container and injected into Race.java
  • 23. Step 3: Write the client. It must use the config springconfig.xml.packagespring.test.santosh.race.game; importorg.springframework.context.ApplicationContext;import org.springframework.context.support.FileSystemXmlApplicationContext; publicclassParticipant{publicstaticvoid main(String args[]){ApplicationContextctx = newFileSystemXmlApplicationContext("springconfig.xml"); Race race = (Race) ctx.getBean("race");race.startRace(); }}The instance of Ferrari will be created.Now run Driver and see the output…
  • 24. Now we will change the springconfig.xml to choose McLaren car instead of Ferrari. We will not touch any of the java file… And we will see the output after that…<!DOCTYPE beans PUBLIC "-//SPRING//DTD BEAN//EN" "http://www.springframework.org/dtd/spring-beans.dtd"><beans> <bean id="race" class="spring.test.santosh.game.Race"> <property name="myracingcar"> <ref local="mclaren"/> </property> </bean> <bean id="ferrari" class="spring.test.santosh.game.Ferrari" /> <bean id="ford" class="spring.test.santosh.game.Ford" /> <bean id="mclaren" class="spring.test.santosh.game.McLaren" /> <bean id="jaguar" class="spring.test.santosh.game.Jaguar" /></beans>Now ref is changed to "mclaren" from "ferrari".Output after you runDriver.class
  • 25. To download the source code project for this example, you can choose the link*:NeedForSpeed.zip (Standalone Application)*athttp://springs-download.blogspot.com
  • 26. Understanding ApplicationContextandmethodgetBean("<BEAN NAME>")I believe you now understand what is IOC and how we can use the Dependency Injection in Springs to make java classes/components independent as possible of other java classes.Now let’s see more on the ApplicationContext and the method getBean("...") in ApplicationContext.ApplicationContextis the central interface to provide configuration for an application in springs.An ApplicationContext provides:The ability to load file resources in a generic fashion.
  • 27. Bean factory methods for accessing application components.And many more…Now we will see how ApplicationContext is used to load the file resources. Here we are loading the Spring Config file -springconfig.xml
  • 28. new FileSystemXmlApplicationContext//Partifipant.javapublic class Participant{ public static void main(String args[]){ApplicationContextctx = new FileSystemXmlApplicationContext("springconfig.xml"); Race race = (Race) ctx.getBean("race");race.startRace();}}ApplicationContextctx = new FileSystemXmlApplicationContext("springconfig.xml")The Application Context object:reads the springconfig.xml.
  • 29. collects all the bean id’s as defined in springconfig.xml. Say: race, ferrari, ford, McLaren.
  • 30. saves the instances of each bean class into Map with key as the bean id such as:Now we will see the getBean() method from ApplicationContext class. Race race = (Race) ctx.getBean("race")It is very important to know the scopes of the Beans when you do use the method: ctx.getBean("<bean name>"). We will discussed in latter sections about these scopes. For the time being, you understand the use of getBean() method.As discussed, the getBean() method returns an instance, which may be shared or independent of the specified bean. This method allows a Spring BeanFactory to be used as a replacement for the Singleton or Prototype design pattern. Callers may retain references to returned objects in the case of Singleton beans. I would request you to go through back the previous slides and see the XML bean configuration and the Participant.java class to understand how it behaves.
  • 31. ApplicationContextinDifferent Applications/java FrameworksTill now we learned how we configure the Spring IOC (Independent Injection) by configuring the XML configuration file.So in the example you can notice the below line in Participant.java:ApplicationContextctx = newFileSystemXmlApplicationContext("springconfig.xml");Here we are creating the object of FileSystemXMLApplicationContext by providing the XML name as argument. Our application is a stand-alone application and so simply we could use new FileSystemXMLApplicaitonContext(<XML file path>). Also this class constructor is helpful to create the Spring application context for test harness or unit testing.But there are different applications say Web application such as servlets/jsp's, Enterpriseapplications such as EJBs with Java Frameworks such as Struts, JSF etc. So in this section we will see how we can configure Springs IOC and how we will get the ApplicationContext in client.
  • 32. Servlet andSpringsI hope you are good in writing the Servlet and JSP application. So here I am not going to put how to build the servlet application and deploy it in the server.Just recall the directory structure in your servlet project:Now we will see where we can store our spring config XML file and how it could be accessible in the servlet classes.Note: It is very important that you don’t be confused this example with Springs MVC. We will see the Spring MVC latter. So now you concentrate how you will get the Spring ApplicationContext object in Servlet.
  • 33. Achieving Springs Application Context in ServletYou can get the ApplicationContext of Spring in Servlet in 3 ways:Through new ClassPathXmlApplicationContext("<relative path of config XML>")Through new XmlWebApplicationContext()Through WebApplicationContextUtils.getWebApplicationContext(ServletContext);
  • 34. Using ClassPathXmlApplicationContextThe ClassPathXmlApplicationContextconstructor searches the given XML file from the classes folder in WEB-INF folder. Just you need to follow some basic steps.step 1: Create the spring config XML file. step 2: Name that file whatever you want. For example, in our example we named as: myspringconfig.xmlstep 3: Put this xml file in WEB-INF/classes folder while youare deploying. (If you use any editor like Eclipse, just put the XML in src folder, so when you build your project, it will automatically generate the same copy of XML along with the .class files in WEB-INF/classes folder.)Step 4: In servlet you can simply create the object of ClassPathXmlApplicationContextby passing the file relative path in constructor. E.g. ApplicatonContextctx = new ClassPathXmlApplicationContext("spring/test/santosh/config/myspringconfig.xml"); Herespring.test.santosh.configis a package created and stored the myspringconfig.xmlin this package.Let’s see the servlet example.
  • 35. Let’s convert the same stand-alone application into servlet application by very minimum changes. The NeedForSpeedCar.java, Ferrari.java, Ford.java, Jaguar.java, McLaren.java will remain unchanged
  • 36. The Spring Configfile – myspringconfig.xml will also remain unchanged. But you create a new packagespring.test.santosh.config and place this XML there.
  • 37. In Race.java a small change. The output should be in HTML formar. So to support the ServletOutPutStream, we will just do a small change in startRace(…) method aspublic void startRace(PrintStream out) {out.println("<HTML><BODY>");out.println("<FONT color='red' size='5'>");out.println(myracingcar.startEngine());out.println("<BR>");out.println(myracingcar.accelerate());out.println("</FONT></BODY></HTML>");}Now in the place of Participant.java, we will write a Servlet and name the servlet as: ParticipantServlet.java. In the init method, create the object of ApplicatonContext:public void init(ServletConfigconfig) throws ServletException {super.init(config);ctx = new ClassPathXmlApplicationContext("spring/test/santosh/config/myspringconfig.xml");System.out.println("XML found in classpath...");}
  • 38. In the service (doPost) method, get the Beanpublic void doPost(HttpServletRequest request, HttpServletResponse response)throws ServletException, IOException {Race race = (Race) ctx.getBean("race");PrintStream out = new PrintStream(response.getOutputStream());race.startRace(out);}OutputTo download the source code for this project for this example, you can choose the link*:NeedForSpeedServletOne.zip (Using ClassPathXmlApplicationContext)*athttp://springs-download.blogspot.com
  • 39. UsingXmlWebApplicationContextThe XmlWebApplicationContextconstructor searches the applicationContext.xmlfile fromthe WEB-INF folder where the web.xml is located. See the constructor, you don’t pass the XML file name. So to get the context you simply use as:XmlWebApplicationContextctx = new XmlWebApplicationContext();ServletContextservletContext = servletConfig.getServletContext();ctx.setServletContext(servletContext);ctx.refresh();Race race = (Race) ctx.getBean("race");XML File searches the applicationContext.xml from WEB-INF folder and then loads the bean classes.To download the source code for this project for this example, you can choose the link*:NeedForSpeedServletTwo.zip (Using XmlWebApplicationContext)*athttp://springs-download.blogspot.com
  • 40. UsingWebApplicationContextUtils.getWebApplicationContext(ServletContext)When you use WebApplicationContextUtils.getWebApplicationContext(servletContext), you need to add ContextLoaderListener in web.xml as:<listener> <listener-class>org.springframework.web.context.ContextLoaderListener </listener-class></listener>And when you useServletContextservletContext = config.getServletContext();ctx= WebApplicationContextUtils.getWebApplicationContext(servletContext); Race race = (Race) ctx.getBean("race");XML File searches the applicationContext.xml from WEB-INF folder and then loads the bean classes.
  • 41. So now you understood that, you can use ApplicationContextctx= WebApplicationContextUtils.getWebApplicationContext(ServletContextservletCtx);For that you need to add the ContextLoaderListenerclass in web.xml under the tag <listener>To download the source code for this project for this example, you can choose the link*:NeedForSpeedServletThree.zip (Using WebApplicationContextUtils)*athttp://springs-download.blogspot.com
  • 42. Have you ever asked the questionIs it possible to use the spring configXML as you name and that too more than one such configxmls? ScenarioI want to separate the bean entries in two spring configxmls as:springconfig.xmlracingcar.xmlspringconfig.xml will contain the bean definition for spring.test.santosh.game.Race.racingcar.xml will contain the bean definition for spring.test.santosh.game.Ferrari, spring.test.santosh.game.Ford, spring.test.santosh.game.McLaren and spring.test.santosh.game.JaguarThey both will look like:springconfig.xml<!DOCTYPE beans PUBLIC "-//SPRING//DTD BEAN//EN" "http://www.springframework.org/dtd/spring-beans.dtd"><beans> <bean id="race" class="spring.test.santosh.game.Race"> <property name="myracingcar" ref="ford" /> </bean></beans>
  • 43. racingcar.xml<!DOCTYPE beans PUBLIC "-//SPRING//DTD BEAN//EN" "http://www.springframework.org/dtd/spring-beans.dtd"><beans> <bean id="ferrari" class="spring.test.santosh.game.Ferrari" /> <bean id="ford" class="spring.test.santosh.game.Ford" /> <bean id="mclaren" class="spring.test.santosh.game.McLaren" /> <bean id="jaguar" class="spring.test.santosh.game.Jaguar" /></beans>And the answer will be, Yes… It is possible…To use multiple custom defined XMLs, you need 2 entries in web.xml. One is as already discussed – adding the ContextLoaderListenerclass under the TAG <listener>
  • 44. And the second is, adding the parameters in <context-param> TAG with param-name as contextConfigLocation.xml.<listener> <listener-class>org.springframework.web.context.ContextLoaderListener</listener-class></listener><context-param> <param-name>contextConfigLocation</param-name> <param-value> /WEB-INF/springconfig.xml, /WEB-INF/racingcar.xml </param-value></context-param>
  • 45. Here you need not worry on updating/changing the XML file names in the java file such as ParticipantServlet.java. When you add any extra more spring config xml, just you need to update in web.xml under the tag <param-value> as shown in the previous slide.To download the source code for this project for this example, you can choose the link*:NeedForSpeedServletFour.zip (Using multiple spring config XMLs)*athttp://springs-download.blogspot.com
  • 46. End of Part-1In part – 1 we learned the basics of Spring.In further parts we will see,Part – 2 : Spring - working with Databases at http://javacompanionbysantosh.blogspot.com/2011/10/spring-and-database.htmlPart – 3 :Spring and Hibernateat http://javacompanionbysantosh.blogspot.com/2011/10/spring-and-hibernate.htmlPart – 4 : Spring - Managing Database Transactions at http://javacompanionbysantosh.blogspot.com/2011/10/managing-transactions-in-spring.htmlPart – 5 : Spring - Security at http://javacompanionbysantosh.blogspot.com/2011/10/spring-security.htmlPart – 6: Spring AOPathttp://javacompanionbysantosh.blogspot.com/2011/10/spring-aop.htmlPart – 7 : Spring MVC athttp://javacompanionbysantosh.blogspot.com/2011/10/spring-mvc.html
  • 47. Do you have Questions ?Please write to:santosh.bsil@yahoo.co.in