前面使用XML配置管理Spring虽然便于集中管理和维护,但是可能导致配置文件变得庞大且难以维护。特别是在处理复杂的配置关系时,XML配置可能会变得非常繁琐。使用注解可以以简洁直观的方式直接在类或方法上进行配置,减少了配置的冗余和错误,提高了代码的可读性和可维护性。
注解代替XML标签
使用xml时使用的<bean>、< import>等标签甚至是xml文件都可以被注解替代,这些注解的名称和功能如下:
名称 | 说明 |
---|---|
@Configuration | 平替bean.xml文件 |
@ComponentScan | 用于指定 Spring 在初始化时应扫描的包路径 |
@Import | 平替 <import resource="classpath:"> |
@Conponent | 平替<bean>标签 |
@Controller | 在Controller层的类上面 @Conponent |
@Repository | 在Dao层的类上面 @Conponent |
@Service | 在Service层的类上面 @Conponent |
@Scope | 平替<bean scope=""> |
@Lazy | 平替<bean lazy-init=""> |
@value | 使用在字段或者方法上面,用于注入普通数据 |
@PostConstruct | 平替<bean init-method=""> |
@PreDestroy | 平替<bean destroy-method=""> |
@Autowired | 使用在字段或者方法上面,用于注入引用数据(默认按照byType方式进行注入) |
@Qualifier | 使用在字段或者方法上面,搭配@Autowired根据名称进行注入 |
@Resource | 根据类型或者名称进行注入 |
@Bean | 写在某个方法上面,一般用于注入非自定义的bean |
@Component("aaa")
@Scope(value = "singleton")
public class A {
public A(){
System.out.println("A的构造方法");
}
@PostConstruct //初始化方法
public void init(){
System.out.println("A初始化方法的执行");
}
@PreDestroy
public void destroy(){
System.out.println("A的销毁方法");
}
public void a(){
System.out.println("a的方法");
}
}
@Controller("bbb")
public class B {
@Value("188")
String str;
@Autowired
A a;
public void b(){
System.out.println("============");
System.out.println("注入的字符串"+str);
System.out.println("注入的属性的方法:");
a.a();
}
@Bean("data")
public Date da(){
return new Date();
}
}
/**
* 要编写一个主配置类,用来代替bean.xml
*/
@Configuration //代替bean.xml文件
@ComponentScan("com.cc.component") //解析哪个包下面的注解
public class Spring {
}
public class main {
public static void main(String[] args) {
AnnotationConfigApplicationContext app = new AnnotationConfigApplicationContext(Spring.class);
B bean = (B) app.getBean("bbb");
A bean1 = (A) app.getBean("aaa");
bean1.a();
bean.b();
Object da = app.getBean("data");
System.out.println(da);
}
}