Spring Boot @Profile Guide
Spring Boot @Profile Guide
Using @Profile, you can configure Spring beans that will only be available when specific profiles are
active, providing flexibility in setting environment-specific behaviour without changing the core code.
For example:
import org.springframework.context.annotation.Profile;
import org.springframework.stereotype.Service;
@Service
@Profile("dev")
public class DevDataService implements DataService {
    public void loadData() { System.out.println("Loading development data");}
}
import org.springframework.context.annotation.Profile;
import org.springframework.stereotype.Service;
@Service
@Profile("prod")
public class ProdDataService implements DataService {
    public void loadData() {
         System.out.println("Loading production data");
    }
}
In this setup:
spring.profiles.active=dev
                                                    1
                                                     2
export SPRING_PROFILES_ACTIVE=dev
4. Programmatically: Set the profile in the code, for example in a main method:
In summary, Spring Boot's @Profile annotation provides a simple yet powerful way to manage
environment-specific beans and configurations, allowing you to toggle behavior based on the active
profile without modifying code.
To run your Spring Boot application in "dev" mode, you need to set the active profile to "dev".
There are several ways to do this:
application.properties:
spring.profiles.active=dev
application.yml:
spring:
  profiles:
    active: dev
This will make the "dev" profile active every time the application runs with this configuration file.
                                                     2
                                                     3
If you want to activate the "dev" profile only for a specific run, you can specify it as a command-line
argument when starting your Spring Boot application.
You can also set the active profile by defining an environment variable. This is useful in environments
where you want to switch profiles based on deployment without modifying code or properties files.
export SPRING_PROFILES_ACTIVE=dev
Then, start your application normally. Spring Boot will detect the SPRING_PROFILES_ACTIVE
environment variable and run in "dev" mode.
You can set the profile programmatically in your main application class. This approach is less common
but can be useful for dynamic profile selection based on certain conditions.
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class MyApplication {
To verify that your application is running in "dev" mode, you can log the active profile on startup or
check your Spring Beans to see if any @Profile("dev") beans are loaded.
By setting the active profile to "dev," you can run your application with development-specific
configurations, making it easy to manage separate settings for different environments.
                                                     3
                                                       4
To switch your Spring Boot application to use the "prod" profile, you simply need to set the active profile
to "prod". Here are several ways to do it:
If you want to default your application to the "prod" profile, set the spring.profiles.active property
to prod in application.properties or application.yml:
application.properties:
spring.profiles.active=prod
application.yml:
yaml
Copy code
spring:
  profiles:
     active: prod
This will activate the "prod" profile every time the application starts with this configuration file.
If you need to switch to "prod" mode only for a specific run, you can pass it as a command-line argument
when starting your Spring Boot application:
bash
Copy code
# Running with Maven
mvn spring-boot:run -Dspring-boot.run.profiles=prod
You can set the profile as an environment variable, which is often done in production environments so
you don’t need to modify the application code or configuration files directly:
export SPRING_PROFILES_ACTIVE=prod
Then start the application normally. Spring Boot will detect the SPRING_PROFILES_ACTIVE environment
variable and activate the "prod" profile.
                                                       4
                                                     5
Spring Boot can automatically load properties based on the active profile. You can create a separate
properties file named application-prod.properties or application-prod.yml. When you set the
active profile to prod, Spring Boot will load the configurations from this file.
When you set spring.profiles.active=prod, Spring Boot will merge the properties from
application.properties and application-prod.properties, with "prod" properties taking
precedence.
You can verify that the "prod" profile is active by checking the Spring Boot startup logs or by logging the
active profiles in the code.
Switching to the "prod" profile enables any configurations you’ve set for the production environment,
allowing your application to run with production-specific settings.
                                                     5
                                                    6
In Spring Boot, you can call one API from another API by using RestTemplate or WebClient (the latter
is preferred for non-blocking calls). Here’s an example using both approaches.
Let’s assume that your Primary API has an endpoint that receives a request from a client, and then it
calls a Secondary API.
1. Add RestTemplate Bean: Configure a RestTemplate bean in your Spring Boot application.
import   org.springframework.boot.web.client.RestTemplateBuilder;
import   org.springframework.context.annotation.Bean;
import   org.springframework.context.annotation.Configuration;
import   org.springframework.web.client.RestTemplate;
@Configuration
public class AppConfig {
    @Bean
    public RestTemplate restTemplate(RestTemplateBuilder builder) {
        return builder.build();
    }
}
    2. Create a Controller in the Primary API to Call the Secondary API: Use the RestTemplate
       instance to make a call to the secondary API.
import   org.springframework.beans.factory.annotation.Autowired;
import   org.springframework.web.bind.annotation.GetMapping;
import   org.springframework.web.bind.annotation.RequestMapping;
import   org.springframework.web.bind.annotation.RestController;
import   org.springframework.web.client.RestTemplate;
import   org.springframework.http.ResponseEntity;
@RestController
@RequestMapping("/primary-api")
public class PrimaryApiController {
    @Autowired
    private RestTemplate restTemplate;
    @GetMapping("/call-secondary")
    public ResponseEntity<String> callSecondaryApi() {
        // Call the Secondary API
        String response = restTemplate.getForObject(SECONDARY_API_URL, String.class);
        return ResponseEntity.ok("Response from secondary API: " + response);
    }
}
This will make a synchronous GET request to the SECONDARY_API_URL and return the response to the
client of the primary API.
                                                    6
                                                    7
1. Add WebClient Bean: Configure a WebClient bean in your Spring Boot application.
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.reactive.function.client.WebClient;
@Configuration
public class WebClientConfig {
    @Bean
    public WebClient.Builder webClientBuilder() {
        return WebClient.builder();
    }
}
    2. Create a Controller in the Primary API to Call the Secondary API: Use the WebClient
       instance to make a call to the secondary API.
import   org.springframework.beans.factory.annotation.Autowired;
import   org.springframework.http.ResponseEntity;
import   org.springframework.web.bind.annotation.GetMapping;
import   org.springframework.web.bind.annotation.RequestMapping;
import   org.springframework.web.bind.annotation.RestController;
import   org.springframework.web.reactive.function.client.WebClient;
import   reactor.core.publisher.Mono;
@RestController
@RequestMapping("/primary-api")
public class PrimaryApiController {
    @Autowired
    private WebClient.Builder webClientBuilder;
    @GetMapping("/call-secondary")
    public Mono<ResponseEntity<String>> callSecondaryApi() {
        // Call the Secondary API using WebClient
        return webClientBuilder.build()
                .get()
                .uri(SECONDARY_API_URL)
                .retrieve()
                .bodyToMono(String.class)
                .map(response -> ResponseEntity.ok("Response from secondary API: " +
response));
    }
}
Notes:
                                                    7
                                                   8
      Handling Errors: Both RestTemplate and WebClient provide mechanisms to handle errors. For
       RestTemplate, you can wrap calls in try-catch blocks; for WebClient, you can use .onStatus()
       to handle specific HTTP error statuses.
      URL Configuration: It's best practice to externalize URLs and other configuration settings into
       properties files rather than hard-coding them.
This setup allows the primary API to handle client requests and relay data from the secondary API.
                                                   8
                                                      9
in spring booot when you create a bean, it will be only one instance of that
class. how spring use the same bean for multiple pouposes in the same
time
In Spring Boot, when you create a bean (by annotating it with @Bean, @Component, @Service,
@Repository, etc.), Spring manages it as a singleton by default. This means that Spring creates only one
instance of the bean for the entire application context and reuses it wherever needed.
Here’s how Spring uses a single bean instance for multiple purposes at the same time:
    1. Thread Safety: When a singleton bean is used across multiple threads, it must be stateless (not
       holding mutable state that could be modified by different threads) to avoid concurrency issues.
       Stateless beans do not store data specific to a particular request or user, making them naturally
       thread-safe.
    2. Dependency Injection and AOP Proxying: Spring injects the singleton bean instance wherever
       it's required. Spring uses proxies (often CGLIB or JDK dynamic proxies) to handle method calls
       in a thread-safe manner when you apply aspects like @Transactional or @Async. These proxies
       ensure that each method call on a bean is isolated and operates on a single shared instance safely.
    3. Statelessness of Services and DAOs: Service-layer beans (typically marked with @Service) and
       Data Access Objects (DAOs, typically marked with @Repository) are commonly designed to be
       stateless. This means they handle data processing and database interactions without retaining any
       instance-specific data between calls, making them ideal for concurrent use.
    4. Scope Management: While the default scope of a bean is singleton, Spring provides other
       scopes (prototype, request, session, etc.) if different instances are required per use. For
       instance, beans with @Scope("prototype") are created anew every time they’re injected, which
       is useful for stateful beans or beans that need a unique instance per operation.
@Service
public class UserService {
    public String getUserData(String userId) {
         // Logic to retrieve user data
         return "Data for user " + userId;
     }
}
This UserService bean doesn’t hold any mutable instance variables, so it can be safely used by multiple
threads simultaneously without causing concurrency issues.
    1. Make use of ThreadLocal variables to keep data specific to the current thread.
    2. Consider changing the bean’s scope to prototype or request so that each
       thread or request gets its own instance.
In summary, Spring relies on statelessness, dependency injection, and thread-safe design patterns to
ensure singleton beans can be reused safely and efficiently across the application.
                                                      9
                                                     10
Yes, a Spring Bean is an object, but it's more than just a typical Java object. In Spring, a "bean" is any
object that is instantiated, assembled, and managed by the Spring IoC (Inversion of Control) container.
When you define a Spring bean, you're defining an object with specific lifecycle behaviors and
configurations managed by Spring.
@Service
public class UserService {
    public String getUserName(Long id) {
        // Code to fetch user name
        return "User" + id;
    }
}
The UserService bean is managed by Spring due to the @Service annotation. Spring will create an
instance of this bean, manage its dependencies, and make it available to other parts of the application.
In summary, while a Spring Bean is indeed a Java object, it's enhanced by Spring's IoC container, giving
it additional features and lifecycle management capabilities.
                                                     10
                                                    11
for each autowired bean spring boot provide a new instance of that bean?
No, by default, Spring Boot does not provide a new instance of a bean each time it's autowired. Instead, it
uses a singleton scope for beans, meaning that only one instance of each bean is created and shared
across the entire application context. This single instance is reused every time the bean is injected with
@Autowired.
    1. Singleton Scope (Default): When you create a bean in Spring Boot, it’s a singleton by default
       (@Scope("singleton")). Spring will create a single instance of the bean at application startup
       and will reuse this instance whenever it is injected using @Autowired.
@Service
public class MyService {
    // Bean logic here
}
java
Copy code
@RestController
public class MyController {
     @Autowired
     private MyService myService; // same instance used each time
       In this example, MyService is created once by Spring Boot, and the same instance is injected into
       MyController.
    2. Prototype Scope: If you want Spring to create a new instance each time a bean is autowired, you
       can use the @Scope("prototype") annotation. When a bean is defined with prototype scope,
       Spring will create a new instance every time it is requested (i.e., every time it’s injected with
       @Autowired).
@Service
@Scope("prototype")
public class MyPrototypeService {
    // Prototype bean logic
}
       Now, whenever MyPrototypeService is injected, a new instance will be provided. This is useful
       for beans that need to maintain unique state or be mutable for each injection.
    3. Other Scopes: Besides singleton and prototype, Spring also offers additional scopes, such as
       request, session, and application, which are mainly used in web applications to create
       different instances depending on the HTTP request or session lifecycle.
                                                    11
                                                   12
If we inject MyService (a singleton) and MyPrototypeService (a prototype) into a controller like this:
@RestController
public class MyController {
    @Autowired
    private MyService singletonService; // same instance always
    @Autowired
    private MyPrototypeService prototypeService; // new instance each time
}
Each time MyService is used, the same instance will be provided. For MyPrototypeService, a new
instance will be created every time it is autowired or retrieved from the context.
Conclusion
By default, Spring Boot uses a single instance (singleton) for each @Autowired bean. If a new instance is
needed each time, the bean’s scope can be set to prototype.
                                                   12
                                                     13
Annotate the bean with @Scope("prototype") to ensure Spring creates a new instance each time the
bean is requested:
import org.springframework.context.annotation.Scope;
import org.springframework.stereotype.Service;
@Service
@Scope("prototype") // Tells Spring to create a new instance every time the bean is injected
public class PrototypeService {
    // Logic for the prototype-scoped bean
}
When you inject PrototypeService in multiple classes, each injection will receive a new instance of the
bean.
@Controller
public class MyController {
     @Autowired
     public MyController(PrototypeService prototypeService) {
         this.prototypeService = prototypeService;
     }
@Service
public class MyService {
     @Autowired
     public MyService(PrototypeService prototypeService) {
                                                     13
                                                  14
          this.prototypeService = prototypeService;
     }
Here, each injection of PrototypeService in MyController and MyService will be a new instance.
If you need a new instance only at specific times rather than each injection, you can use ObjectProvider
to retrieve a new instance on demand:
import org.springframework.beans.factory.ObjectProvider;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
@Service
public class MyService {
     @Autowired
     public MyService(ObjectProvider<PrototypeService> prototypeServiceProvider) {
         this.prototypeServiceProvider = prototypeServiceProvider;
     }
Important Notes
    1. Prototype Scope and Lifecycle: Spring’s IoC container manages the lifecycle of singleton beans,
       but it won’t manage prototype beans after they’re created. This means that any cleanup or
       destruction (if needed) must be handled manually.
    2. Stateful vs. Stateless Design: Typically, beans are made stateless (no mutable state) to avoid
       concurrency issues. If you need separate instances to hold state, then prototype scope is
       appropriate. Otherwise, prefer singleton beans for performance and simplicity.
                                                  14
                                                    15
By default, Spring creates a single instance (singleton) of each bean within the application context. This
single instance is then injected wherever that bean is required, allowing for reuse without creating
additional instances.
In this example, MySharedService is a singleton, meaning Spring will create a single instance of it. You
can then inject this bean into multiple other classes.
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
@Controller
public class MyController {
        @Autowired
        public MyController(MySharedService mySharedService) {
            this.mySharedService = mySharedService;
        }
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
@Service
public class MyService {
        @Autowired
        public MyService(MySharedService mySharedService) {
            this.mySharedService = mySharedService;
        }
In this example:
                                                    15
                                                   16
      Spring injects the same instance of MySharedService into both classes, allowing
       it to be used in multiple places within the application.
      Singleton Scope (Default): The same instance is shared across all places
       where it’s injected, as seen in the above example.
      Prototype Scope: Each time the bean is injected, a new instance is
       provided. This is useful if you need a new, independent instance each time
       you use the bean.
   1. Code Reusability: By defining a single bean that can be used across multiple
      parts of the application, you avoid redundant code and centralize common
      logic.
   2. Decoupling: With Spring’s dependency injection, you can inject beans
      wherever they are needed without tightly coupling classes to their
      dependencies, making the code more modular.
   3. Centralized Management: Since a single instance is managed by Spring,
      any configuration or dependency change to that bean applies to all parts of
      the application that use it.
In summary, Spring beans can be easily reused in multiple places within the same application by injecting
them wherever they’re needed, with singleton scope ensuring that a single instance is shared, and
prototype allowing for unique instances if required.
                                                   16
                                                    17
import org.springframework.stereotype.Service;
@Service
public class SharedBean {
    private String data;
Now, if SharedBean is injected into two different classes, any changes made to its state in one class will
be reflected in the other class:
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
@Controller
public class FirstController {
     @Autowired
     public FirstController(SharedBean sharedBean) {
         this.sharedBean = sharedBean;       }
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
@Controller
public class SecondController {
     @Autowired
     public SecondController(SharedBean sharedBean) {
         this.sharedBean = sharedBean;       }
                                                    17
                                                     18
If you need a separate instance of a bean for each injection, you can use @Scope("prototype"), which
ensures that every injection of the bean will be a new instance:
import org.springframework.context.annotation.Scope;
import org.springframework.stereotype.Service;
@Service
@Scope("prototype")
public class IndependentBean {
    private String data;
In this case, if IndependentBean is injected into different classes, each will get its own instance, so
changes in one instance won’t affect the others.
Summary
For shared data, make sure the bean is stateless (not holding mutable state), or use prototype scope if you
need separate instances for different parts of your application.
18