SlideShare uma empresa Scribd logo
1 de 53
Code Camp April-Spring Boot
April 2, 2016 Presented By - Nakul & Vishal
Audience
Beginner Level
Java Web Developers
Grails Developers
Objective
To get familiar with the Spring Boot framework and use it to build
microservices architecture.
Agenda
Introducing Spring Boot
Features
Artifacts
Profiling
Demo application using Spring
Boot and Groovy Templates
Introducing Spring Boot
- If Spring is the cake, Spring Boot is the
icing.
Spring boot is a suite, pre-configured, pre-sugared set of
frameworks/technologies to reduce boilerplate configuration providing you
the shortest way to have a Spring web application up and running with
smallest line of code/configuration out-of-the-box.
What is Spring Boot ?
The primary goals of Spring Boot are:
To provide a radically faster and widely accessible 'getting started'
experience for all Spring development
To be opinionated out of the box, but get out of the way quickly as
requirements start to diverge from the defaults
To provide a range of non-functional features that are common to large
classes of projects (e.g. embedded servers, security, metrics, health
checks, externalized configuration)
Spring Boot does not generate code and there is absolutely no requirement
Why Spring Boot ?
import org.springframework.boot.*;
import org.springframework.boot.autoconfigure.*;
import org.springframework.stereotype.*;
import org.springframework.web.bind.annotation.*;
@Controller
@EnableAutoConfiguration
@Configuration
@ComponentScan
//All three annotations can be replaced by one @SpringBootApplication
public class SampleController {
@RequestMapping("/")
String home() {
return "Hello World!";
}
public static void main(String[] args) throws Exception {
SpringApplication.run(SampleController.class, args);
}
A simple Spring Boot Application
Demo
Let’s hit some keys !!
Hello World from Spring Boot
❖@Controller - annotates a class as an MVC controller
❖@Configuration - tags the class as a source of bean definitions for the
application context.
❖@EnableAutoConfiguration - enables auto configuration for the
application
❖@ComponentScan - This tells Spring to look for classes with
@Component ,@Configuration , @Repository , @Service , and
@Controller and wire them into the app context as beans.
❖@SpringBootApplication - get the functionality of all above annotations
in a single annotation
Whats Happening?
How Spring boot works ?
Directory Structure of Spring Boot
There is no restrictions on directory
structure.
We can create one as we are used to in
grails or we can create one that is shown
in the picture.
Demo
Let’s hit some keys !!
Look at the directory structure
Spring Boot Essentials
Spring Boot brings a great deal of magic to Spring application development.
But there are four core tricks that it performs:
■ Automatic configuration — Spring Boot can automatically provide
configuration for application functionality common to many Spring applications.
■ Starter dependencies — You tell Spring Boot what kind of functionality you need,and it
will ensure that the libraries needed are added to the build.
■ The command-line interface — This optional feature of Spring Boot lets you write
complete applications with just application code, but no need for a traditional project
build.
■ The Actuator — Gives you insight into what’s going on inside of a running Spring Boot
application.
What Spring Boot isn’t ?
1. Spring Boot is not an application server. It has embedded server that helps
it run by executing a jar file of the project.
1. Spring Boot doesn’t implement any enterprise Java specifications such as
JPA or JMS. It auto configures these beans and provide them at runtime to
our disposal.
1. Spring Boot doesn’t employ any form of code generation to accomplish its
magic. Instead, it leverages conditional configuration features from Spring,
along with transitive dependency resolution offered by Maven and Gradle,
to automatically configure beans in the Spring application context.
Basic Artifacts
Dependency Resolution
Domains
Repositories
Controllers
Services
Views
Configuration
Deployment
1. Done with the help of Gradle or Maven.
2. Dependencies are resolved by build.gradle in gradle build environment.
3. For maven they are resolved from pom.xml
4. Gradle supports groovy DSL like syntax and is much easier to maintain.
It frees us from the fuss of writing xml for dependency resolution.
Dependency Resolution
Resolving dependencies using Gradle
Let’s have a look at the build.gradle file in the root of our
application.
Demo
Let’s hit some keys !!
build.gradle
1. Annotated by the annotation @Entity
2. javax.persistence.Entity/grails.persistence.Entity/org.hibernate.annotat
ions.Entity
3. Can use JPA 2.1, Hibernate, Spring Data, GORM etc .
4. Classes annotated by @Entity is a component which our main class
searches for by the help of @ComponentScan
Domains
Demo
Let’s hit some keys !!
Domains
1. Provides abstraction.
2. Significantly reduces the amount of boilerplate code required to
implement DAO layer
3. Supports various persistence stores like MySql , MongoDB etc.
The central interface in Spring Data repository abstraction is Repository.It
takes the the domain class to manage as well as the id type of the domain
class as type arguments.
This interface acts primarily as a marker interface to capture the types to
work with and to help you to discover interfaces that extend this one.
Repositories
The CrudRepository provides sophisticated CRUD functionality for the entity class that is being managed.
public interface CrudRepository<T, ID extends Serializable>
extends Repository<T, ID> {
S save(S entity); //Saves the given entity
T findOne(ID primaryKey); //Returns the entity identified by the given id
Iterable<T> findAll(); //Returns all entities
Long count(); //Returns the number of entities
void delete(T entity); //Deletes the given entity
boolean exists(ID primaryKey); //Indicates whether an entity with the given id exists
// … more functionality omitted.
}
How a repository works ?
1. Declare an interface extending Repository or one of its subinterfaces and type it to the domain
class that it will handle.
public interface PersonRepository extends Repository<User, Long> { … }
1. Declare query methods on the interface.
List<Person> findByLastname(String lastname);
1. Get the repository instance injected and use it.
public class SomeClient {
@Autowired
private PersonRepository repository;
public void doSomething() {
List<Person> persons = repository.findByLastname("Nakul");
}
}
Demo
Let’s hit some keys !!
Repositories
1. Any java class can be converted into a controller by annotating it with
@Controller or @RestController
2. @Controller - makes a java/groovy class as an MVC controller that
renders a view
3. @RestController - makes a java/groovy class as a rest controller.
Controllers
What about ‘actions’ ?
Any method defined inside a class annotated by @Controller or @RestController will behave like an
action only if it has been annotated by @RequestMapping
Ex - @RestController
@RequestMapping(value = '/student')
class RootController {
@Autowired
StudentRepository studentRepository
@RequestMapping(method=RequestMethod.GET ,value = '{id}',produces =
MediaType.APPLICATION_JSON_VALUE)
public Student getOne(@PathVariable String id) {
return studentRepository.findOne(Long.parseLong(id))
}
}
What about ‘actions’ ? Continued -
A simple MVC controller
Ex - @Controller
@RequestMapping(value = '/student')
class RootController { @Autowired
StudentRepository studentRepository
@RequestMapping(method=RequestMethod.GET ,value = '{id}')
public ModelAndView getOne(@PathVariable String id) {
return new ModelAndView(“views/index”,[:])
}
}
Demo
Let’s hit some keys !!
Controllers and Actions
1. Any java/groovy class can be converted into a service by annotating it
with @Service
2. To make a service transactional mark it with @Transactional
3. @Transactional(propagation = REQUIRED) makes a transaction
complete in itself
4. @Transactional(propagation = MANDATORY) is used to protect the
other methods from being called erroneously out of a transaction
5. @Transactional(readOnly=true) makes a service read-only.
Services
Demo
Let’s hit some keys !!
Services
1. Spring supports Groovy template engine natively to render views
modelled by the controller.
2. Thymeleaf is also a popular rendering engine being used with spring-
boot
3. GSP’s can also be used as a part of presentation layer.
4. We can also use Angular.js as a frontend framework for use with REST-
API’s for make a complete web-app.
Views
From where can we get these rendering engines ?
Can be maintained as gradle dependencies in build.gradle
Dependencies
Groovy Template Engine - compile ("org.codehaus.groovy:groovy-templates:2.4.0")
Thymeleaf Engine - compile("org.springframework.boot:spring-boot-starter-thymeleaf")
Groovy Server Pages - compile "org.grails:grails-web-gsp:2.5.0"
compile "org.grails:grails-web-gsp-taglib:2.5.0"
provided "org.grails:grails-web-jsp:2.5.0"
Groovy Template Engine
Features
1. hierarchical (builder) syntax to generate XML-like contents (in particular,
HTML5)
2. template includes
3. compilation of templates to bytecode for fast rendering
4. layout mechanism for sharing structural patterns
Groovy Template Engine
Dependency
dependencies {
compile "org.codehaus.groovy:groovy"
compile "org.codehaus.groovy:groovy-templates"
}
Groovy Template Engine
Example 1
link(rel: 'stylesheet', href: '/css/bootstrap.min.css')
will be rendered as:
<link rel='stylesheet' href='/css/bootstrap.min.css'/>
Groovy Template Engine
Example 2
a(class: 'brand',
href: 'http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup-template-
engine.html',
'Groovy - Template Engine docs')
will be rendered as:
<a class='brand' href='http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup-
template-engine.html'>Groovy - Template Engine docs</a>
Groovy Template Engine
Example 3
a(class: 'brand', href:‘http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup-
template-engine.html'){
yield 'Groovy - Template Engine docs'
}
will be rendered as:
<a class='brand' href='http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup-
template-engine.html'>Groovy - Template Engine docs</a>
Demo
Let’s hit some keys !!
Views
Groovy Template Engine - Layouts
Layouts-Example
yieldUnescaped '<!DOCTYPE html>'
html {
head {
title(pageTitle)
link(rel: 'stylesheet', href: '/css/bootstrap.min.css')
}
body {
a(class: 'brand',
href: 'http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup-template-
engine.html',
'Groovy - Template Engine docs')
Groovy Template Engine - Layouts
Layouts - Example
a(class: 'brand',
href: 'hhttp://projects.spring.io/spring-boot/') {
yield 'Spring Boot docs'
mainBody()
}
}
}
Groovy Template Engine - Layouts
Layouts
1. Common part of our template is kept into a main.tpl file that we will save
into src/main/resources/templates/layouts
2. title(pageTitle) where pageTitle is expected to be the page title that we want
to give
3. mainBody(), which will cause rendering of the main body for pages using
that layout.
Groovy Template Engine - Layouts
Layouts in action
layout 'layouts/main.tpl',
pageTitle: 'Spring Boot - Groovy templates example with layout',
mainBody: contents {
div("This is an application using Spring Boot and Groovy Template Engine")
}
Groovy Template Engine - Layouts
Layouts
we call the layout method and provide it with several arguments:
the name of the layout file to be used (layouts/main.tpl)
pageTitle, a simple string
mainBody, using the contents block
Groovy Template Engine - Layouts
Layouts
Use of the contents block will trigger the rendering of the contents of mainBody
inside the layout when the mainBody() instruction is found. So using this layout
file, we are definitely sharing a common, structural pattern, against multiple
templates.
layouts are themselves composable, so you can use layouts inside layouts…
Demo
Let’s hit some keys !!
Layouts
Profiles
Profiles
In the normal Spring way, you can use a spring.profiles.active Environment
property to specify which profiles are active.
specify on the command line using the switch
--spring.profiles.active=dev
--spring.profiles.active=test
--spring.profiles.active=production
For every environment we create a application-{environment}.properties files in
the resource directory.
application.properties
application.properties
If no environment is specified then spring boot picks the default
application.properties file from the ‘resources’ directory.
Stores all the configurations in a single file .
All the configurable properties can be referenced here
Demo
Let’s hit some keys !!
Profiles
References
References
Groovy Templates : https://spring.io/blog/2014/05/28/using-the-innovative-
groovy-template-engine-in-spring-boot
Spring Boot : Spring Boot in Action - Craig Walls, Manning Publication
Learning Spring Boot - Greg L. Turnquist, Packt
Publishing
More References - http://docs.spring.io/spring-
boot/docs/current/reference/htmlsingle/
Questions ?
For dummy project please visit https://github.com/pant-nakul/springboot-crud-
demo
Thank You for your patience !!!

Mais conteúdo relacionado

Mais procurados

Java interview questions 1
Java interview questions 1Java interview questions 1
Java interview questions 1Sherihan Anver
 
Unit Testing and Coverage for AngularJS
Unit Testing and Coverage for AngularJSUnit Testing and Coverage for AngularJS
Unit Testing and Coverage for AngularJSKnoldus Inc.
 
Advanced java interview questions
Advanced java interview questionsAdvanced java interview questions
Advanced java interview questionsrithustutorials
 
Advanced JavaScript - Internship Presentation - Week6
Advanced JavaScript - Internship Presentation - Week6Advanced JavaScript - Internship Presentation - Week6
Advanced JavaScript - Internship Presentation - Week6Devang Garach
 
Lecture from javaday.bg by Nayden Gochev/ Ivan Ivanov and Mitia Alexandrov
Lecture from javaday.bg by Nayden Gochev/ Ivan Ivanov and Mitia Alexandrov Lecture from javaday.bg by Nayden Gochev/ Ivan Ivanov and Mitia Alexandrov
Lecture from javaday.bg by Nayden Gochev/ Ivan Ivanov and Mitia Alexandrov Nayden Gochev
 
Software Uni Conf October 2014
Software Uni Conf October 2014Software Uni Conf October 2014
Software Uni Conf October 2014Nayden Gochev
 
Getting started with Java 9 modules
Getting started with Java 9 modulesGetting started with Java 9 modules
Getting started with Java 9 modulesRafael Winterhalter
 
Java interview-questions-and-answers
Java interview-questions-and-answersJava interview-questions-and-answers
Java interview-questions-and-answersbestonlinetrainers
 
Effective JavaFX architecture with FxObjects
Effective JavaFX architecture with FxObjectsEffective JavaFX architecture with FxObjects
Effective JavaFX architecture with FxObjectsSrikanth Shenoy
 
SoftwareUniversity seminar fast REST Api with Spring
SoftwareUniversity seminar fast REST Api with SpringSoftwareUniversity seminar fast REST Api with Spring
SoftwareUniversity seminar fast REST Api with SpringNayden Gochev
 
Distributed Programming (RMI)
Distributed Programming (RMI)Distributed Programming (RMI)
Distributed Programming (RMI)Ravi Kant Sahu
 

Mais procurados (20)

Java Enterprise Edition
Java Enterprise EditionJava Enterprise Edition
Java Enterprise Edition
 
Networking
NetworkingNetworking
Networking
 
Java interview questions 1
Java interview questions 1Java interview questions 1
Java interview questions 1
 
Unit Testing and Coverage for AngularJS
Unit Testing and Coverage for AngularJSUnit Testing and Coverage for AngularJS
Unit Testing and Coverage for AngularJS
 
Advanced java interview questions
Advanced java interview questionsAdvanced java interview questions
Advanced java interview questions
 
Java Programming
Java ProgrammingJava Programming
Java Programming
 
Advanced JavaScript - Internship Presentation - Week6
Advanced JavaScript - Internship Presentation - Week6Advanced JavaScript - Internship Presentation - Week6
Advanced JavaScript - Internship Presentation - Week6
 
Java basic
Java basicJava basic
Java basic
 
Lecture from javaday.bg by Nayden Gochev/ Ivan Ivanov and Mitia Alexandrov
Lecture from javaday.bg by Nayden Gochev/ Ivan Ivanov and Mitia Alexandrov Lecture from javaday.bg by Nayden Gochev/ Ivan Ivanov and Mitia Alexandrov
Lecture from javaday.bg by Nayden Gochev/ Ivan Ivanov and Mitia Alexandrov
 
Software Uni Conf October 2014
Software Uni Conf October 2014Software Uni Conf October 2014
Software Uni Conf October 2014
 
Exception handling
Exception handlingException handling
Exception handling
 
Getting started with Java 9 modules
Getting started with Java 9 modulesGetting started with Java 9 modules
Getting started with Java 9 modules
 
Java Basics
Java BasicsJava Basics
Java Basics
 
ExtJs Basic Part-1
ExtJs Basic Part-1ExtJs Basic Part-1
ExtJs Basic Part-1
 
Java 9 Features
Java 9 FeaturesJava 9 Features
Java 9 Features
 
Java interview-questions-and-answers
Java interview-questions-and-answersJava interview-questions-and-answers
Java interview-questions-and-answers
 
Effective JavaFX architecture with FxObjects
Effective JavaFX architecture with FxObjectsEffective JavaFX architecture with FxObjects
Effective JavaFX architecture with FxObjects
 
SoftwareUniversity seminar fast REST Api with Spring
SoftwareUniversity seminar fast REST Api with SpringSoftwareUniversity seminar fast REST Api with Spring
SoftwareUniversity seminar fast REST Api with Spring
 
Distributed Programming (RMI)
Distributed Programming (RMI)Distributed Programming (RMI)
Distributed Programming (RMI)
 
Java Tutorial
Java TutorialJava Tutorial
Java Tutorial
 

Destaque (20)

Grails custom tag lib
Grails custom tag libGrails custom tag lib
Grails custom tag lib
 
Grails internationalization-160524154831
Grails internationalization-160524154831Grails internationalization-160524154831
Grails internationalization-160524154831
 
Bootcamp linux commands
Bootcamp linux commandsBootcamp linux commands
Bootcamp linux commands
 
Twilio
TwilioTwilio
Twilio
 
Gorm
GormGorm
Gorm
 
Actors model in gpars
Actors model in gparsActors model in gpars
Actors model in gpars
 
MetaProgramming with Groovy
MetaProgramming with GroovyMetaProgramming with Groovy
MetaProgramming with Groovy
 
Grails services
Grails servicesGrails services
Grails services
 
Grails Controllers
Grails ControllersGrails Controllers
Grails Controllers
 
Grails with swagger
Grails with swaggerGrails with swagger
Grails with swagger
 
Groovy DSL
Groovy DSLGroovy DSL
Groovy DSL
 
Grails domain classes
Grails domain classesGrails domain classes
Grails domain classes
 
Command objects
Command objectsCommand objects
Command objects
 
RESTEasy
RESTEasyRESTEasy
RESTEasy
 
Reactive java - Reactive Programming + RxJava
Reactive java - Reactive Programming + RxJavaReactive java - Reactive Programming + RxJava
Reactive java - Reactive Programming + RxJava
 
Introduction to thymeleaf
Introduction to thymeleafIntroduction to thymeleaf
Introduction to thymeleaf
 
Spring Framework
Spring FrameworkSpring Framework
Spring Framework
 
Apache tika
Apache tikaApache tika
Apache tika
 
O Spring está morto! Viva o Spring!
O Spring está morto! Viva o Spring!O Spring está morto! Viva o Spring!
O Spring está morto! Viva o Spring!
 
Elastic search
Elastic searchElastic search
Elastic search
 

Semelhante a Spring boot

Mastering Test Automation: How To Use Selenium Successfully
Mastering Test Automation: How To Use Selenium SuccessfullyMastering Test Automation: How To Use Selenium Successfully
Mastering Test Automation: How To Use Selenium SuccessfullySpringPeople
 
Spring Framework
Spring FrameworkSpring Framework
Spring Frameworknomykk
 
Nt1310 Unit 3 Language Analysis
Nt1310 Unit 3 Language AnalysisNt1310 Unit 3 Language Analysis
Nt1310 Unit 3 Language AnalysisNicole Gomez
 
Struts 2 Overview
Struts 2 OverviewStruts 2 Overview
Struts 2 Overviewskill-guru
 
Spring data jpa are used to develop spring applications
Spring data jpa are used to develop spring applicationsSpring data jpa are used to develop spring applications
Spring data jpa are used to develop spring applicationsmichaelaaron25322
 
Example Of Import Java
Example Of Import JavaExample Of Import Java
Example Of Import JavaMelody Rios
 
How Android Architecture Components can Help You Improve Your App’s Design?
How Android Architecture Components can Help You Improve Your App’s Design?How Android Architecture Components can Help You Improve Your App’s Design?
How Android Architecture Components can Help You Improve Your App’s Design?Paul Cook
 
Spring training
Spring trainingSpring training
Spring trainingTechFerry
 
Spring Framework Tutorial | VirtualNuggets
Spring Framework Tutorial | VirtualNuggetsSpring Framework Tutorial | VirtualNuggets
Spring Framework Tutorial | VirtualNuggetsVirtual Nuggets
 
Ionic framework one day training
Ionic framework one day trainingIonic framework one day training
Ionic framework one day trainingTroy Miles
 
Angular2 with type script
Angular2 with type scriptAngular2 with type script
Angular2 with type scriptRavi Mone
 
Repository Pattern in MVC3 Application with Entity Framework
Repository Pattern in MVC3 Application with Entity FrameworkRepository Pattern in MVC3 Application with Entity Framework
Repository Pattern in MVC3 Application with Entity FrameworkAkhil Mittal
 
Struts 2-overview2
Struts 2-overview2Struts 2-overview2
Struts 2-overview2divzi1913
 
Spring core module
Spring core moduleSpring core module
Spring core moduleRaj Tomar
 
Rapid Prototyping with TurboGears2
Rapid Prototyping with TurboGears2Rapid Prototyping with TurboGears2
Rapid Prototyping with TurboGears2Alessandro Molina
 
End to end testing Single Page Apps & APIs with Cucumber.js and Puppeteer (Em...
End to end testing Single Page Apps & APIs with Cucumber.js and Puppeteer (Em...End to end testing Single Page Apps & APIs with Cucumber.js and Puppeteer (Em...
End to end testing Single Page Apps & APIs with Cucumber.js and Puppeteer (Em...Paul Jensen
 
Code igniter - A brief introduction
Code igniter - A brief introductionCode igniter - A brief introduction
Code igniter - A brief introductionCommit University
 

Semelhante a Spring boot (20)

Mastering Test Automation: How To Use Selenium Successfully
Mastering Test Automation: How To Use Selenium SuccessfullyMastering Test Automation: How To Use Selenium Successfully
Mastering Test Automation: How To Use Selenium Successfully
 
Spring Framework
Spring FrameworkSpring Framework
Spring Framework
 
Nt1310 Unit 3 Language Analysis
Nt1310 Unit 3 Language AnalysisNt1310 Unit 3 Language Analysis
Nt1310 Unit 3 Language Analysis
 
Struts 2 Overview
Struts 2 OverviewStruts 2 Overview
Struts 2 Overview
 
Spring data jpa are used to develop spring applications
Spring data jpa are used to develop spring applicationsSpring data jpa are used to develop spring applications
Spring data jpa are used to develop spring applications
 
Example Of Import Java
Example Of Import JavaExample Of Import Java
Example Of Import Java
 
Spring Boot
Spring BootSpring Boot
Spring Boot
 
Spring 2
Spring 2Spring 2
Spring 2
 
How Android Architecture Components can Help You Improve Your App’s Design?
How Android Architecture Components can Help You Improve Your App’s Design?How Android Architecture Components can Help You Improve Your App’s Design?
How Android Architecture Components can Help You Improve Your App’s Design?
 
Spring training
Spring trainingSpring training
Spring training
 
Spring Framework Tutorial | VirtualNuggets
Spring Framework Tutorial | VirtualNuggetsSpring Framework Tutorial | VirtualNuggets
Spring Framework Tutorial | VirtualNuggets
 
Fame
FameFame
Fame
 
Ionic framework one day training
Ionic framework one day trainingIonic framework one day training
Ionic framework one day training
 
Angular2 with type script
Angular2 with type scriptAngular2 with type script
Angular2 with type script
 
Repository Pattern in MVC3 Application with Entity Framework
Repository Pattern in MVC3 Application with Entity FrameworkRepository Pattern in MVC3 Application with Entity Framework
Repository Pattern in MVC3 Application with Entity Framework
 
Struts 2-overview2
Struts 2-overview2Struts 2-overview2
Struts 2-overview2
 
Spring core module
Spring core moduleSpring core module
Spring core module
 
Rapid Prototyping with TurboGears2
Rapid Prototyping with TurboGears2Rapid Prototyping with TurboGears2
Rapid Prototyping with TurboGears2
 
End to end testing Single Page Apps & APIs with Cucumber.js and Puppeteer (Em...
End to end testing Single Page Apps & APIs with Cucumber.js and Puppeteer (Em...End to end testing Single Page Apps & APIs with Cucumber.js and Puppeteer (Em...
End to end testing Single Page Apps & APIs with Cucumber.js and Puppeteer (Em...
 
Code igniter - A brief introduction
Code igniter - A brief introductionCode igniter - A brief introduction
Code igniter - A brief introduction
 

Mais de NexThoughts Technologies (20)

Alexa skill
Alexa skillAlexa skill
Alexa skill
 
GraalVM
GraalVMGraalVM
GraalVM
 
Docker & kubernetes
Docker & kubernetesDocker & kubernetes
Docker & kubernetes
 
Apache commons
Apache commonsApache commons
Apache commons
 
HazelCast
HazelCastHazelCast
HazelCast
 
MySQL Pro
MySQL ProMySQL Pro
MySQL Pro
 
Microservice Architecture using Spring Boot with React & Redux
Microservice Architecture using Spring Boot with React & ReduxMicroservice Architecture using Spring Boot with React & Redux
Microservice Architecture using Spring Boot with React & Redux
 
Swagger
SwaggerSwagger
Swagger
 
Solid Principles
Solid PrinciplesSolid Principles
Solid Principles
 
Arango DB
Arango DBArango DB
Arango DB
 
Jython
JythonJython
Jython
 
Introduction to TypeScript
Introduction to TypeScriptIntroduction to TypeScript
Introduction to TypeScript
 
Smart Contract samples
Smart Contract samplesSmart Contract samples
Smart Contract samples
 
My Doc of geth
My Doc of gethMy Doc of geth
My Doc of geth
 
Geth important commands
Geth important commandsGeth important commands
Geth important commands
 
Ethereum genesis
Ethereum genesisEthereum genesis
Ethereum genesis
 
Ethereum
EthereumEthereum
Ethereum
 
Springboot Microservices
Springboot MicroservicesSpringboot Microservices
Springboot Microservices
 
An Introduction to Redux
An Introduction to ReduxAn Introduction to Redux
An Introduction to Redux
 
Google authentication
Google authenticationGoogle authentication
Google authentication
 

Último

New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brandgvaughan
 
Unleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubUnleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubKalema Edgar
 
Streamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupStreamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupFlorian Wilhelm
 
Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsRizwan Syed
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxNavinnSomaal
 
DSPy a system for AI to Write Prompts and Do Fine Tuning
DSPy a system for AI to Write Prompts and Do Fine TuningDSPy a system for AI to Write Prompts and Do Fine Tuning
DSPy a system for AI to Write Prompts and Do Fine TuningLars Bell
 
Developer Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQLDeveloper Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQLScyllaDB
 
Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Commit University
 
Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?Mattias Andersson
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek SchlawackFwdays
 
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptxThe Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptxLoriGlavin3
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsPixlogix Infotech
 
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024BookNet Canada
 
Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfAlex Barbosa Coqueiro
 
unit 4 immunoblotting technique complete.pptx
unit 4 immunoblotting technique complete.pptxunit 4 immunoblotting technique complete.pptx
unit 4 immunoblotting technique complete.pptxBkGupta21
 
How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.Curtis Poe
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebUiPathCommunity
 
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptxThe Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptxLoriGlavin3
 
Moving Beyond Passwords: FIDO Paris Seminar.pdf
Moving Beyond Passwords: FIDO Paris Seminar.pdfMoving Beyond Passwords: FIDO Paris Seminar.pdf
Moving Beyond Passwords: FIDO Paris Seminar.pdfLoriGlavin3
 

Último (20)

New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brand
 
Unleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubUnleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding Club
 
Streamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupStreamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project Setup
 
Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL Certs
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptx
 
DSPy a system for AI to Write Prompts and Do Fine Tuning
DSPy a system for AI to Write Prompts and Do Fine TuningDSPy a system for AI to Write Prompts and Do Fine Tuning
DSPy a system for AI to Write Prompts and Do Fine Tuning
 
Developer Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQLDeveloper Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQL
 
Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!
 
Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?Are Multi-Cloud and Serverless Good or Bad?
Are Multi-Cloud and Serverless Good or Bad?
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
 
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptxThe Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
The Role of FIDO in a Cyber Secure Netherlands: FIDO Paris Seminar.pptx
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and Cons
 
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
 
Unraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdfUnraveling Multimodality with Large Language Models.pdf
Unraveling Multimodality with Large Language Models.pdf
 
unit 4 immunoblotting technique complete.pptx
unit 4 immunoblotting technique complete.pptxunit 4 immunoblotting technique complete.pptx
unit 4 immunoblotting technique complete.pptx
 
How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.How AI, OpenAI, and ChatGPT impact business and software.
How AI, OpenAI, and ChatGPT impact business and software.
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio Web
 
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptxThe Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
 
Moving Beyond Passwords: FIDO Paris Seminar.pdf
Moving Beyond Passwords: FIDO Paris Seminar.pdfMoving Beyond Passwords: FIDO Paris Seminar.pdf
Moving Beyond Passwords: FIDO Paris Seminar.pdf
 

Spring boot

  • 1. Code Camp April-Spring Boot April 2, 2016 Presented By - Nakul & Vishal
  • 2. Audience Beginner Level Java Web Developers Grails Developers
  • 3. Objective To get familiar with the Spring Boot framework and use it to build microservices architecture.
  • 4. Agenda Introducing Spring Boot Features Artifacts Profiling Demo application using Spring Boot and Groovy Templates
  • 5. Introducing Spring Boot - If Spring is the cake, Spring Boot is the icing.
  • 6. Spring boot is a suite, pre-configured, pre-sugared set of frameworks/technologies to reduce boilerplate configuration providing you the shortest way to have a Spring web application up and running with smallest line of code/configuration out-of-the-box. What is Spring Boot ?
  • 7. The primary goals of Spring Boot are: To provide a radically faster and widely accessible 'getting started' experience for all Spring development To be opinionated out of the box, but get out of the way quickly as requirements start to diverge from the defaults To provide a range of non-functional features that are common to large classes of projects (e.g. embedded servers, security, metrics, health checks, externalized configuration) Spring Boot does not generate code and there is absolutely no requirement Why Spring Boot ?
  • 8. import org.springframework.boot.*; import org.springframework.boot.autoconfigure.*; import org.springframework.stereotype.*; import org.springframework.web.bind.annotation.*; @Controller @EnableAutoConfiguration @Configuration @ComponentScan //All three annotations can be replaced by one @SpringBootApplication public class SampleController { @RequestMapping("/") String home() { return "Hello World!"; } public static void main(String[] args) throws Exception { SpringApplication.run(SampleController.class, args); } A simple Spring Boot Application
  • 9. Demo Let’s hit some keys !! Hello World from Spring Boot
  • 10. ❖@Controller - annotates a class as an MVC controller ❖@Configuration - tags the class as a source of bean definitions for the application context. ❖@EnableAutoConfiguration - enables auto configuration for the application ❖@ComponentScan - This tells Spring to look for classes with @Component ,@Configuration , @Repository , @Service , and @Controller and wire them into the app context as beans. ❖@SpringBootApplication - get the functionality of all above annotations in a single annotation Whats Happening?
  • 11. How Spring boot works ?
  • 12. Directory Structure of Spring Boot There is no restrictions on directory structure. We can create one as we are used to in grails or we can create one that is shown in the picture.
  • 13. Demo Let’s hit some keys !! Look at the directory structure
  • 14. Spring Boot Essentials Spring Boot brings a great deal of magic to Spring application development. But there are four core tricks that it performs: ■ Automatic configuration — Spring Boot can automatically provide configuration for application functionality common to many Spring applications. ■ Starter dependencies — You tell Spring Boot what kind of functionality you need,and it will ensure that the libraries needed are added to the build. ■ The command-line interface — This optional feature of Spring Boot lets you write complete applications with just application code, but no need for a traditional project build. ■ The Actuator — Gives you insight into what’s going on inside of a running Spring Boot application.
  • 15. What Spring Boot isn’t ? 1. Spring Boot is not an application server. It has embedded server that helps it run by executing a jar file of the project. 1. Spring Boot doesn’t implement any enterprise Java specifications such as JPA or JMS. It auto configures these beans and provide them at runtime to our disposal. 1. Spring Boot doesn’t employ any form of code generation to accomplish its magic. Instead, it leverages conditional configuration features from Spring, along with transitive dependency resolution offered by Maven and Gradle, to automatically configure beans in the Spring application context.
  • 17. 1. Done with the help of Gradle or Maven. 2. Dependencies are resolved by build.gradle in gradle build environment. 3. For maven they are resolved from pom.xml 4. Gradle supports groovy DSL like syntax and is much easier to maintain. It frees us from the fuss of writing xml for dependency resolution. Dependency Resolution
  • 18. Resolving dependencies using Gradle Let’s have a look at the build.gradle file in the root of our application.
  • 19. Demo Let’s hit some keys !! build.gradle
  • 20. 1. Annotated by the annotation @Entity 2. javax.persistence.Entity/grails.persistence.Entity/org.hibernate.annotat ions.Entity 3. Can use JPA 2.1, Hibernate, Spring Data, GORM etc . 4. Classes annotated by @Entity is a component which our main class searches for by the help of @ComponentScan Domains
  • 21. Demo Let’s hit some keys !! Domains
  • 22. 1. Provides abstraction. 2. Significantly reduces the amount of boilerplate code required to implement DAO layer 3. Supports various persistence stores like MySql , MongoDB etc. The central interface in Spring Data repository abstraction is Repository.It takes the the domain class to manage as well as the id type of the domain class as type arguments. This interface acts primarily as a marker interface to capture the types to work with and to help you to discover interfaces that extend this one. Repositories
  • 23. The CrudRepository provides sophisticated CRUD functionality for the entity class that is being managed. public interface CrudRepository<T, ID extends Serializable> extends Repository<T, ID> { S save(S entity); //Saves the given entity T findOne(ID primaryKey); //Returns the entity identified by the given id Iterable<T> findAll(); //Returns all entities Long count(); //Returns the number of entities void delete(T entity); //Deletes the given entity boolean exists(ID primaryKey); //Indicates whether an entity with the given id exists // … more functionality omitted. }
  • 24. How a repository works ? 1. Declare an interface extending Repository or one of its subinterfaces and type it to the domain class that it will handle. public interface PersonRepository extends Repository<User, Long> { … } 1. Declare query methods on the interface. List<Person> findByLastname(String lastname); 1. Get the repository instance injected and use it. public class SomeClient { @Autowired private PersonRepository repository; public void doSomething() { List<Person> persons = repository.findByLastname("Nakul"); } }
  • 25. Demo Let’s hit some keys !! Repositories
  • 26. 1. Any java class can be converted into a controller by annotating it with @Controller or @RestController 2. @Controller - makes a java/groovy class as an MVC controller that renders a view 3. @RestController - makes a java/groovy class as a rest controller. Controllers
  • 27. What about ‘actions’ ? Any method defined inside a class annotated by @Controller or @RestController will behave like an action only if it has been annotated by @RequestMapping Ex - @RestController @RequestMapping(value = '/student') class RootController { @Autowired StudentRepository studentRepository @RequestMapping(method=RequestMethod.GET ,value = '{id}',produces = MediaType.APPLICATION_JSON_VALUE) public Student getOne(@PathVariable String id) { return studentRepository.findOne(Long.parseLong(id)) } }
  • 28. What about ‘actions’ ? Continued - A simple MVC controller Ex - @Controller @RequestMapping(value = '/student') class RootController { @Autowired StudentRepository studentRepository @RequestMapping(method=RequestMethod.GET ,value = '{id}') public ModelAndView getOne(@PathVariable String id) { return new ModelAndView(“views/index”,[:]) } }
  • 29. Demo Let’s hit some keys !! Controllers and Actions
  • 30. 1. Any java/groovy class can be converted into a service by annotating it with @Service 2. To make a service transactional mark it with @Transactional 3. @Transactional(propagation = REQUIRED) makes a transaction complete in itself 4. @Transactional(propagation = MANDATORY) is used to protect the other methods from being called erroneously out of a transaction 5. @Transactional(readOnly=true) makes a service read-only. Services
  • 31. Demo Let’s hit some keys !! Services
  • 32. 1. Spring supports Groovy template engine natively to render views modelled by the controller. 2. Thymeleaf is also a popular rendering engine being used with spring- boot 3. GSP’s can also be used as a part of presentation layer. 4. We can also use Angular.js as a frontend framework for use with REST- API’s for make a complete web-app. Views
  • 33. From where can we get these rendering engines ? Can be maintained as gradle dependencies in build.gradle Dependencies Groovy Template Engine - compile ("org.codehaus.groovy:groovy-templates:2.4.0") Thymeleaf Engine - compile("org.springframework.boot:spring-boot-starter-thymeleaf") Groovy Server Pages - compile "org.grails:grails-web-gsp:2.5.0" compile "org.grails:grails-web-gsp-taglib:2.5.0" provided "org.grails:grails-web-jsp:2.5.0"
  • 34. Groovy Template Engine Features 1. hierarchical (builder) syntax to generate XML-like contents (in particular, HTML5) 2. template includes 3. compilation of templates to bytecode for fast rendering 4. layout mechanism for sharing structural patterns
  • 35. Groovy Template Engine Dependency dependencies { compile "org.codehaus.groovy:groovy" compile "org.codehaus.groovy:groovy-templates" }
  • 36. Groovy Template Engine Example 1 link(rel: 'stylesheet', href: '/css/bootstrap.min.css') will be rendered as: <link rel='stylesheet' href='/css/bootstrap.min.css'/>
  • 37. Groovy Template Engine Example 2 a(class: 'brand', href: 'http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup-template- engine.html', 'Groovy - Template Engine docs') will be rendered as: <a class='brand' href='http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup- template-engine.html'>Groovy - Template Engine docs</a>
  • 38. Groovy Template Engine Example 3 a(class: 'brand', href:‘http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup- template-engine.html'){ yield 'Groovy - Template Engine docs' } will be rendered as: <a class='brand' href='http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup- template-engine.html'>Groovy - Template Engine docs</a>
  • 39. Demo Let’s hit some keys !! Views
  • 40. Groovy Template Engine - Layouts Layouts-Example yieldUnescaped '<!DOCTYPE html>' html { head { title(pageTitle) link(rel: 'stylesheet', href: '/css/bootstrap.min.css') } body { a(class: 'brand', href: 'http://beta.groovy-lang.org/docs/groovy-2.3.2/html/documentation/markup-template- engine.html', 'Groovy - Template Engine docs')
  • 41. Groovy Template Engine - Layouts Layouts - Example a(class: 'brand', href: 'hhttp://projects.spring.io/spring-boot/') { yield 'Spring Boot docs' mainBody() } } }
  • 42. Groovy Template Engine - Layouts Layouts 1. Common part of our template is kept into a main.tpl file that we will save into src/main/resources/templates/layouts 2. title(pageTitle) where pageTitle is expected to be the page title that we want to give 3. mainBody(), which will cause rendering of the main body for pages using that layout.
  • 43. Groovy Template Engine - Layouts Layouts in action layout 'layouts/main.tpl', pageTitle: 'Spring Boot - Groovy templates example with layout', mainBody: contents { div("This is an application using Spring Boot and Groovy Template Engine") }
  • 44. Groovy Template Engine - Layouts Layouts we call the layout method and provide it with several arguments: the name of the layout file to be used (layouts/main.tpl) pageTitle, a simple string mainBody, using the contents block
  • 45. Groovy Template Engine - Layouts Layouts Use of the contents block will trigger the rendering of the contents of mainBody inside the layout when the mainBody() instruction is found. So using this layout file, we are definitely sharing a common, structural pattern, against multiple templates. layouts are themselves composable, so you can use layouts inside layouts…
  • 46. Demo Let’s hit some keys !! Layouts
  • 47. Profiles Profiles In the normal Spring way, you can use a spring.profiles.active Environment property to specify which profiles are active. specify on the command line using the switch --spring.profiles.active=dev --spring.profiles.active=test --spring.profiles.active=production For every environment we create a application-{environment}.properties files in the resource directory.
  • 48. application.properties application.properties If no environment is specified then spring boot picks the default application.properties file from the ‘resources’ directory. Stores all the configurations in a single file . All the configurable properties can be referenced here
  • 49. Demo Let’s hit some keys !! Profiles
  • 50. References References Groovy Templates : https://spring.io/blog/2014/05/28/using-the-innovative- groovy-template-engine-in-spring-boot Spring Boot : Spring Boot in Action - Craig Walls, Manning Publication Learning Spring Boot - Greg L. Turnquist, Packt Publishing More References - http://docs.spring.io/spring- boot/docs/current/reference/htmlsingle/
  • 52. For dummy project please visit https://github.com/pant-nakul/springboot-crud- demo
  • 53. Thank You for your patience !!!