SlideShare ist ein Scribd-Unternehmen logo
1 von 26
Downloaden Sie, um offline zu lesen
Spring Training
TechFerry Infotech Pvt. Ltd.
(http://www.techferry.com/)
Conversations
o Introduction to Spring
o Concepts: Annotations, MVC, IOC/DI, Auto wiring
o Spring Bean/Resource Management
o Spring MVC, Form Validations.
o Unit Testing
o Spring Security – Users, Roles, Permissions.
o Code Demo
 CRUD using Spring, Hibernate, MySQL.
 Spring security example.
 REST/jQuery/Ajax example
Spring - Introduction
Exercise: What do we need in an enterprise application?
• Database Access, Connection Pools?
• Transactions?
• Security, Authentication, Authorization?
• Business Logic Objects?
• Workflow/Screen Flow?
• Messaging/emails?
• Service Bus?
• Concurrency/Scalability?
Can somebody wire all the needed components?
Do we have to learn everything before we can start?
Hello Spring
• Spring is potentially a one-stop shop, addressing most infrastructure
concerns of typical web applications
o so you focus only on your business logic.
• Spring is both comprehensive and modular
o use just about any part of it in isolation, yet its architecture is
internally consistent.
o maximum value from your learning curve.
What is Spring?
• Open source and lightweight web-application framework
• Framework for wiring the entire application
• Collection of many different components
• Reduces code and speeds up development
Spring is essentially a technology dedicated to enabling you to build
applications using POJOs.
Why Spring?
• Spring Enables POJO Programming
o Application code does not depend on spring API’s
• Dependency Injection and Inversion of Control simplifies coding
o Promotes decoupling and re-usability
Features:
• Lightweight
• Inversion of Control (IoC)
• Aspect oriented (AOP)
• MVC Framework
• Transaction Management
• JDBC
• Ibatis / Hibernate
Spring Modules
What else Spring do?
Spring Web Flow
Spring Integration
Spring Web-Services
Spring MVC
Spring Security
Spring Batch
Spring Social
Spring Mobile
... and let it ever expand ...
Inversion of Control/Dependency Injection
"Don't call me, I'll call you."
• IoC moves the responsibility for making things happen into the
framework
• Eliminates lookup code from within the application
• Loose coupling, minimum effort and least intrusive mechanism
IOC/DI
IOC/DI
Non IOC Example:
class MovieLister...
private MovieFinder finder;
public MovieLister() {
finder = new MovieFinderImpl();
}
public interface MovieFinder {
List findAll();
}
class MovieFinderImpl ... {
public List findAll() {
...
}
}
IOC/DI
IoC Example: DI exists in major two variants:
Setter Injection
public class MovieLister {
private MovieFinder movieFinder;
public void setMovieFinder(MovieFinder movieFinder) {
this.movieFinder = movieFinder;
}
}
Constructor Injection
public class MovieLister{
private MovieFinder movieFinder;
public MovieLister(MovieFinder movieFinder) {
this.movieFinder = movieFinder;
}
}
Code Demo ....
• Annotations: @Component, @Service, @Repository
• Annotation: @Autowire
• web.xml - Context loader listener to scan components
• <context:annotation-config />
<context:component-scan base-package="..." />
Spring Bean Management
Bean Scopes
singleton
Scopes a single bean definition to a single object instance per Spring
IoC container.
prototype
Scopes a single bean definition to any number of object instances.
request
Scopes a single bean definition to the lifecycle of a single HTTP
request.
session
Scopes a single bean definition to the lifecycle of a HTTP Session.
global session
Scopes a single bean definition to the lifecycle of a global HTTP
Session. Typically only valid when used in a portlet context.
Singleton Bean
Prototype Beans
• Use @Scope("prototype")
• Caution: dependencies are resolved at instantiation time. It
does NOT create a new instance at runtime more than once.
Bean Scopes Contd..
• As a rule of thumb, you should use the prototype scope for all
beans that are stateful, while the singleton scope should be used for
stateless beans.
• RequestContextListener is needed in web.xml for request/session
scopes.
• Annotation:@Scope("request") @Scope("prototype")
Homework:
• Singleton bean referring a prototype/request bean?
• @Qualifier, Method Injection.
Hate Homework?
• Stick to stateless beans. :)
Wiring Beans
no
No autowiring at all. Bean references must be defined via a ref
element. This is the default.
byName
Autowiring by property name.
byType
Allows a property to be autowired if there is exactly one bean of the
property type in the container. If there is more than one, a fatal
exception is thrown.
constructor
This is analogous to byType, but applies to constructor arguments.
autodetect
Chooses constructor or byType through introspection of the bean
class.
Homework :)
– What wiring method is used with @Autowire annotation?
– Other annotations you may find useful:
o @Required
o @Resource
Also review the Spring annotation article:
http://www.techferry.com/articles/spring-annotations.html
MVC - Model View Controller
• Better organization and code reuse.
• Separation of Concern
• Can support multiple views
Spring MVC
Code Demo ....
• Annotations: @Controller, @RequestMapping, @ModelAttribute,
@PathVariable
• Spring DispatcherServlet config - just scan controllers
• web.xml - Context loader listener to scan other components
• ResourceBundleMessageSource and <spring:message> tag
Reference: http://static.springsource.org/spring/docs/3.0.x/spring-
framework-reference/html/mvc.html
• @RequestMapping Details
• Handler method arguments and Return Types
Pre-populate Model and Session Objects
@Controller
@RequestMapping("/owners/{ownerId}/pets/{petId}/edit")
@SessionAttributes("pet")
public class EditPetForm {
@ModelAttribute("types")
public Collection<PetType> populatePetTypes() {
return this.clinic.getPetTypes();
}
@RequestMapping(method = RequestMethod.POST)
public String processSubmit(@ModelAttribute("pet") Pet pet, BindingResult result,
SessionStatus status) {
new PetValidator().validate(pet, result);
if (result.hasErrors()) {
return "petForm";
}else {
this.clinic.storePet(pet);
status.setComplete();
return "redirect:owner.do?ownerId=" + pet.getOwner().getId();
}
}
}
Form Validation
Code Demo ...
• BindingResult
• Validator.validate()
• <form:errors> tag
Alternative: Hibernate Validator can also be used for annotation
based validation.
public class PersonForm {
@NotNull
@Size(max=64)
private String name;
@Min(0)
private int age;
}
@RequestMapping("/foo")
public void processFoo(@Valid Foo foo) {
/* ... */
}
Unit Testing
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(locations = { "/spring-servlet-test.xml" })
@Test
Other useful Annotations:
@DirtiesContext
@ExpectedException(SomeBusinessException.class)
@Timed(millis=1000)
@NotTransactional
Spring Security
Code Demo ...
• <sec:authorize> tag
• Annotations: @PreAuthorize
• applicationContext-security.xml
• DB Schema: Users, Authorities
Thank you and Questions?

Weitere ähnliche Inhalte

Ähnlich wie Spring Training Guide with Code Demos on MVC, Security, Testing

Introduction to Dependency Injection
Introduction to Dependency InjectionIntroduction to Dependency Injection
Introduction to Dependency InjectionSolTech, Inc.
 
Spring - Part 1 - IoC, Di and Beans
Spring - Part 1 - IoC, Di and Beans Spring - Part 1 - IoC, Di and Beans
Spring - Part 1 - IoC, Di and Beans Hitesh-Java
 
Session 43 - Spring - Part 1 - IoC DI Beans
Session 43 - Spring - Part 1 - IoC DI BeansSession 43 - Spring - Part 1 - IoC DI Beans
Session 43 - Spring - Part 1 - IoC DI BeansPawanMM
 
Oleksandr Valetskyy - Become a .NET dependency injection ninja with Ninject
Oleksandr Valetskyy - Become a .NET dependency injection ninja with NinjectOleksandr Valetskyy - Become a .NET dependency injection ninja with Ninject
Oleksandr Valetskyy - Become a .NET dependency injection ninja with NinjectOleksandr Valetskyy
 
The Basic Concept Of IOC
The Basic Concept Of IOCThe Basic Concept Of IOC
The Basic Concept Of IOCCarl Lu
 
Introduction to Spring
Introduction to SpringIntroduction to Spring
Introduction to SpringSujit Kumar
 
Polaris presentation ioc - code conference
Polaris presentation   ioc - code conferencePolaris presentation   ioc - code conference
Polaris presentation ioc - code conferenceSteven Contos
 
Real World Asp.Net WebApi Applications
Real World Asp.Net WebApi ApplicationsReal World Asp.Net WebApi Applications
Real World Asp.Net WebApi ApplicationsEffie Arditi
 
Dependency Injection in .NET applications
Dependency Injection in .NET applicationsDependency Injection in .NET applications
Dependency Injection in .NET applicationsBabak Naffas
 
Poco Es Mucho: WCF, EF, and Class Design
Poco Es Mucho: WCF, EF, and Class DesignPoco Es Mucho: WCF, EF, and Class Design
Poco Es Mucho: WCF, EF, and Class DesignJames Phillips
 
OpenDaylight Developer Experience 2.0
 OpenDaylight Developer Experience 2.0 OpenDaylight Developer Experience 2.0
OpenDaylight Developer Experience 2.0Michael Vorburger
 
Clean Code II - Dependency Injection
Clean Code II - Dependency InjectionClean Code II - Dependency Injection
Clean Code II - Dependency InjectionTheo Jungeblut
 
Spring IOC and DAO
Spring IOC and DAOSpring IOC and DAO
Spring IOC and DAOAnushaNaidu
 
LEARNING  iPAD STORYBOARDS IN OBJ-­‐C LESSON 1
LEARNING	 iPAD STORYBOARDS IN OBJ-­‐C LESSON 1LEARNING	 iPAD STORYBOARDS IN OBJ-­‐C LESSON 1
LEARNING  iPAD STORYBOARDS IN OBJ-­‐C LESSON 1Rich Helton
 
Spring MVC framework
Spring MVC frameworkSpring MVC framework
Spring MVC frameworkMohit Gupta
 
Cut your Dependencies with Dependency Injection - .NET User Group Osnabrueck
Cut your Dependencies with Dependency Injection - .NET User Group OsnabrueckCut your Dependencies with Dependency Injection - .NET User Group Osnabrueck
Cut your Dependencies with Dependency Injection - .NET User Group OsnabrueckTheo Jungeblut
 
Elements of DDD with ASP.NET MVC & Entity Framework Code First
Elements of DDD with ASP.NET MVC & Entity Framework Code FirstElements of DDD with ASP.NET MVC & Entity Framework Code First
Elements of DDD with ASP.NET MVC & Entity Framework Code FirstEnea Gabriel
 

Ähnlich wie Spring Training Guide with Code Demos on MVC, Security, Testing (20)

Introduction to Dependency Injection
Introduction to Dependency InjectionIntroduction to Dependency Injection
Introduction to Dependency Injection
 
Spring - Part 1 - IoC, Di and Beans
Spring - Part 1 - IoC, Di and Beans Spring - Part 1 - IoC, Di and Beans
Spring - Part 1 - IoC, Di and Beans
 
Session 43 - Spring - Part 1 - IoC DI Beans
Session 43 - Spring - Part 1 - IoC DI BeansSession 43 - Spring - Part 1 - IoC DI Beans
Session 43 - Spring - Part 1 - IoC DI Beans
 
Oleksandr Valetskyy - Become a .NET dependency injection ninja with Ninject
Oleksandr Valetskyy - Become a .NET dependency injection ninja with NinjectOleksandr Valetskyy - Become a .NET dependency injection ninja with Ninject
Oleksandr Valetskyy - Become a .NET dependency injection ninja with Ninject
 
The Basic Concept Of IOC
The Basic Concept Of IOCThe Basic Concept Of IOC
The Basic Concept Of IOC
 
Introduction to Spring
Introduction to SpringIntroduction to Spring
Introduction to Spring
 
Polaris presentation ioc - code conference
Polaris presentation   ioc - code conferencePolaris presentation   ioc - code conference
Polaris presentation ioc - code conference
 
Dependency Injection Styles
Dependency Injection StylesDependency Injection Styles
Dependency Injection Styles
 
Real World Asp.Net WebApi Applications
Real World Asp.Net WebApi ApplicationsReal World Asp.Net WebApi Applications
Real World Asp.Net WebApi Applications
 
Dependency Injection in .NET applications
Dependency Injection in .NET applicationsDependency Injection in .NET applications
Dependency Injection in .NET applications
 
Poco Es Mucho: WCF, EF, and Class Design
Poco Es Mucho: WCF, EF, and Class DesignPoco Es Mucho: WCF, EF, and Class Design
Poco Es Mucho: WCF, EF, and Class Design
 
OpenDaylight Developer Experience 2.0
 OpenDaylight Developer Experience 2.0 OpenDaylight Developer Experience 2.0
OpenDaylight Developer Experience 2.0
 
Clean Code II - Dependency Injection
Clean Code II - Dependency InjectionClean Code II - Dependency Injection
Clean Code II - Dependency Injection
 
Spring IOC and DAO
Spring IOC and DAOSpring IOC and DAO
Spring IOC and DAO
 
Dependency Injection with Apex
Dependency Injection with ApexDependency Injection with Apex
Dependency Injection with Apex
 
LEARNING  iPAD STORYBOARDS IN OBJ-­‐C LESSON 1
LEARNING	 iPAD STORYBOARDS IN OBJ-­‐C LESSON 1LEARNING	 iPAD STORYBOARDS IN OBJ-­‐C LESSON 1
LEARNING  iPAD STORYBOARDS IN OBJ-­‐C LESSON 1
 
Hybernat and structs, spring classes in mumbai
Hybernat and structs, spring classes in mumbaiHybernat and structs, spring classes in mumbai
Hybernat and structs, spring classes in mumbai
 
Spring MVC framework
Spring MVC frameworkSpring MVC framework
Spring MVC framework
 
Cut your Dependencies with Dependency Injection - .NET User Group Osnabrueck
Cut your Dependencies with Dependency Injection - .NET User Group OsnabrueckCut your Dependencies with Dependency Injection - .NET User Group Osnabrueck
Cut your Dependencies with Dependency Injection - .NET User Group Osnabrueck
 
Elements of DDD with ASP.NET MVC & Entity Framework Code First
Elements of DDD with ASP.NET MVC & Entity Framework Code FirstElements of DDD with ASP.NET MVC & Entity Framework Code First
Elements of DDD with ASP.NET MVC & Entity Framework Code First
 

Mehr von BruceLee275640

introductiontogitandgithub-120702044048-phpapp01.pdf
introductiontogitandgithub-120702044048-phpapp01.pdfintroductiontogitandgithub-120702044048-phpapp01.pdf
introductiontogitandgithub-120702044048-phpapp01.pdfBruceLee275640
 
fdocuments.in_introduction-to-ibatis.ppt
fdocuments.in_introduction-to-ibatis.pptfdocuments.in_introduction-to-ibatis.ppt
fdocuments.in_introduction-to-ibatis.pptBruceLee275640
 
java150929145120-lva1-app6892 (2).pptx
java150929145120-lva1-app6892 (2).pptxjava150929145120-lva1-app6892 (2).pptx
java150929145120-lva1-app6892 (2).pptxBruceLee275640
 

Mehr von BruceLee275640 (7)

Git_new.pptx
Git_new.pptxGit_new.pptx
Git_new.pptx
 
introductiontogitandgithub-120702044048-phpapp01.pdf
introductiontogitandgithub-120702044048-phpapp01.pdfintroductiontogitandgithub-120702044048-phpapp01.pdf
introductiontogitandgithub-120702044048-phpapp01.pdf
 
68837.ppt
68837.ppt68837.ppt
68837.ppt
 
fdocuments.in_introduction-to-ibatis.ppt
fdocuments.in_introduction-to-ibatis.pptfdocuments.in_introduction-to-ibatis.ppt
fdocuments.in_introduction-to-ibatis.ppt
 
Utility.ppt
Utility.pptUtility.ppt
Utility.ppt
 
java150929145120-lva1-app6892 (2).pptx
java150929145120-lva1-app6892 (2).pptxjava150929145120-lva1-app6892 (2).pptx
java150929145120-lva1-app6892 (2).pptx
 
life science.pptx
life science.pptxlife science.pptx
life science.pptx
 

Kürzlich hochgeladen

Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time ApplicationsUnveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time ApplicationsAlberto González Trastoy
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxbodapatigopi8531
 
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdfThe Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdfkalichargn70th171
 
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfThe Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfkalichargn70th171
 
Active Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdfActive Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdfCionsystems
 
Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...OnePlan Solutions
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Modelsaagamshah0812
 
Russian Call Girls in Karol Bagh Aasnvi ➡️ 8264348440 💋📞 Independent Escort S...
Russian Call Girls in Karol Bagh Aasnvi ➡️ 8264348440 💋📞 Independent Escort S...Russian Call Girls in Karol Bagh Aasnvi ➡️ 8264348440 💋📞 Independent Escort S...
Russian Call Girls in Karol Bagh Aasnvi ➡️ 8264348440 💋📞 Independent Escort S...soniya singh
 
Der Spagat zwischen BIAS und FAIRNESS (2024)
Der Spagat zwischen BIAS und FAIRNESS (2024)Der Spagat zwischen BIAS und FAIRNESS (2024)
Der Spagat zwischen BIAS und FAIRNESS (2024)OPEN KNOWLEDGE GmbH
 
5 Signs You Need a Fashion PLM Software.pdf
5 Signs You Need a Fashion PLM Software.pdf5 Signs You Need a Fashion PLM Software.pdf
5 Signs You Need a Fashion PLM Software.pdfWave PLM
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...harshavardhanraghave
 
Building Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
Building Real-Time Data Pipelines: Stream & Batch Processing workshop SlideBuilding Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
Building Real-Time Data Pipelines: Stream & Batch Processing workshop SlideChristina Lin
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AIABDERRAOUF MEHENNI
 
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...kellynguyen01
 
DNT_Corporate presentation know about us
DNT_Corporate presentation know about usDNT_Corporate presentation know about us
DNT_Corporate presentation know about usDynamic Netsoft
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...OnePlan Solutions
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providermohitmore19
 
Right Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsRight Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsJhone kinadey
 

Kürzlich hochgeladen (20)

Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time ApplicationsUnveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptx
 
Exploring iOS App Development: Simplifying the Process
Exploring iOS App Development: Simplifying the ProcessExploring iOS App Development: Simplifying the Process
Exploring iOS App Development: Simplifying the Process
 
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdfThe Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
The Essentials of Digital Experience Monitoring_ A Comprehensive Guide.pdf
 
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfThe Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
 
Active Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdfActive Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdf
 
Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Models
 
Russian Call Girls in Karol Bagh Aasnvi ➡️ 8264348440 💋📞 Independent Escort S...
Russian Call Girls in Karol Bagh Aasnvi ➡️ 8264348440 💋📞 Independent Escort S...Russian Call Girls in Karol Bagh Aasnvi ➡️ 8264348440 💋📞 Independent Escort S...
Russian Call Girls in Karol Bagh Aasnvi ➡️ 8264348440 💋📞 Independent Escort S...
 
Der Spagat zwischen BIAS und FAIRNESS (2024)
Der Spagat zwischen BIAS und FAIRNESS (2024)Der Spagat zwischen BIAS und FAIRNESS (2024)
Der Spagat zwischen BIAS und FAIRNESS (2024)
 
5 Signs You Need a Fashion PLM Software.pdf
5 Signs You Need a Fashion PLM Software.pdf5 Signs You Need a Fashion PLM Software.pdf
5 Signs You Need a Fashion PLM Software.pdf
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
 
Building Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
Building Real-Time Data Pipelines: Stream & Batch Processing workshop SlideBuilding Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
Building Real-Time Data Pipelines: Stream & Batch Processing workshop Slide
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
 
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
 
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS LiveVip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
 
DNT_Corporate presentation know about us
DNT_Corporate presentation know about usDNT_Corporate presentation know about us
DNT_Corporate presentation know about us
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
 
Right Money Management App For Your Financial Goals
Right Money Management App For Your Financial GoalsRight Money Management App For Your Financial Goals
Right Money Management App For Your Financial Goals
 

Spring Training Guide with Code Demos on MVC, Security, Testing

  • 1. Spring Training TechFerry Infotech Pvt. Ltd. (http://www.techferry.com/)
  • 2. Conversations o Introduction to Spring o Concepts: Annotations, MVC, IOC/DI, Auto wiring o Spring Bean/Resource Management o Spring MVC, Form Validations. o Unit Testing o Spring Security – Users, Roles, Permissions. o Code Demo  CRUD using Spring, Hibernate, MySQL.  Spring security example.  REST/jQuery/Ajax example
  • 3. Spring - Introduction Exercise: What do we need in an enterprise application? • Database Access, Connection Pools? • Transactions? • Security, Authentication, Authorization? • Business Logic Objects? • Workflow/Screen Flow? • Messaging/emails? • Service Bus? • Concurrency/Scalability? Can somebody wire all the needed components? Do we have to learn everything before we can start?
  • 4. Hello Spring • Spring is potentially a one-stop shop, addressing most infrastructure concerns of typical web applications o so you focus only on your business logic. • Spring is both comprehensive and modular o use just about any part of it in isolation, yet its architecture is internally consistent. o maximum value from your learning curve.
  • 5. What is Spring? • Open source and lightweight web-application framework • Framework for wiring the entire application • Collection of many different components • Reduces code and speeds up development Spring is essentially a technology dedicated to enabling you to build applications using POJOs.
  • 6. Why Spring? • Spring Enables POJO Programming o Application code does not depend on spring API’s • Dependency Injection and Inversion of Control simplifies coding o Promotes decoupling and re-usability Features: • Lightweight • Inversion of Control (IoC) • Aspect oriented (AOP) • MVC Framework • Transaction Management • JDBC • Ibatis / Hibernate
  • 8. What else Spring do? Spring Web Flow Spring Integration Spring Web-Services Spring MVC Spring Security Spring Batch Spring Social Spring Mobile ... and let it ever expand ...
  • 9. Inversion of Control/Dependency Injection "Don't call me, I'll call you." • IoC moves the responsibility for making things happen into the framework • Eliminates lookup code from within the application • Loose coupling, minimum effort and least intrusive mechanism
  • 11. IOC/DI Non IOC Example: class MovieLister... private MovieFinder finder; public MovieLister() { finder = new MovieFinderImpl(); } public interface MovieFinder { List findAll(); } class MovieFinderImpl ... { public List findAll() { ... } }
  • 12. IOC/DI IoC Example: DI exists in major two variants: Setter Injection public class MovieLister { private MovieFinder movieFinder; public void setMovieFinder(MovieFinder movieFinder) { this.movieFinder = movieFinder; } } Constructor Injection public class MovieLister{ private MovieFinder movieFinder; public MovieLister(MovieFinder movieFinder) { this.movieFinder = movieFinder; } }
  • 13. Code Demo .... • Annotations: @Component, @Service, @Repository • Annotation: @Autowire • web.xml - Context loader listener to scan components • <context:annotation-config /> <context:component-scan base-package="..." /> Spring Bean Management
  • 14. Bean Scopes singleton Scopes a single bean definition to a single object instance per Spring IoC container. prototype Scopes a single bean definition to any number of object instances. request Scopes a single bean definition to the lifecycle of a single HTTP request. session Scopes a single bean definition to the lifecycle of a HTTP Session. global session Scopes a single bean definition to the lifecycle of a global HTTP Session. Typically only valid when used in a portlet context.
  • 16. Prototype Beans • Use @Scope("prototype") • Caution: dependencies are resolved at instantiation time. It does NOT create a new instance at runtime more than once.
  • 17. Bean Scopes Contd.. • As a rule of thumb, you should use the prototype scope for all beans that are stateful, while the singleton scope should be used for stateless beans. • RequestContextListener is needed in web.xml for request/session scopes. • Annotation:@Scope("request") @Scope("prototype") Homework: • Singleton bean referring a prototype/request bean? • @Qualifier, Method Injection. Hate Homework? • Stick to stateless beans. :)
  • 18. Wiring Beans no No autowiring at all. Bean references must be defined via a ref element. This is the default. byName Autowiring by property name. byType Allows a property to be autowired if there is exactly one bean of the property type in the container. If there is more than one, a fatal exception is thrown. constructor This is analogous to byType, but applies to constructor arguments. autodetect Chooses constructor or byType through introspection of the bean class.
  • 19. Homework :) – What wiring method is used with @Autowire annotation? – Other annotations you may find useful: o @Required o @Resource Also review the Spring annotation article: http://www.techferry.com/articles/spring-annotations.html
  • 20. MVC - Model View Controller • Better organization and code reuse. • Separation of Concern • Can support multiple views
  • 21. Spring MVC Code Demo .... • Annotations: @Controller, @RequestMapping, @ModelAttribute, @PathVariable • Spring DispatcherServlet config - just scan controllers • web.xml - Context loader listener to scan other components • ResourceBundleMessageSource and <spring:message> tag Reference: http://static.springsource.org/spring/docs/3.0.x/spring- framework-reference/html/mvc.html • @RequestMapping Details • Handler method arguments and Return Types
  • 22. Pre-populate Model and Session Objects @Controller @RequestMapping("/owners/{ownerId}/pets/{petId}/edit") @SessionAttributes("pet") public class EditPetForm { @ModelAttribute("types") public Collection<PetType> populatePetTypes() { return this.clinic.getPetTypes(); } @RequestMapping(method = RequestMethod.POST) public String processSubmit(@ModelAttribute("pet") Pet pet, BindingResult result, SessionStatus status) { new PetValidator().validate(pet, result); if (result.hasErrors()) { return "petForm"; }else { this.clinic.storePet(pet); status.setComplete(); return "redirect:owner.do?ownerId=" + pet.getOwner().getId(); } } }
  • 23. Form Validation Code Demo ... • BindingResult • Validator.validate() • <form:errors> tag Alternative: Hibernate Validator can also be used for annotation based validation. public class PersonForm { @NotNull @Size(max=64) private String name; @Min(0) private int age; } @RequestMapping("/foo") public void processFoo(@Valid Foo foo) { /* ... */ }
  • 24. Unit Testing @RunWith(SpringJUnit4ClassRunner.class) @ContextConfiguration(locations = { "/spring-servlet-test.xml" }) @Test Other useful Annotations: @DirtiesContext @ExpectedException(SomeBusinessException.class) @Timed(millis=1000) @NotTransactional
  • 25. Spring Security Code Demo ... • <sec:authorize> tag • Annotations: @PreAuthorize • applicationContext-security.xml • DB Schema: Users, Authorities
  • 26. Thank you and Questions?