$show=/label

Singleton Scope Examples in Spring Boot

SHARE:

A quick guide to Spring boot beans singleton scopes. Example programs on how to define a bean as a singleton with @Scope annotation.

1. Introduction


In this article, We'll be learning how to create a singleton bean in Spring Boot and Spring applications. Once a bean is declared as singleton then spring container will create exactly only one instance for that bean. But, We can make bean scope as singleton as a result container will create only once instance as similar to the Singleton Desing Pattern.

By Default, A bean in spring is treated as singleton scoped. But, This can be changed to prototype as well with <bean> tag attribute and @Scope annotation.

Spring Boot Singleton Scope Examples

2. Singleton With @Scope Annotation


First of all, we will see now how to create and next, how to make bean as a singleton with @Scope annotation. @Scope Annotation has attribute value that takes the value as ConfigurableBeanFactory.SCOPE_SINGLETON or ConfigurableBeanFactory.SCOPE_PROTOTYPE

Another this is we already discussed in the previous article, Bean creation with @Bean annotation.




2.1 Creating Classes


Now, it is time to create a class for defining bean examples.

According to the Spring guidelines creating first a model class as below. Before going to the next step, first, understand that this service class has two instance variables amount and payamentStatus.


[package com.javaprogramto.bean.scopes.beanscopes;
public class PaymentService {
private long amount;
private String paymentStatus;
public long getAmount() {
return amount;
}
public void setAmount(long amount) {
this.amount = amount;
}
public String getPaymentStatus() {
return paymentStatus;
}
public void setPaymentStatus(String paymentStatus) {
this.paymentStatus = paymentStatus;
}
}]

Another class to create a bean for the model service with @Bean and @Scope annotations. Basically, @Component makes this class is visible to the Spring Boot for scanning and register PaymentService as a singleton bean with the context.

[package com.javaprogramto.bean.scopes.beanscopes;
import org.springframework.beans.factory.config.ConfigurableBeanFactory;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Scope;
import org.springframework.stereotype.Component;
@Component
public class PaymentConfiguration {
@Bean
@Scope(value = ConfigurableBeanFactory.SCOPE_SINGLETON)
public PaymentService getPaymentService() {
return new PaymentService();
}
}]

2.2 Creating CommandLineRunner for Testing


All the above code is just enough to test the code in spring application but in the spring boot, we should use the CommandLineRunner interface. CommandLineRunner is the most useful way to test our logic.

As soon as you create the class, ready for testing.

[import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.CommandLineRunner;
import org.springframework.stereotype.Component;
@Component
public class PaymentRunner implements CommandLineRunner {
Logger logger = LoggerFactory.getLogger(getClass());
@Autowired
private PaymentService service1;
@Autowired
private PaymentService service2;
@Override
public void run(String... args) throws Exception {
logger.info("service1 hashcode " + service1.hashCode());
service1.setAmount(100l);
service1.setPaymentStatus("success");
logger.info("service2 hashcode " + service2.hashCode());
logger.info("service2 amount " + service2.getAmount());
logger.info("service2 status " + service2.getPaymentStatus());
}
}]

Additionally, you can add any further logic as you need for testing. But, Here we are autowiring PaymentService twice with name service1 and service2 by using @Autowired. Whenever you are working with CommandLineRunner, a method run(String... args) should be overridden and it takes var-args arguments.

2.3 Running Main Spring Boot Application


All the changes are ready, you can run the main application of spring boot.

[package com.javaprogramto.bean.scopes.beanscopes;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class BeanScopesApplication {
public static void main(String[] args) {
SpringApplication.run(BeanScopesApplication.class, args);
}
}]

2.4 Output


Finally, Completed the writing the code. Without any delay, Start the main application and see the output.

Important to realize that we did not add any RestController in our examples. As a result, the Spring Boot starter should not start the embed tomcat server.


 [ .   ____          _            __ _ _
 /\\ / ___'_ __ _ _(_)_ __  __ _ \ \ \ \
( ( )\___ | '_ | '_| | '_ \/ _` | \ \ \ \
 \\/  ___)| |_)| | | | | || (_| |  ) ) ) )
  '  |____| .__|_| |_|_| |_\__, | / / / /
 =========|_|==============|___/=/_/_/_/
 :: Spring Boot ::        (v2.2.6.RELEASE)
2020-04-22 21:41:47.239  INFO 5780 --- [           main] c.j.b.s.b.BeanScopesApplication          : Starting BeanScopesApplication on -Pro-2.local with PID 5780 (/Users/venkateshn/Documents/VenkY/blog/workspace/bean-scopes/target/classes started by venkateshn in /Users/venkateshn/Documents/VenkY/blog/workspace/bean-scopes)
2020-04-22 21:41:47.242  INFO 5780 --- [           main] c.j.b.s.b.BeanScopesApplication          : No active profile set, falling back to default profiles: default
2020-04-22 21:41:47.770  INFO 5780 --- [           main] c.j.b.s.b.BeanScopesApplication          : Started BeanScopesApplication in 0.97 seconds (JVM running for 1.548)
2020-04-22 21:41:47.771  INFO 5780 --- [           main] c.j.b.scopes.beanscopes.PaymentRunner    : service1 hashcode 1360518503
2020-04-22 21:41:47.771  INFO 5780 --- [           main] c.j.b.scopes.beanscopes.PaymentRunner    : service2 hashcode 1360518503
2020-04-22 21:41:47.771  INFO 5780 --- [           main] c.j.b.scopes.beanscopes.PaymentRunner    : service2 amount 100
2020-04-22 21:41:47.771  INFO 5780 --- [           main] c.j.b.scopes.beanscopes.PaymentRunner    : service2 status success]

As I have said, spring boot did not start tomcat server and it executed run() method of PaymentRunner. Obviously, it has printed hashcodes of two objects and those are the same. And also, added values to the service1 instance and those are reflected in service2 object because PaymentService bean created as a singleton. Hence, all changes made to the service1 are available to the service2 and vice versa.

3. Conclusion


To summarize, We've seen how to create bean as a singleton scope. Furthermore injected those beans in CommandLineRunner implementation and seen how the values are changed to all instances of singleton bean.

As usual example code is over GitHub and the project can be downloaded.

[lock]

[View on GitHub ##eye##].  

[Download ##file-download##]

[/lock]

  • [accordion]
    • PaymentService.java
      • package com.javaprogramto.bean.scopes.beanscopes;
        
        public class PaymentService {
        
         private long amount;
         private String paymentStatus;
        
         public long getAmount() {
          return amount;
         }
        
         public void setAmount(long amount) {
          this.amount = amount;
         }
        
         public String getPaymentStatus() {
          return paymentStatus;
         }
        
         public void setPaymentStatus(String paymentStatus) {
          this.paymentStatus = paymentStatus;
         }
        
        }
    • PaymentConfiguration.java
      • package com.javaprogramto.bean.scopes.beanscopes;
        
        import org.springframework.beans.factory.config.ConfigurableBeanFactory;
        import org.springframework.context.annotation.Bean;
        import org.springframework.context.annotation.Scope;
        import org.springframework.stereotype.Component;
        
        @Component
        public class PaymentConfiguration {
        
         @Bean
         @Scope(value = ConfigurableBeanFactory.SCOPE_SINGLETON)
         public PaymentService getPaymentService() {
        
          return new PaymentService();
         }
        }
    • PaymentRunner.java
      • package com.javaprogramto.bean.scopes.beanscopes;
        
        import org.slf4j.Logger;
        import org.slf4j.LoggerFactory;
        import org.springframework.beans.factory.annotation.Autowired;
        import org.springframework.boot.CommandLineRunner;
        import org.springframework.stereotype.Component;
        
        @Component
        public class PaymentRunner implements CommandLineRunner {
        
         Logger logger = LoggerFactory.getLogger(getClass());
        
         @Autowired
         private PaymentService service1;
        
         @Autowired
         private PaymentService service2;
        
         @Override
         public void run(String... args) throws Exception {
          logger.info("service1 hashcode " + service1.hashCode());
          service1.setAmount(100l);
          service1.setPaymentStatus("success");
        
          logger.info("service2 hashcode " + service2.hashCode());
          logger.info("service2 amount " + service2.getAmount());
          logger.info("service2 status " + service2.getPaymentStatus());
        
         }
        
        }
    • BeanScopesApplication.java
      • package com.javaprogramto.bean.scopes.beanscopes;
        
        import org.springframework.boot.SpringApplication;
        import org.springframework.boot.autoconfigure.SpringBootApplication;
        
        @SpringBootApplication
        public class BeanScopesApplication {
        
         public static void main(String[] args) {
          SpringApplication.run(BeanScopesApplication.class, args);
         }
        
        }

Spring Singleton Scopes

COMMENTS

BLOGGER

About Us

Author: Venkatesh - I love to learn and share the technical stuff.
Name

accumulo,1,ActiveMQ,2,Adsense,1,API,37,ArrayList,18,Arrays,24,Bean Creation,3,Bean Scopes,1,BiConsumer,1,Blogger Tips,1,Books,1,C Programming,1,Collection,8,Collections,37,Collector,1,Command Line,1,Comparator,1,Compile Errors,1,Configurations,7,Constants,1,Control Statements,8,Conversions,6,Core Java,149,Corona India,1,Create,2,CSS,1,Date,3,Date Time API,38,Dictionary,1,Difference,2,Download,1,Eclipse,3,Efficiently,1,Error,1,Errors,1,Exceptions,8,Fast,1,Files,17,Float,1,Font,1,Form,1,Freshers,1,Function,3,Functional Interface,2,Garbage Collector,1,Generics,4,Git,9,Grant,1,Grep,1,HashMap,2,HomeBrew,2,HTML,2,HttpClient,2,Immutable,1,Installation,1,Interview Questions,6,Iterate,2,Jackson API,3,Java,32,Java 10,1,Java 11,6,Java 12,5,Java 13,2,Java 14,2,Java 8,128,Java 8 Difference,2,Java 8 Stream Conversions,4,java 8 Stream Examples,12,Java 9,1,Java Conversions,14,Java Design Patterns,1,Java Files,1,Java Program,3,Java Programs,114,Java Spark,1,java.lang,4,java.util. function,1,JavaScript,1,jQuery,1,Kotlin,11,Kotlin Conversions,6,Kotlin Programs,10,Lambda,2,lang,29,Leap Year,1,live updates,1,LocalDate,1,Logging,1,Mac OS,3,Math,1,Matrix,6,Maven,1,Method References,1,Mockito,1,MongoDB,3,New Features,1,Operations,1,Optional,6,Oracle,5,Oracle 18C,1,Partition,1,Patterns,1,Programs,1,Property,1,Python,2,Quarkus,1,Read,1,Real Time,1,Recursion,2,Remove,2,Rest API,1,Schedules,1,Serialization,1,Servlet,2,Sort,1,Sorting Techniques,8,Spring,2,Spring Boot,23,Spring Email,1,Spring MVC,1,Streams,31,String,61,String Programs,28,String Revese,1,StringBuilder,1,Swing,1,System,1,Tags,1,Threads,11,Tomcat,1,Tomcat 8,1,Troubleshoot,26,Unix,3,Updates,3,util,5,While Loop,1,
ltr
item
JavaProgramTo.com: Singleton Scope Examples in Spring Boot
Singleton Scope Examples in Spring Boot
A quick guide to Spring boot beans singleton scopes. Example programs on how to define a bean as a singleton with @Scope annotation.
https://blogger.googleusercontent.com/img/b/R29vZ2xl/AVvXsEgeOPTiovoCaYkSxMN7mS7V-xuwhL-_d3H7dajyUArxXoj7sHaksoepr59xJy9tIzVA0ttEkUf2nox3QAZaZFwqxwYwN9UZ_zYMyqMgdQ38etsMdZDSbRev-zjUcEPbCu_GJf8OOnP5y3s/s640/Spring+Boot+Singleton+Scope+Examples.png
https://blogger.googleusercontent.com/img/b/R29vZ2xl/AVvXsEgeOPTiovoCaYkSxMN7mS7V-xuwhL-_d3H7dajyUArxXoj7sHaksoepr59xJy9tIzVA0ttEkUf2nox3QAZaZFwqxwYwN9UZ_zYMyqMgdQ38etsMdZDSbRev-zjUcEPbCu_GJf8OOnP5y3s/s72-c/Spring+Boot+Singleton+Scope+Examples.png
JavaProgramTo.com
https://www.javaprogramto.com/2020/04/spring-boot-singleton-scope.html
https://www.javaprogramto.com/
https://www.javaprogramto.com/
https://www.javaprogramto.com/2020/04/spring-boot-singleton-scope.html
true
3124782013468838591
UTF-8
Loaded All Posts Not found any posts VIEW ALL Readmore Reply Cancel reply Delete By Home PAGES POSTS View All RECOMMENDED FOR YOU LABEL ARCHIVE SEARCH ALL POSTS Not found any post match with your request Back Home Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sun Mon Tue Wed Thu Fri Sat January February March April May June July August September October November December Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec just now 1 minute ago $$1$$ minutes ago 1 hour ago $$1$$ hours ago Yesterday $$1$$ days ago $$1$$ weeks ago more than 5 weeks ago Followers Follow THIS PREMIUM CONTENT IS LOCKED STEP 1: Share to a social network STEP 2: Click the link on your social network Copy All Code Select All Code All codes were copied to your clipboard Can not copy the codes / texts, please press [CTRL]+[C] (or CMD+C with Mac) to copy Table of Content