用于创建的Component注解
注解配置和xml配置所要实现的功能都是一样的,只是形式不一样而已,xml配置是写在xml文件中,而注解配置是在类中添加注解(使用注解方式配置要在配置文件中添加扫描包)
1.创建对象
- XML配置方式
<!--默认无参构造方式-->
<bean id="student" class="cn.yangtzl.Student"></bean>
<!--工厂模式普通方法-->
<bean id="factory" class="cn.yangtzl.Factory" ></bean>
<bean id="student" class="cn.yangtzl.Student" factory-bean="factory" factory-method="getStudent"></bean>
<!--工厂模式静态方法-->
<bean id="student" class="cn.yangtzl.Student" factory-method="getStudent"></bean>
- 注解方式配置
@Component(value = "Hello") //总的,不知道该类属于哪一层就用这个
/*
使分层更加明确
*/
//@Controller //表现层
//@Service //业务层
//@Repository //持久层
public class Student {}
2.数据注入
注意:集合类型的注入只能通过XML来实现
-
给bean类型的数据注入
使用@Autowired注解
/**
Autowired:
* 作用:自动按照类型注入,只要容器中有唯一的一个bean对象类型和要注入的数据的类型一致,就可以注入成功
* 如果IOC容器中没有任何bean的类型和要要注入的变量类型匹配,则报错
* 如果IOC容器中有多个类型匹配时,要注入的变量的名称和bean的id进行匹配,如果没有则报错,否则注入成功
* 出现位置:可以是成员变量上,也可以是方法上
* 在使用注解的时候,set方法就不是必须的了
*/
@Autowired
private AccountStudentImpl account;
public void getStudent() {
account.getStudent();
}
使用@Qualifier注解
/**
Qualifier:
* 作用:在按照类型注入的基础上按照名称注入,它在给类成员注入时不能单独使用,但是在给方法参数注入时可以
属性:value:用于指定注入bean的id
*/
* 属性:
@Autowired
@Qualifier("account")
private AccountStudentImpl account;
public void getStudent() {
account.getStudent();
}
使用@Resource注解
/**
Resource:
* 作用:直接按照bean的id进行注入,可以单独使用
* 属性:
* name:用于指定bean的id
*/
@Resource(name = "accountStudent")
private AccountStudentImpl account;
public void getStudent() {
account.getStudent();
}
-
给基本类型和String类型的数据注入
使用@Value注解
@Value(value = "yang")
private String name;
@Value(value = "18")
private int age;
另外,@Value注解中的value属性支持使用SpEL表达式
@Value(value = "${jdbc.name}")
private String name;
@Value(value = "18")
private int age;
在Spring配置文件中加载properties文件
<bean id="propertyConfigurer"
class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer">
<property name="location">
<value>/db.properties</value>
</property>
<property name="fileEncoding" value="utf-8" />
</bean>
作用范围
/**
Scope
* 作用:用于指定bean的作用范围
* 属性:
* value:指定范围的取值,常用范围:singleton,prototype
*/
@Service("accountService")
@Scope(value = "prototype")
public class AccountServiceImpl implements IAccountService {
@Autowired
private AccountStudentImpl account;
public void getStudent() {
account.getStudent();
}
}
生命周期
/**
他们的作用和在bean标签中使用init-method方法和destroy-method方法一样的
* 用于指定销毁方法
* PreDestroy
* 用于指定初始化方法
* PostConstruct
*/
@PostConstruct
public void init() {
System.out.println("初始化方法执行了");
}
@PreDestroy
public void destroy() {
System.out.println("销毁方法执行了");
}