Report this

What is the reason for this report?

Spring Dependency Injection

Published on August 3, 2022
Spring Dependency Injection

Today we will look into Spring Dependency Injection. Spring Framework core concepts are “Dependency Injection” and “Aspect Oriented Programming”. I have written earlier about Java Dependency Injection and how we can use Google Guice framework to automate this process in our applications.

Spring Dependency Injection

spring dependency injection, spring DI, spring @inject This tutorial is aimed to provide details about Spring Dependency Injection example with both annotation based configuration and XML file based configuration. I will also provide JUnit test case example for the application, since easy testability is one of the major benefits of dependency injection. I have created spring-dependency-injection maven project whose structure looks like below image. Spring Dependency Injection Let’s look at each of the components one by one.

Spring Dependency Injection - Maven Dependencies

I have added Spring and JUnit maven dependencies in pom.xml file, final pom.xml code is below.

<project xmlns="https://maven.apache.org/POM/4.0.0" xmlns:xsi="https://www.w3.org/2001/XMLSchema-instance"
	xsi:schemaLocation="https://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
	<modelVersion>4.0.0</modelVersion>
	<groupId>com.journaldev.spring</groupId>
	<artifactId>spring-dependency-injection</artifactId>
	<version>0.0.1-SNAPSHOT</version>

	<dependencies>
		<dependency>
			<groupId>org.springframework</groupId>
			<artifactId>spring-context</artifactId>
			<version>4.0.0.RELEASE</version>
		</dependency>
		<dependency>
			<groupId>junit</groupId>
			<artifactId>junit</artifactId>
			<version>4.8.1</version>
			<scope>test</scope>
		</dependency>
	</dependencies>

</project>

Current stable version of Spring Framework is 4.0.0.RELEASE and JUnit current version is 4.8.1, if you are using any other versions then there might be a small chance that the project will need some change. If you will build the project, you will notice some other jars are also added to maven dependencies because of transitive dependencies, just like above image.

Spring Dependency Injection - Service Classes

Let’s say we want to send email message and twitter message to the users. For dependency injection, we need to have a base class for the services. So I have MessageService interface with single method declaration for sending message.

package com.journaldev.spring.di.services;

public interface MessageService {

	boolean sendMessage(String msg, String rec);
}

Now we will have actual implementation classes to send email and twitter message.

package com.journaldev.spring.di.services;

public class EmailService implements MessageService {

	public boolean sendMessage(String msg, String rec) {
		System.out.println("Email Sent to "+rec+ " with Message="+msg);
		return true;
	}

}
package com.journaldev.spring.di.services;

public class TwitterService implements MessageService {

	public boolean sendMessage(String msg, String rec) {
		System.out.println("Twitter message Sent to "+rec+ " with Message="+msg);
		return true;
	}

}

Now that our services are ready, we can move on to Component classes that will consume the service.

Spring Dependency Injection - Component Classes

Let’s write a consumer class for above services. We will have two consumer classes - one with Spring annotations for autowiring and another without annotation and wiring configuration will be provided in the XML configuration file.

package com.journaldev.spring.di.consumer;

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

import com.journaldev.spring.di.services.MessageService;

@Component
public class MyApplication {

	//field-based dependency injection
	//@Autowired
	private MessageService service;
	
//	constructor-based dependency injection	
//	@Autowired
//	public MyApplication(MessageService svc){
//		this.service=svc;
//	}
	
	@Autowired
	public void setService(MessageService svc){
		this.service=svc;
	}
	
	public boolean processMessage(String msg, String rec){
		//some magic like validation, logging etc
		return this.service.sendMessage(msg, rec);
	}
}

Few important points about MyApplication class:

  • @Component annotation is added to the class, so that when Spring framework will scan for the components, this class will be treated as component. @Component annotation can be applied only to the class and it’s retention policy is Runtime. If you are not not familiar with Annotations retention policy, I would suggest you to read java annotations tutorial.
  • @Autowired annotation is used to let Spring know that autowiring is required. This can be applied to field, constructor and methods. This annotation allows us to implement constructor-based, field-based or method-based dependency injection in our components.
  • For our example, I am using method-based dependency injection. You can uncomment the constructor method to switch to constructor based dependency injection.

Now let’s write similar class without annotations.

package com.journaldev.spring.di.consumer;

import com.journaldev.spring.di.services.MessageService;

public class MyXMLApplication {

	private MessageService service;

	//constructor-based dependency injection
//	public MyXMLApplication(MessageService svc) {
//		this.service = svc;
//	}
	
	//setter-based dependency injection
	public void setService(MessageService svc){
		this.service=svc;
	}

	public boolean processMessage(String msg, String rec) {
		// some magic like validation, logging etc
		return this.service.sendMessage(msg, rec);
	}
}

A simple application class consuming the service. For XML based configuration, we can use implement either constructor-based spring dependency injection or method-based spring dependency injection. Note that method-based and setter-based injection approaches are same, it’s just that some prefer calling it setter-based and some call it method-based.

Spring Dependency Injection Configuration with Annotations

For annotation based configuration, we need to write a Configurator class that will be used to inject the actual implementation bean to the component property.

package com.journaldev.spring.di.configuration;

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;

import com.journaldev.spring.di.services.EmailService;
import com.journaldev.spring.di.services.MessageService;

@Configuration
@ComponentScan(value={"com.journaldev.spring.di.consumer"})
public class DIConfiguration {

	@Bean
	public MessageService getMessageService(){
		return new EmailService();
	}
}

Some important points related to above class are:

  • @Configuration annotation is used to let Spring know that it’s a Configuration class.
  • @ComponentScan annotation is used with @Configuration annotation to specify the packages to look for Component classes.
  • @Bean annotation is used to let Spring framework know that this method should be used to get the bean implementation to inject in Component classes.

Let’s write a simple program to test our annotation based Spring Dependency Injection example.

package com.journaldev.spring.di.test;

import org.springframework.context.annotation.AnnotationConfigApplicationContext;

import com.journaldev.spring.di.configuration.DIConfiguration;
import com.journaldev.spring.di.consumer.MyApplication;

public class ClientApplication {

	public static void main(String[] args) {
		AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(DIConfiguration.class);
		MyApplication app = context.getBean(MyApplication.class);
		
		app.processMessage("Hi Pankaj", "pankaj@abc.com");
		
		//close the context
		context.close();
	}

}

AnnotationConfigApplicationContext is the implementation of AbstractApplicationContext abstract class and it’s used for autowiring the services to components when annotations are used. AnnotationConfigApplicationContext constructor takes Class as argument that will be used to get the bean implementation to inject in component classes. getBean(Class) method returns the Component object and uses the configuration for autowiring the objects. Context objects are resource intensive, so we should close them when we are done with it. When we run above program, we get below output.

Dec 16, 2013 11:49:20 PM org.springframework.context.support.AbstractApplicationContext prepareRefresh
INFO: Refreshing org.springframework.context.annotation.AnnotationConfigApplicationContext@3067ed13: startup date [Mon Dec 16 23:49:20 PST 2013]; root of context hierarchy
Email Sent to pankaj@abc.com with Message=Hi Pankaj
Dec 16, 2013 11:49:20 PM org.springframework.context.support.AbstractApplicationContext doClose
INFO: Closing org.springframework.context.annotation.AnnotationConfigApplicationContext@3067ed13: startup date [Mon Dec 16 23:49:20 PST 2013]; root of context hierarchy

Spring Dependency Injection XML Based Configuration

We will create Spring configuration file with below data, file name can be anything. applicationContext.xml code:

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="https://www.springframework.org/schema/beans"
	xmlns:xsi="https://www.w3.org/2001/XMLSchema-instance"
	xsi:schemaLocation="
https://www.springframework.org/schema/beans https://www.springframework.org/schema/beans/spring-beans-4.0.xsd">

<!-- 
	<bean id="MyXMLApp" class="com.journaldev.spring.di.consumer.MyXMLApplication">
		<constructor-arg>
			<bean class="com.journaldev.spring.di.services.TwitterService" />
		</constructor-arg>
	</bean>
-->
	<bean id="twitter" class="com.journaldev.spring.di.services.TwitterService"></bean>
	<bean id="MyXMLApp" class="com.journaldev.spring.di.consumer.MyXMLApplication">
		<property name="service" ref="twitter"></property>
	</bean>
</beans>

Notice that above XML contains configuration for both constructor-based and setter-based spring dependency injection. Since MyXMLApplication is using setter method for injection, the bean configuration contains property element for injection. For constructor based injection, we have to use constructor-arg element. The configuration XML file is placed in the source directory, so it will be in the classes directory after build. Let’s see how to use XML based configuration with a simple program.

package com.journaldev.spring.di.test;

import org.springframework.context.support.ClassPathXmlApplicationContext;

import com.journaldev.spring.di.consumer.MyXMLApplication;

public class ClientXMLApplication {

	public static void main(String[] args) {
		ClassPathXmlApplicationContext context = new ClassPathXmlApplicationContext(
				"applicationContext.xml");
		MyXMLApplication app = context.getBean(MyXMLApplication.class);

		app.processMessage("Hi Pankaj", "pankaj@abc.com");

		// close the context
		context.close();
	}

}

ClassPathXmlApplicationContext is used to get the ApplicationContext object by providing the configuration files location. It has multiple overloaded constructors and we can provide multiple config files also. Rest of the code is similar to annotation based configuration test program, the only difference is the way we get the ApplicationContext object based on our configuration choice. When we run above program, we get following output.

Dec 17, 2013 12:01:23 AM org.springframework.context.support.AbstractApplicationContext prepareRefresh
INFO: Refreshing org.springframework.context.support.ClassPathXmlApplicationContext@4eeaabad: startup date [Tue Dec 17 00:01:23 PST 2013]; root of context hierarchy
Dec 17, 2013 12:01:23 AM org.springframework.beans.factory.xml.XmlBeanDefinitionReader loadBeanDefinitions
INFO: Loading XML bean definitions from class path resource [applicationContext.xml]
Twitter message Sent to pankaj@abc.com with Message=Hi Pankaj
Dec 17, 2013 12:01:23 AM org.springframework.context.support.AbstractApplicationContext doClose
INFO: Closing org.springframework.context.support.ClassPathXmlApplicationContext@4eeaabad: startup date [Tue Dec 17 00:01:23 PST 2013]; root of context hierarchy

Notice that some of the output is written by Spring Framework. Since Spring Framework uses log4j for logging purpose and I have not configured it, the output is getting written to console.

Spring Dependency Injection JUnit Test Case

One of the major benefit of dependency injection in spring is the ease of having mock service classes rather than using actual services. So I have combined all of the learning from above and written everything in a single JUnit 4 test class for dependency injection in spring.

package com.journaldev.spring.di.test;

import org.junit.Assert;
import org.junit.After;
import org.junit.Before;
import org.junit.Test;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;

import com.journaldev.spring.di.consumer.MyApplication;
import com.journaldev.spring.di.services.MessageService;

@Configuration
@ComponentScan(value="com.journaldev.spring.di.consumer")
public class MyApplicationTest {
	
	private AnnotationConfigApplicationContext context = null;

	@Bean
	public MessageService getMessageService() {
		return new MessageService(){

			public boolean sendMessage(String msg, String rec) {
				System.out.println("Mock Service");
				return true;
			}
			
		};
	}

	@Before
	public void setUp() throws Exception {
		context = new AnnotationConfigApplicationContext(MyApplicationTest.class);
	}
	
	@After
	public void tearDown() throws Exception {
		context.close();
	}

	@Test
	public void test() {
		MyApplication app = context.getBean(MyApplication.class);
		Assert.assertTrue(app.processMessage("Hi Pankaj", "pankaj@abc.com"));
	}

}

The class is annotated with @Configuration and @ComponentScan annotation because getMessageService() method returns the MessageService mock implementation. That’s why getMessageService() is annotated with @Bean annotation. Since I am testing MyApplication class that is configured with annotation, I am using AnnotationConfigApplicationContext and creating it’s object in the setUp() method. The context is getting closed in tearDown() method. test() method code is just getting the component object from context and testing it. Do you wonder how Spring Framework does the autowiring and calling the methods that are unknown to Spring Framework. It’s done with the heavy use of Java Reflection that we can use to analyze and modify the behaviors of the classes at runtime.

Download Spring Dependency Injection Project

Download the sample Spring Dependency Injection (DI) project from above URL and play around with it to learn more.

Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.

Learn more about our products

About the author

Pankaj Kumar
Pankaj Kumar
Author
See author profile

Java and Python Developer for 20+ years, Open Source Enthusiast, Founder of https://www.askpython.com/, https://www.linuxfordevices.com/, and JournalDev.com (acquired by DigitalOcean). Passionate about writing technical articles and sharing knowledge with others. Love Java, Python, Unix and related technologies. Follow my X @PankajWebDev

Category:
Tags:
While we believe that this content benefits our community, we have not yet thoroughly reviewed it. If you have any suggestions for improvements, please let us know by clicking the “report an issue“ button at the bottom of the tutorial.

Still looking for an answer?

Was this helpful?

Hi Pankaj, I am new for Spring , I followed your above code with some changes, But i am getting Error : IOException parsing XML document from class path resource [CoreSpring/src/main/resources/Test.xml]; nested exception is java.io.FileNotFoundException: class path resource [CoreSpring/src/main/resources/Test.xml] cannot be opened because it does not exist at org.springframework.beans.factory.xml.XmlBeanDefinitionReader.loadBeanDefinitions(XmlBeanDefinitionReader.java:341). I placed Bean XML into /CoreSpring/src/main/resources/Test.xml path But still getting same error.But when i tried without Maven it working good.Please help me. Class Code : public class InjectSimple { private String name; private int age; private int height; private float ageInSeconds; private boolean programmer; public static void main(String a[]) { ClassPathXmlApplicationContext context = new ClassPathXmlApplicationContext( “/CoreSpring/src/main/resources/Test.xml”); InjectSimple simple=(InjectSimple) context.getBean(“sample”); System.out.println(simple); } //Setter and Getter Methods.

- Adarsha

Very nice explanation…I appreciate your efforts. Before that I read all above theoretically but u explain it with an example which is easily understandable to any one. thanks

- Nandu

Nice tutorial.

- K KKumar

great explanation … thank you. :)

- suvendu

nice article …earlier i was usnig xml base configuration…but after reading this article i moved my p[roject to pannotaion based configuration file…thanks (Y)

- Atmrakash Sharma

could use please explain @value annotation with an example using annotation based dependency injection

- mani

I think that the DIConfiguration.java is wrong on the “service” configuration. It says @Bean public MessageService getMessageService(){ return new EmailService(); } As java config uses the name of the method as id, it should be instead @Bean public MessageService service(){ return new EmailService(); } Then the MyApplication.java would have access to the service. On DIConfiguration.java you should decide if you need the TwitterService or EmailService. Unless I am missing something :)

- Ismael

This doesnt work at all. I wont be coming here anymore

- Ty Davis

Pankaj, you said that ‘Context objects are resource intensive, so we should close them when we are done with it’. What about WebApplicationContext, it is from org.springframework.web.context.support.WebApplicationContextUtils and do we neeed to close it since it does not have any close method?

- Andreas Papandreas

Very nice explanation and working fine. Thanks…

- Bikash Mohapatra

Good article. Love it! Thank you very much.

- trinsit.w

What way do you recommend me for use spring 4? Anotattions or Xml?

- Frank

nice articel…simply superb!!!

- harikishore

In your annotated example, you haven’t mentioned how type collisions would be resolved. Since you have two types of MessageService implementations, how would the Spring IoC container resolve which MessageService type (email or twitter) to inject?

- Nena007

I have got the following exception while using xml configuration Exception in thread “main” java.lang.VerifyError: class org.springframework.expression.spel.SpelException overrides final method getPosition.()I at java.lang.ClassLoader.defineClass1(Native Method) at java.lang.ClassLoader.defineClass(Unknown Source) at java.security.SecureClassLoader.defineClass(Unknown Source) at java.net.URLClassLoader.defineClass(Unknown Source) at java.net.URLClassLoader.access$100(Unknown Source) at java.net.URLClassLoader$1.run(Unknown Source) at java.net.URLClassLoader$1.run(Unknown Source) at java.security.AccessController.doPrivileged(Native Method) at java.net.URLClassLoader.findClass(Unknown Source) at java.lang.ClassLoader.loadClass(Unknown Source) at sun.misc.Launcher$AppClassLoader.loadClass(Unknown Source) at java.lang.ClassLoader.loadClass(Unknown Source) at org.springframework.context.expression.StandardBeanExpressionResolver.(StandardBeanExpressionResolver.java:57) at org.springframework.context.support.AbstractApplicationContext.prepareBeanFactory(AbstractApplicationContext.java:441) at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:352) at org.springframework.context.support.ClassPathXmlApplicationContext.(ClassPathXmlApplicationContext.java:139) at org.springframework.context.support.ClassPathXmlApplicationContext.(ClassPathXmlApplicationContext.java:83) at com.SpringDI.test.ClientXMLApplication.main(ClientXMLApplication.java:10) I have tried to debug it but i am not able to resolve it

- Umesh Hemant Annegirikar

Hi This is nice demo. I think if you look at it then its a kind of Strategy design pattern with Spring DI and with annotations.

- Ram

Hiiii mr. pankaj, I have done console application with annotations am getting this exception can please let me know what is this Exception in thread “main” org.springframework.beans.factory.NoSuchBeanDefinitionException: No qualifying bean of type [com.sapmle.MyCommunication] is defined at org.springframework.beans.factory.support.DefaultListableBeanFactory.getBean(DefaultListableBeanFactory.java:318) at org.springframework.context.support.AbstractApplicationContext.getBean(AbstractApplicationContext.java:985) at Test.main(Test.java:11)

- vamsi

Hi Pankaj, I am using mybatis with spring. I have an interface which is implemented in xml. There is no implementing class of the interface. The interface has methods like select,insert,delete, etc. I am getting the name of the mapper or interface from the database and then I need to execute the methods at runtime. It needs to be dynamic so I cant know the name of the interface or mapper beforehand. Any help would be great. Thanks.

- Shashank

Hi, i am sorry for my simple question, but i have done the tutorial and it works fine, except for the JUnit file at the end. Since it doesnt have a Main method, how am i run the tests ?

- Hernán

Hi pankaj why if we remove the @ComponentScan anottation and try to configure @Component(“MyApplication”) by xml component-scan is says that No bean named ‘MyApplication’ is defined?

- karablaxos

very good article sir.nice demo thanks for sharing this article

- bala

While I was trying to implement the DI on annotation based. I couldn’t find the componentscan. Where i can get the Jar. If I try to download your source code and try to compile the code. I’m coming across the following issue as:Exception in thread “main” org.springframework.beans.factory.NoSuchBeanDefinitionException: No unique bean of type [com.journaldev.spring.di.consumer.MyApplication] is defined: expected single bean but found 0: Could you help us resolve on the above issues.

- Venkatraman E K

Nice and well articulated tutorial. will catch up with you on social media.

- John K Njue

Nice explanation

- anonoumus

Hi Pankaj, Thanks for nice explanation. But in above DIConfiguration class, its kind of hardcoding and returning "return new EmailService(), which says always EmailService bean is getting injected over there. For some scenarios, if I want to instantiate my component with TwitterService() how to do that again? I meant… few instances need to be injected with EmailService() and few instances need to be injected with TwitterService(). How to do that? Please explain.

- Prasanth Varada

Nice explanation. Thanks Pankaj!

- Kapil Verm

Hello, I have some question. There is any another way to use MyApplication class with autowired without the: “AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(DIConfiguration.class); MyApplication app = context.getBean(MyApplication.class);” ???

- RafalQA

Awesome demo and explanation.

- Anoop

Hi Pankaj, As this question has been asked by some one . Please can you explain ? Thanks for nice explanation. But in above DIConfiguration class, its kind of hardcoding and returning “return new EmailService(), which says always EmailService bean is getting injected over there. For some scenarios, if I want to instantiate my component with TwitterService() how to do that again? I meant… few instances need to be injected with EmailService() and few instances need to be injected with TwitterService(). How to do that? Please explain.

- Ashok Singh

Hi Pankaj, Why is DIConfiguration class capable of having only one @Bean method ? What should be done to invoke TwitterService? Do I have to create a distinct Configuration class?

- Ennahdi El Idrissi, Mohamed

gracias, amigo.

- Ravella Baji

what is significance of @configuration. Even if i remove it from ApplConfig it is executed correctly. and if my properties file has same keys and i write @PropertySource twice then which key will be fetched from both properties file.

- Pranali

in Java based bean config when i create another bean for same service, using @Qualifier i avoided nounique bean exception. But When creating another bean for same service in xml based config, nounique bean exception is occured?? How avoid that exception?

- Dev

Hi, I’m using the annotation based configuration and what if I want to send message by Email then by Twitter?

- Triet

Super Explanation . Great tutorial .

- Raj Gopal

In class DIConfiguration EmailService() instance is returned . Please also return the instance of TwitterService and use @Qualifier annotation to perform autowiring . Qualifier annotation https://dzone.com/articles/a-guide-to-spring-framework-annotations

- RajGopal

Can you also please provide the code for Spring Dependency Injection JUnit Test Case in for XML Based Configuration

- RajGopal

Hi , Pankaj here is another way to test your application by Mockito framework . public class MyApplicationTest { @Test public void test() { MyApplication app =new MyApplication app(); MessageService mockito= mock(MessageService.class); when(mockito.sendMessage(“Hi Pankaj”, “pankaj@abc.com”)).thenReturn(true); app.setService(mockito); Assert.assertTrue(app.processMessage(“Hi Pankaj”, “pankaj@abc.com”)); } } pom.xml modification org.mockito mockito-core 2.0.73-beta

- Raj Gopal

Hello! I have downloaded the project and created it in eclipse and all the maven repository dependencies have been resolved except for org.junit. The jar actually shows up under the Maven Dependencies folder but it is ‘grayed out’. Also, the MyApplicationTest.java file has the exception that it cannot find org.junit. Any ideas? Thanks!

- Daniel Grindstaff

Great blog Pankaj, I can only support you by turning off the my Ads-Blocker, Thank a lot.

- aduckdev

Creative CommonsThis work is licensed under a Creative Commons Attribution-NonCommercial- ShareAlike 4.0 International License.
Join the Tech Talk
Success! Thank you! Please check your email for further details.

Please complete your information!

The developer cloud

Scale up as you grow — whether you're running one virtual machine or ten thousand.

Get started for free

Sign up and get $200 in credit for your first 60 days with DigitalOcean.*

*This promotional offer applies to new accounts only.