DEV Community

Philipp Gysel
Philipp Gysel

Posted on • Updated on

Spring Boot Annotations Learn Spring Boot by Annotations

This blog will teach you the basics of Spring Boot by looking at the available annotations. A lot of the magic in Spring Apps happens via annotations such as @Bean, @RestController, and @Component.

Blue Mountains

Why We Care about Spring Annotations

Spring has some powerful concepts like dependency injection (DI) which is made possible thanks to Spring-managed components. Here, all Classes annotated with @Component are candidates for DI and can be used by other Classes without explicit instantiation. Spring offers a feature called Inversion of Control Container which will do all necessary injections in the background, all magic happens without any work from the developer😊 This is a great example for learning Spring by studying annotations: The Java code of a given Class may look completely normal, but when we consider this metadata, much richer functionality is possible (like DI). There are many of those annotations that significantly add functionality unique to Spring.

I dare to argue that a great way of learning Spring is by understanding the most common annotations. In the rest of this article, we will look at different annotations (from Spring as well as javax.persistence), describe their purpose, and show some code samples. I also created a Java Spring Boot app with all the described annotations included, so if you wanna look at a fully working example, checkout my Github repo.

Spring Annotations Overview

First let’s get an overview of what I consider the most important Spring annotations. Let me state that my selection is aimed at people interested in RESTful webservices. For other people, the optimal selection might vary slightly. Anyways, apart from Spring annotations, we’ll also cover metadata tags from the Javax Persistence API. The reason for this: we nearly always use a database in our backend, and this is a feature supported by Javax, not Spring, so I decided to include it here.

Here's a list of annotations we'll cover:

List of annotations

As you can see in the table above, there’s quite some annotations to cover in this blog, so I decided to put them into functional groups. Let’s get started with syntactic metadata used in the Main class:

Main Class Annotation

Covered in this section:

  • @SpringBootApplication

Thankfully, in a Spring app, our Main Method doesn’t have to do much: we don’t need to code up any logic to assemble our service components and boot it up. Instead, all we need is to annotate the Main class with @SpringBootApplication. This will mainly trigger two things: First, Spring Boot will apply the default configuration such as socket read timeout. Secondly, Spring will search for all Spring-managed components, e.g. Classes annotated with @RestController.

Here’s how our Main class would look like:

@SpringBootApplication
public class SpringBootAnnotationsApplication {
  public static void main(final String[] args) {
    SpringApplication.run(SpringBootAnnotationsApplication.class, args);
  }
}
Enter fullscreen mode Exit fullscreen mode

A fully working example can be found in my Github repo in SpringBootAnnotationsApplication.java.

REST Endpoint Annotations

Covered in this section:

  • @RestController
  • @RequestMapping
  • @PathVariable
  • @RequestBody

Say our web service should be able to answer to several REST requests. To implement this, we just need a Class annotated with @RestController which contains methods annotated with @RequestMapping. Each such method represents one REST endpoint.

When a REST request arrives, Spring will automatically search for the corresponding method, deserialize the incoming request, put all incoming data into our method parameters, and we’re ready to perform our own business logic. In the end, our result (a Java object) will get serialized by Spring and returned over HTTP. All we need to worry about is having the right footprint for our method, which should include the following: URI, URI path parameters, URI query parameter, HTTP request body, and HTTP answer body.

@RequestMapping(method = RequestMethod.PATCH, path = "/api/account/{accountId}")
public ResponseEntity<AccountRJ> activateAccount(
    @PathVariable(value = "accountId") Integer accountId,
    @RequestBody Integer startBalance) {
  // implement method ...
}
Enter fullscreen mode Exit fullscreen mode

Here’s an example for a corresponding REST request:

PATCH https://www.../api/account/5
Request Body: "10"
Enter fullscreen mode Exit fullscreen mode

In our code snipped, the accountId would be 5 and startBalance would be 10. The REST answer should be an object of type AccountRJ. To be more specific, the method return value should be of type ResponseEntity<T>. This is a Spring class containing all HTTP reply data such as status code, body, header, etc.

A fully working example can be found in my Github repo in WeatherRestController.java.

Periodic Task Annotations

Covered in this section:

  • @Scheduled
  • @EnableScheduling

Some web services need to do regular work in the background, such as archiving old data, aggregating data to create statistics etc. Spring makes the implementation of periodic tasks as easy as this:

@Configuration
@EnableScheduling
public class TaskConfig {
  @Scheduled(cron = "* * * * * ?")
  public void doTask() {
    System.out.println("hello world");
  }
}
Enter fullscreen mode Exit fullscreen mode

As you can see, all we need is a Class annotated with @EnableScheduling and a method annotated with @Scheduled(cron=...). This method will run in the background according to our cron expression, e.g. every 10 minutes, or every hour.

A fully working example can be found in my Github repo in WeatherStatsTask.java.

Bean Annotation

Covered in this section:

  • @Configuration
  • @Bean

To get your app up and running quickly, Spring Boot has lots of sensible default configurations like the REST configuration (e.g. read timeout, connect timeout). We can overwrite configuration defaults by defining our own Beans.

@Configuration
public class RestConfig {
  @Bean public RestTemplate restTemplate(final RestTemplateBuilder builder) {
    return builder
        .setConnectTimeout(Duration.parse("PT5s"))
        .setReadTimeout(Duration.parse("PT10s"))
        .build();
  }
}
Enter fullscreen mode Exit fullscreen mode

As displayed above, our Beans are put in a @Configuration-class and the method is annotated with @Bean. The return type is essential here: whenever Spring needs to work with a RestTemplate, it will configure it according to our specification.

A fully working example can be found in my Github repo in JpaConfig.java.

Quick Note on Dependency Injection

Let's quickly look at the concept of dependency injection, as this is essential to understand Spring-managed components.

Spring offers an Inversion of Control (IoC) Container: Instead of manually initializing all members of an object, Spring will inject all necessary dependencies. In the graphic below, you can see a Class requiring an object of another Class:

Parent-Child dependency

The Class Parent contains a Child object:

public class Parent {
  private final Child child;
  public Parent(Child child) { this.child = child; }
}
Enter fullscreen mode Exit fullscreen mode

We can now annotate the dependency with @Component as follows:

@Component
public class Child {  }
Enter fullscreen mode Exit fullscreen mode

Now, when Spring IoC must create an object of type Parent, it will automatically create an object of Child, then pass the object as argument to the Parent constructor, thus creating an object where all dependencies are initialized.

Note that the actual dependency chain in a complex application can have several hierarchy levels. Spring IoC will also work for complicated cases where one Class will require another one which again will require a third one and so on. Moreover, Spring IoC even works for Interface-Dependencies: when a Class requires an object of the type of an interface, Spring will search for a Class implementing that interface and inject it.

Annotations for Spring Managed Components

Covered in this section:

  • @Component
  • @Service
  • @Repository

Now that you understand the concept of dependency injection, let’s focus on the three different annotations that specify Spring-managed components:

  • @Component: This Class is registered in the Spring-ApplicationContext and becomes a candidate for dependency injection.
  • @Service: has the same meaning as @Component, but is used for the service layer of an app (with business logic).
  • @Repository: same as @Component, but for Classes performing database access. The standard database exceptions will automatically be caught by Spring and dealt with appropriately.

Note that all of these annotations are to be applied at class-level.

A fully working example can be found in my Github repo in:

  • @Components -> AnnotationsAppProperties.java
  • @Service -> WeatherService.java
  • @Repository -> WeatherRepository.java

Persistence Annotations

Covered in this section:

  • @Entity
  • @ Id
  • @GeneratedValue
  • @EnableJpaRepositories
  • @EnableTransactionManagement

Similar to the previous sections, annotations come in handy for data persistence: all we need is the right annotations! For the following example, let’s just focus on an SQL use case, and let’s use Spring Data Jpa. To do the ORM mapping, we need an @Entity class as follows:

@Entity
public class WeatherPO {
  @Id
  @GeneratedValue(strategy=GeneratorionType.IDENTITY)
  private Long id;
  private Integer temperature;
}
Enter fullscreen mode Exit fullscreen mode

In the above code, the WeatherPO class holds all data elements which we want to represent from our relational database. The first member is also annotated with @Id which indicates that this is the primary key. Moreover, we define a strategy to generate new primary keys, again with an annotation!

Now we are ready to define a JpaRepository with which we can fetch WeatherPO objects from the database:

@Repository
public interface WeatherRepository extends JpaRepository<WeatherPO, Long> {}
Enter fullscreen mode Exit fullscreen mode

When Spring sees the @Repository annotation, it will automatically create an implementing class to access the DB. We can use the Repository via dependency injection:

@Service
public class WeatherService {
  private final WeatherRepository repo;
  public WeatherService(WeatherRepository repo) { this.repo = repo; }

  public WeatherPO find(Long id) {
    return repo.getOne(id);
  }
}
Enter fullscreen mode Exit fullscreen mode

For a complete list of all JpaRepository functions, like getOne() used in the code above, checkout out the official documentation here.

So far, we’ve covered all Java code necessary to access a database. To make everything work, we additionally need the right Maven dependency: Spring’s spring-boot-starter-data-jpa. There exists a myriad of SQL databases, if we choose to use the simple H2 database, we need one more Maven dependency: com.h2database.h2.

Optionally, we can configure our database (username, password, URL, etc). Note that the H2 database will work out of the box, but for others like an Oracle DB, you would need this additional configuration. Namely, you can force the search of repositories with @EnableJpaRepositories and you can create your own database related beans with the @EnableTransactionManagement annotation.

A fully working example can be found in my Github repo in:

  • @Entity, @ Id, @GeneratedValue -> WeatherPO.java
  • @Repository -> WeatherRepository.java
  • @EnableJpaRepositories, @EnableTransactionManagement -> JpaConfig.java

Miscellaneous Annotations

Covered in this section:

  • @Autowired
  • @ConfigurationProperties

@ConfigurationProperties can be used to automatically fetch configuration values from a .properties or .yaml file and put them into our Java class with the same data structure. This allows us to set config values in a configuration file, which can be easily altered later.

@Autowired forces dependency injection. We need to start the dependency-injection-mechanism at the root of the dependency chain. When we ask Spring to initialize the top-level object, this will trigger the initialization and injection of all objects in the dependency chain. The @Autowired annotation can be used for this purpose and put before the top-level object.

A fully working example can be found in my Github repo in:

  • @ConfigurationProperties -> AnnotationsAppProperties.java
  • @Autowired -> WeatherIntegrationTest.java

Annotations for Testing

Covered in this section:

  • @SpringBootTest
  • @AutoConfigureMockMvc

Spring offers annotations just for testing purposes, a great feature to make your integration tests simpler! Since this post is already a bit longer than originally intended, I’ll stop here and refer you to the fully working example in WeatherIntegrationTest.java.

Summary

Congrats, you made it to the finish of this (rather lengthy) post😊 I hope this post has helped you to understand the most important annotations of Spring. If you want to know more details, I encourage you to have a look at my Github repo with a fully working Spring Boot service using all annotations from this post.

Also, if you have a Spring annotation which you consider essential and it’s not covered here, please leave a comment and I will try to extend this article or creating a new one which includes your annotation.

Finally, please remember to heart❤️ this article if you found it useful!

Top comments (8)

Collapse
 
baso53 profile image
Sebastijan Grabar

Great post mate!

I think that @Component, @Service and @Repository belong to the Configuration category, they really don't have much to do with dependency injection, or maybe even add a new category - beans. Also, @Qualifier is a useful annotation that would go into the Dependency injection category.

Collapse
 
pmgysel profile image
Philipp Gysel

Hi Sebastijan, thanks :) I see your point, the Spring-managed component annotations also register Beans in the background, same as @Bean. However, I also wanted to cover the concept of IoC in this article to make everything more accessible to beginners. So now I kinda reshufled the annotations/chapters to be closer to your suggestion but keep everything easy to understand.

Collapse
 
rebaiahmed profile image
Ahmed Rebai
  • You can add to your blog @Aspect to add some Aspect-oriented programming to your project for example to handle Logging,
  • @EnableSwagger2 : to add swagger to your project and make some documentation for your API -And about Dependency injection, there are some opinions that said using injecting by constructor is better than by @Autowired, what about you?
Collapse
 
pmgysel profile image
Philipp Gysel

Hey Ahmed, thanks for the hints, both @Aspect and @EnableSwagger2 are important annotations! I am new myself to aspect oriented programming, but the concept is really interesting and I'll learn more about it myself in the future😀 As for the Swagger-docu, I have another post here that explains the annotation well: dev.to/pmgysel/log-capturing-app-w.... Finally, yes @Autowired is something I try to avoid and use constructor based dependency injection instead! I mostly just use @Autowired for test classes...

Collapse
 
docswebapps profile image
Dave Collier • Edited

Thanks for the post.

I don't use @ServletComponentScan for rest based Spring Boot applications and they work fine with @RestController. I read somewhere that @ServletComponentScan should be added if you're using @WebServlet, @WebFilter, or @WebListener annotations.

Collapse
 
pmgysel profile image
Philipp Gysel

Thanks Dave, good point! I included your improvement in the code :)

Collapse
 
nicholasmenez profile image
Nicholas Menezes

Thank you very much!! Its so hard to find this type of post and I was really looking for something like this!!

Collapse
 
pmgysel profile image
Philipp Gysel

Thanks, great to hear😀