In modern backend development, asynchronous processing plays a crucial role in improving performance and responsiveness. Spring Boot provides a powerful mechanism for executing tasks asynchronously using the @Async annotation. This blog post will explore how to use @Async, its configuration, best practices, and some real-world use cases.

What is @Async in Spring Boot?

The @Async annotation in Spring allows methods to run asynchronously in a separate thread, enabling non-blocking execution. This is particularly useful when handling long-running tasks, such as sending emails, making API calls, or processing large amounts of data without blocking the main thread.

Key Features of @Async

  1. Runs in a Separate Thread
    When a method is annotated with @Async, Spring executes it in a separate thread, allowing the caller to continue execution without waiting.

  2. Requires ****@EnableAsync
    To enable asynchronous execution, you must annotate a configuration class with @EnableAsync.

  3. Supports Future, CompletableFuture, or void Return Types

    • void: Executes asynchronously but does not return a value.
    • Future<T> or CompletableFuture<T>: Returns a result when the task is completed.

Setting Up Asynchronous Processing

To enable and use @Async, follow these steps:

1. Add @EnableAsync to Your Configuration

Create a configuration class and annotate it with @EnableAsync to enable async processing:

import org.springframework.context.annotation.Configuration;
import org.springframework.scheduling.annotation.EnableAsync;

@Configuration
@EnableAsync
public class AsyncConfig {
}

2. Create an Asynchronous Service

Define a service with methods annotated with @Async.

import org.springframework.scheduling.annotation.Async;
import org.springframework.stereotype.Service;
import java.util.concurrent.CompletableFuture;

@Service
public class AsyncService {

    @Async
    public void asyncMethod() {
        System.out.println("Executing in thread: " + Thread.currentThread().getName());
    }

    @Async
    public CompletableFuture<String> asyncMethodWithReturn() {
        return CompletableFuture.completedFuture("Hello from async method");
    }
}

3. Calling the Async Methods

Inject the service and call the async methods.

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;

@Component
public class AsyncCaller {

    @Autowired
    private AsyncService asyncService;

    public void callAsyncMethod() {
        asyncService.asyncMethod(); // Executes in a separate thread
        asyncService.asyncMethodWithReturn().thenAccept(System.out::println);
    }
}

Important Considerations

1. Spring Beans Are Required

Methods annotated with @Async must be part of a Spring-managed bean (@Service, @Component, etc.), or they will not execute asynchronously.

2. Self-Invocation Won’t Work

Calling an @Async method from within the same class will not work because Spring uses proxy-based AOP to handle async execution. The call will be executed synchronously.

3. Thread Pool Configuration

By default, Spring Boot uses SimpleAsyncTaskExecutor, which creates a new thread for each task. However, this is not ideal for high-performance applications. Instead, you can define a custom thread pool.

Configuring a Thread Pool

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.scheduling.annotation.EnableAsync;
import org.springframework.scheduling.concurrent.ThreadPoolTaskExecutor;

import java.util.concurrent.Executor;

@Configuration
@EnableAsync
public class AsyncConfig {

    @Bean
    public Executor taskExecutor() {
        ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
        executor.setCorePoolSize(5);
        executor.setMaxPoolSize(10);
        executor.setQueueCapacity(25);
        executor.setThreadNamePrefix("AsyncThread-");
        executor.initialize();
        return executor;
    }
}

This configuration:

  • Sets a core pool size of 5 threads.
  • Allows up to 10 maximum threads.
  • Uses a queue capacity of 25 to store tasks.
  • Names threads with the prefix AsyncThread-.

4. Exception Handling in @Async Methods

When an exception occurs in an @Async method, it is not propagated to the caller. You must handle exceptions inside the method or use CompletableFuture.exceptionally().

Example:

@Async
public CompletableFuture<String> asyncMethodWithError() {
    try {
        throw new RuntimeException("Something went wrong");
    } catch (Exception e) {
        return CompletableFuture.completedFuture("Error: " + e.getMessage());
    }
}

Or handle errors in the caller:

asyncService.asyncMethodWithReturn()
    .exceptionally(ex -> "Recovered from: " + ex.getMessage())
    .thenAccept(System.out::println);

Real-World Use Cases

1. Sending Emails Asynchronously

@Async
public void sendEmail(String recipient, String message) {
    // Simulate email sending
    System.out.println("Sending email to " + recipient);
}

2. Executing Background Jobs

Use @Async with scheduled tasks to perform background jobs without blocking the main application flow.

import org.springframework.scheduling.annotation.Scheduled;
import org.springframework.stereotype.Service;

@Service
public class BackgroundJobService {

    @Async
    @Scheduled(fixedRate = 5000)
    public void runJob() {
        System.out.println("Running background job at " + System.currentTimeMillis());
    }
}

3. Fetching Data from Multiple Sources

Call multiple APIs asynchronously and aggregate responses efficiently.

@Async
public CompletableFuture<Data> fetchDataFromApi1() {
    return CompletableFuture.supplyAsync(() -> apiClient.getData("api1"));
}

@Async
public CompletableFuture<Data> fetchDataFromApi2() {
    return CompletableFuture.supplyAsync(() -> apiClient.getData("api2"));
}

Conclusion

Spring Boot’s @Async annotation provides an elegant way to run methods asynchronously, improving application performance and responsiveness. By configuring thread pools, handling exceptions properly, and using best practices, you can efficiently execute tasks in a non-blocking manner.

🚀 Next Steps: Try implementing @Async in your Spring Boot application and experiment with different thread pool configurations!