Skip to content
geeksforgeeks
  • Tutorials
    • Python
    • Java
    • Data Structures & Algorithms
    • ML & Data Science
    • Interview Corner
    • Programming Languages
    • Web Development
    • CS Subjects
    • DevOps And Linux
    • School Learning
    • Practice Coding Problems
  • Courses
    • DSA to Development
    • Get IBM Certification
    • Newly Launched!
      • Master Django Framework
      • Become AWS Certified
    • For Working Professionals
      • Interview 101: DSA & System Design
      • Data Science Training Program
      • JAVA Backend Development (Live)
      • DevOps Engineering (LIVE)
      • Data Structures & Algorithms in Python
    • For Students
      • Placement Preparation Course
      • Data Science (Live)
      • Data Structure & Algorithm-Self Paced (C++/JAVA)
      • Master Competitive Programming (Live)
      • Full Stack Development with React & Node JS (Live)
    • Full Stack Development
    • Data Science Program
    • All Courses
  • Java Arrays
  • Java Strings
  • Java OOPs
  • Java Collection
  • Java 8 Tutorial
  • Java Multithreading
  • Java Exception Handling
  • Java Programs
  • Java Project
  • Java Collections Interview
  • Java Interview Questions
  • Java MCQs
  • Spring
  • Spring MVC
  • Spring Boot
  • Hibernate
Open In App
Next Article:
Spring Boot - Difference Between @Service Annotation and @Repository Annotation
Next article icon

Spring Boot - Difference Between @Service Annotation and @Repository Annotation

Last Updated : 02 May, 2022
Comments
Improve
Suggest changes
Like Article
Like
Report

Spring Annotations are a form of metadata that provides data about a program. Annotations are used to provide supplemental information about a program. It does not have a direct effect on the operation of the code they annotate. It does not change the action of the compiled program. 

@Service Annotation

In an application, the business logic resides within the service layer so we use the @Service Annotation to indicate that a class belongs to that layer. It is also a specialization of @Component Annotation like the @Repository Annotation. One most important thing about the @Service Annotation is it can be applied only to classes. It is used to mark the class as a service provider. So overall @Service annotation is used with classes that provide some business functionalities. Spring context will autodetect these classes when annotation-based configuration and classpath scanning is used.

Step By Step Implementation

Step 1: Create a Simple Spring Boot Project

Step 2: Add the spring-context dependency in your pom.xml file. Go to the pom.xml file inside your project and add the following spring-context dependency.

XML
<dependency>     <groupId>org.springframework</groupId>     <artifactId>spring-context</artifactId>     <version>5.3.13</version> </dependency> 

Step 3: In your project create one package and name the package as "service". In the service, the package creates a class and name it as "MyServiceClass". 

Java
// Java Program to Illustrate MyServiceClass  // Importing package module to code module package com.example.demo.service; // Importing required classes import org.springframework.stereotype.Service;  // Annotation @Service  // Class public class MyServiceClass {      // Method     // To compute factorial     public int factorial(int n)     {         // Base case         if (n == 0)             return 1;          return n * factorial(n - 1);     } } 

In this code notice that it’s a simple java class that provides functionalities to calculate the factorial of a number. So we can call it a service provider. We have annotated it with @Service annotation so that spring-context can autodetect it and we can get its instance from the context.

Step 4: Spring Repository Test

So now our Spring Repository is ready, let’s test it out. Go to the DemoApplication.java file and refer to the below code.

Java
// Java Program to Illustrate DemoApplication  // Importing package module to code fragment package com.example.demo; // Importing required classes import com.example.demo.service.MyServiceClass; import org.springframework.boot.autoconfigure.SpringBootApplication; import org.springframework.context.annotation.AnnotationConfigApplicationContext;  // Annotation @SpringBootApplication  // Main class public class DemoApplication {      // MAin driver method     public static void main(String[] args)     {          AnnotationConfigApplicationContext context             = new AnnotationConfigApplicationContext();         context.scan("com.example.demo");          context.refresh();          MyServiceClass myServiceClass             = context.getBean(MyServiceClass.class);          // Testing the factorial method         int factorialOf5 = myServiceClass.factorial(5);         System.out.println("Factorial of 5 is: "                            + factorialOf5);          // Closing the spring context         // using close() method         context.close();     } } 

Output: 

@Repository Annotation

@Repository Annotation is a specialization of @Component annotation which is used to indicate that the class provides the mechanism for storage, retrieval, update, delete and search operation on objects. Though it is a specialization of @Component annotation, so Spring Repository classes are autodetected by spring framework through classpath scanning. This annotation is a general-purpose stereotype annotation which very close to the DAO pattern where DAO classes are responsible for providing CRUD operations on database tables. 

Step By Step Implementation

Step 1: Create a Simple Spring Boot Project

Refer to this article Create and Setup Spring Boot Project in Eclipse IDE and create a simple spring boot project. 

Step 2: Add the spring-context dependency in your pom.xml file. Go to the pom.xml file inside your project and add the following spring-context dependency.

XML
<dependency>     <groupId>org.springframework</groupId>     <artifactId>spring-context</artifactId>     <version>5.3.13</version> </dependency> 

 
Step 3: In your project create two packages and name the package as "entity" and "repository". In the entity, package creates a class name it as Student. In the repository, the package creates a Generic Interface named as DemoRepository and a class name it as StudentRepository. 

Step 4: Create an entity class for which we will implement a spring repository. Here our entity class is Student. Below is the code for the Student.java file.  

Java
// Java Program to Illustrate Simple POJO (Plain Old Java // Object) Class  package com.example.demo.entity;  // Class public class Student {      // Attributes     private Long id;     private String name;     private int age;      // Generating the constructor     public Student(Long id, String name, int age)     {         this.id = id;         this.name = name;         this.age = age;     }      // Getter-setters     public Long getId() { return id; }      public void setId(Long id) { this.id = id; }      public String getName() { return name; }      public void setName(String name) { this.name = name; }      public int getAge() { return age; }      public void setAge(int age) { this.age = age; }      // Overriding toString() method of String class     @Override public String toString()     {         return "Student{"             + "id=" + id + ", name='" + name + '\''             + ", age=" + age + '}';     } } 

Step 5: Before implementing the Repository class we have created a generic DemoRepository interface to provide the contract for our repository class to implement. 

Java
// Java Program to illustrate DemoRepository File  package com.example.demo.repository;  public interface DemoRepository<T> {      // Save method     public void save(T t);      // Find a student by its id     public T findStudentById(Long id);  } 

Step 6: Now let’s look at our StudentRepository class implementation. 

Java
// Java Program to Illustrate StudentRepository File  package com.example.demo.repository;  import com.example.demo.entity.Student; import org.springframework.stereotype.Repository;  import java.util.HashMap; import java.util.Map;  @Repository public class StudentRepository implements DemoRepository<Student> {      // Using an in-memory Map     // to store the object data     private Map<Long, Student> repository;      public StudentRepository() {         this.repository = new HashMap<>();     }      // Implementation for save method     @Override     public void save(Student student) {         repository.put(student.getId(), student);     }      // Implementation for findStudentById method     @Override     public Student findStudentById(Long id) {         return repository.get(id);     } } 

In this StudentRepository.java file, you can notice that we have added the @Repository annotation to indicate that the class provides the mechanism for storage, retrieval, update, delete and search operation on objects.

Note: Here we have used an in-memory Map to store the object data, you can use any other mechanisms too. In the real world, we use Databases to store object data. 

Step 7: Spring Repository Test

So now our Spring Repository is ready, let’s test it out. Go to the DemoApplication.java file and refer to the below code. 

Java
// Java Program to Illustrate Spring Repository Test  package com.example.demo;  import com.example.demo.entity.Student; import com.example.demo.repository.StudentRepository; import org.springframework.boot.autoconfigure.SpringBootApplication; import org.springframework.context.annotation.AnnotationConfigApplicationContext;  // Class @SpringBootApplication public class DemoApplication {      // Main driver method     public static void main(String[] args)     {          AnnotationConfigApplicationContext context             = new AnnotationConfigApplicationContext();         context.scan("com.example.demo");         context.refresh();          StudentRepository repository             = context.getBean(StudentRepository.class);          // Testing the store method         repository.save(new Student(1L, "Anshul", 25));         repository.save(new Student(2L, "Mayank", 23));          // Testing the retrieve method         Student student = repository.findStudentById(1L);         System.out.println(student);          // Closing the spring context         // using standard close() method         context.close();     } } 

Output: Lastly, run your application and you should get the following output as shown below as follows:

Difference Between @Service Annotation and @Repository Annotation

@Service Annotation

@Repository Annotation

@Service annotation is used with classes that provide some business functionalities.@Repository Annotation is used to indicate that the class provides the mechanism for storage, retrieval, update, delete and search operation on objects.
@Service Annotation is a specialization of @Component Annotation.@Repository Annotation is also a specialization of @Component Annotation.
It can be applied only to classes.It is used at the class level.
It is used to mark the class as a service provider.It is used to mark the interface as DAO (Data Access Object) provider.
It is a Stereotype Annotations.It is also a Stereotype Annotations.

Next Article
Spring Boot - Difference Between @Service Annotation and @Repository Annotation

A

AmiyaRanjanRout
Improve
Article Tags :
  • Java
  • Difference Between
  • Java-Spring-Boot
Practice Tags :
  • Java

Similar Reads

    Spring Boot - Logging
    Logging in Spring Boot plays a vital role in Spring Boot applications for recording information, actions, and events within the app. It is also used for monitoring the performance of an application, understanding the behavior of the application, and recognizing the issues within the application. Spr
    8 min read
    Advantages of Spring Boot JDBC
    Spring JDBC is used to build the Data Access Layer of enterprise applications, it enables developers to connect to the database and write SQL queries and update data to the relational database. The code related to the database has to be placed in DAO classes. SpringJDBC provides a class called JdbcT
    3 min read
    Spring Boot - Packaging
    The Spring Framework was created to provide an open-source application framework to feature better infrastructure support for developing Java applications. It is one of the most popular Java Enterprise Edition (Java EE) frameworks, Spring framework helps developers in creating high-performing applic
    11 min read
    Spring Boot - JDBC
    Spring Boot JDBC is used to connect the Spring Boot application with JDBC by providing libraries and starter dependencies. Spring Boot JDBC has a level of control over the SQL queries that are being written. Spring Boot JDBC has simplified the work of Spring JDBC by automating the work and steps by
    8 min read
    Spring Boot - AOP After Throwing Advice
    Spring is widely used for creating scalable applications. For web applications Spring provides. Spring MVC is a widely used module of spring that is used to create scalable web applications. While Aspect-oriented programming(AOP) as the name suggests uses aspects in programming. It can be defined as
    6 min read
    Spring Boot - AOP After Returning Advice
    Prerequisite: Aspect Oriented Programming and AOP in Spring Framework Aspect-oriented programming(AOP) as the name suggests uses aspects in programming. It can be defined as the breaking of code into different modules, also known as modularisation, where the aspect is the key unit of modularity. Asp
    5 min read
    Multi-Module Project With Spring Boot
    Multi-Module project with Spring Boot refers to a project structure where multiple modules or subprojects are organized under a single parent project. Each module can represent a distinct component, functionality, or layer of the application, allowing for better organization, maintainability, and co
    6 min read
    Spring Boot - AOP After Advice
    Prerequisite: Aspect Oriented Programming and AOP in Spring Framework Aspect-oriented programming(AOP) as the name suggests uses aspects in programming. It can be defined as the breaking of code into different modules, also known as modularisation, where the aspect is the key unit of modularity. Asp
    5 min read
    Spring Boot - AOP Before Advice
    Aspect-oriented programming(AOP) as the name suggests uses aspects in programming. It can be defined as the breaking of code into different modules, also known as modularisation, where the aspect is the key unit of modularity. Aspects enable the implementation of crosscutting concerns such as transa
    4 min read
    Spring Boot - DevTools
    Spring Boot provides DevTools, a module designed to ease your development process, it improves the experience of developing applications resulting in optimizing the developer's productivity for building exceptional software.It aims to reduce development time, by intelligently detecting code changes
    5 min read
geeksforgeeks-footer-logo
Corporate & Communications Address:
A-143, 7th Floor, Sovereign Corporate Tower, Sector- 136, Noida, Uttar Pradesh (201305)
Registered Address:
K 061, Tower K, Gulshan Vivante Apartment, Sector 137, Noida, Gautam Buddh Nagar, Uttar Pradesh, 201305
GFG App on Play Store GFG App on App Store
Advertise with us
  • Company
  • About Us
  • Legal
  • Privacy Policy
  • In Media
  • Contact Us
  • Advertise with us
  • GFG Corporate Solution
  • Placement Training Program
  • Languages
  • Python
  • Java
  • C++
  • PHP
  • GoLang
  • SQL
  • R Language
  • Android Tutorial
  • Tutorials Archive
  • DSA
  • Data Structures
  • Algorithms
  • DSA for Beginners
  • Basic DSA Problems
  • DSA Roadmap
  • Top 100 DSA Interview Problems
  • DSA Roadmap by Sandeep Jain
  • All Cheat Sheets
  • Data Science & ML
  • Data Science With Python
  • Data Science For Beginner
  • Machine Learning
  • ML Maths
  • Data Visualisation
  • Pandas
  • NumPy
  • NLP
  • Deep Learning
  • Web Technologies
  • HTML
  • CSS
  • JavaScript
  • TypeScript
  • ReactJS
  • NextJS
  • Bootstrap
  • Web Design
  • Python Tutorial
  • Python Programming Examples
  • Python Projects
  • Python Tkinter
  • Python Web Scraping
  • OpenCV Tutorial
  • Python Interview Question
  • Django
  • Computer Science
  • Operating Systems
  • Computer Network
  • Database Management System
  • Software Engineering
  • Digital Logic Design
  • Engineering Maths
  • Software Development
  • Software Testing
  • DevOps
  • Git
  • Linux
  • AWS
  • Docker
  • Kubernetes
  • Azure
  • GCP
  • DevOps Roadmap
  • System Design
  • High Level Design
  • Low Level Design
  • UML Diagrams
  • Interview Guide
  • Design Patterns
  • OOAD
  • System Design Bootcamp
  • Interview Questions
  • Inteview Preparation
  • Competitive Programming
  • Top DS or Algo for CP
  • Company-Wise Recruitment Process
  • Company-Wise Preparation
  • Aptitude Preparation
  • Puzzles
  • School Subjects
  • Mathematics
  • Physics
  • Chemistry
  • Biology
  • Social Science
  • English Grammar
  • Commerce
  • World GK
  • GeeksforGeeks Videos
  • DSA
  • Python
  • Java
  • C++
  • Web Development
  • Data Science
  • CS Subjects
@GeeksforGeeks, Sanchhaya Education Private Limited, All rights reserved
We use cookies to ensure you have the best browsing experience on our website. By using our site, you acknowledge that you have read and understood our Cookie Policy & Privacy Policy
Lightbox
Improvement
Suggest Changes
Help us improve. Share your suggestions to enhance the article. Contribute your expertise and make a difference in the GeeksforGeeks portal.
geeksforgeeks-suggest-icon
Create Improvement
Enhance the article with your expertise. Contribute to the GeeksforGeeks community and help create better learning resources for all.
geeksforgeeks-improvement-icon
Suggest Changes
min 4 words, max Words Limit:1000

Thank You!

Your suggestions are valuable to us.

What kind of Experience do you want to share?

Interview Experiences
Admission Experiences
Career Journeys
Work Experiences
Campus Experiences
Competitive Exam Experiences