使用@AutoWired遇到空指针

前几个月都去做AR项目了,有好长时间没学Spring了。。。最近在复习Spring,但是在做单元测试的时候碰到了问题,@AutoWired的使用应该没错,但是却爆出NullPointerException

public class TestService {

@Autowired

private BookService bookService;

@Test

public void test01(){

bookService.buyABook("Tom","book01");

}

}

一开始我以为是@AutoWired的使用问题,但是在尝试之后发现,只有在单元测试或者main测试下使用@AutoWired注入的变量才会爆出null错误。。

解决方法

好在看到了这位大佬的帖子->利用 @Autowired 注入失效问题,发现其实加上两项注解就好了。加上注解后,可以看到输入恢复正常

@RunWith(SpringJUnit4ClassRunner.class)//让测试运行于Spring测试环境

@ContextConfiguration( locations = "classpath:test.xml")//提供配置信息

public class TestService {

private ApplicationContext applicationContext=new ClassPathXmlApplicationContext("test.xml");

@Autowired

private BookService bookService;

@Test

public void test01(){

bookService.buyABook("Tom","book01");

}

}

这里推荐使用maven工程,可以快速导入注解所需要的jar包,可以直接使用下面的依赖

junit

junit

4.12

compile

org.springframework

spring-context

5.2.9.RELEASE

org.springframework

spring-aspects

5.2.9.RELEASE

org.springframework

spring-aop

5.2.9.RELEASE

org.springframework

spring-expression

5.2.9.RELEASE

org.springframework

spring-core

5.2.9.RELEASE

org.springframework

spring-jdbc

5.2.9.RELEASE

org.springframework

spring-orm

5.2.9.RELEASE

org.springframework

spring-tx

5.2.9.RELEASE

org.springframework

spring-web

5.2.9.RELEASE

关于问题的原因,我的理解是:JUnit4的测试环境不支持Spring,这时候如果想进行测试,就应该在Spring测试环境上测试@RunWith(SpringJUnit4ClassRunner.class) 的作用是让测试运行于Spring测试环境,@ContextConfiguration的作用就是提供配置信息

使用@RunWith和@ContextConfiguration仍然报错

有些小伙伴可能在成功使用注解的前提下遇到图中所示问题,其实这是因为你在导入org.junit.jupiter包的时候也导入了junit包,这两个包都有对应的@Test,这里必须要用junit包的@Test,所以只要更改导包内容就可以了

//注释掉import org.junit.jupiter.api.Test; 使用下面这句

import org.junit.Test;

main测试或使用static变量发生错误

有的小伙伴可能比较习惯通过main方法进行测试,比如下面这段代码:

@RunWith(SpringJUnit4ClassRunner.class)

@ContextConfiguration( locations = "classpath:test.xml")

public class TestService {

@Autowired

private static BookService bookService;

public static void main(String[] args) {

bookService.buyABook("Tom","book01");

}

}

但是请注意,这样做会发生错误,即使添加了@RunWith和@ContextConfiguration也仍然会发生错误!!

原因可参考这篇帖子:main方法里使用@AutoWired报错,在java中,静态变量的初始化顺序先于@AutoWired,而main方法只能在启动项目的时候才能加载配置文件,调用@AutoWired实现自动注入,此时静态变量的初始化早已结束,所以会发生错误

所以请注意,在spring测试中不要使用静态变量或者main方法!!

参考文献:

https://blog.csdn.net/qq_35077107/article/details/110747883https://blog.csdn.net/qq_39906884/article/details/84592354https://blog.csdn.net/bookssea/article/details/109196195https://blog.csdn.net/weixin_30621711/article/details/95826982