有关spring的注解,今天了解了下,现在一方面做下学习总结,另一方面给学习的筒子做个借鉴。
spring提供相关的几个Annotation来标注bean先列出来
@Component:标注一个普通的spring bean
@Controller:标注一个控制器组件类如action
@Service:标注一个逻辑控制类如Service层
@Repository:标注一个持久层Dao组件类
再列几个
@Scope:相信大家对这个不陌生吧,表示bean的作用域,使用方式:Scope("prototype")
@Resource:配合依赖,使用方式:Resource(name="XXXX")等同于xml中的配置<property …… ref="XXXX" />
@Autowired:自动装配,默认按照type装配,如果需要按照name装配就需要和下面的相结合了
@Qualifier
针对自动装配下面展示两种写法分别表示属性修饰和set方式修饰:
@Autowried
@Qualifier("XXXX")
private XXXX xxxx;
-----------------------------------------------------
@Autowried
public void setXXX(@Qualifier("xxxx") XXX xxx){}
基本常用的注解也就上面的了,现在贴上代码:
要想让注解生效,首先要在配置文件中指明扫描那些包下的Bean类,
包结构:
cn.life.routine
-action
-dao
-service
引入ContextSchema,spring配置
- <?xml version="1.0" encoding="UTF-8"?>
- <beans xmlns="http://www.springframework.org/schema/beans"
- xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
- xmlns:context="http://www.springframework.org/schema/context"
- xsi:schemaLocation="
- http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-3.0.xsd
- http://www.springframework.org/schema/context <a href="http://www.springframework.org/schema/context/spring-context-3.0.xsd">http://www.springframework.org/schema/context/spring-context-3.0.xsd</a>"
- >
-
-
- <bean id="NoticeAction" class="cn.life.routine.action.NoticeAction" scope="prototype" ></bean>
-
-
- <context:component-scan base-package="cn.life.routine"></context:component-scan>
- </beans>
现在依次贴出service,dao
service接口
-
-
-
-
-
- public interface TestService {
-
-
-
-
-
- public String getTestAnnotation();
- }
service实现类
- package cn.life.routine.service;
-
- import org.springframework.beans.factory.annotation.Autowired;
- import org.springframework.beans.factory.annotation.Qualifier;
- import org.springframework.stereotype.Service;
-
- import cn.life.routine.dao.TestDao;
-
-
-
-
-
-
- @Service("testService")
- public class TestServiceImp implements TestService{
-
-
-
-
- @Autowired
- @Qualifier("testDao")
-
- private TestDao testDao;
-
- public String getTestAnnotation() {
- return testDao.getTestDaoAnnotation();
- }
-
- public TestDao getTestDao() {
- return testDao;
- }
-
- public void setTestDao(TestDao testDao) {
- this.testDao = testDao;
- }
-
- }
dao层接口
-
-
-
-
-
- public interface TestDao {
-
-
-
-
-
- public String getTestDaoAnnotation();
- }
dao层实现类
-
-
-
-
-
- @Repository("testDao")
- public class TestDaoImpl implements TestDao {
-
- public String getTestDaoAnnotation() {
- return "This is testDao Annotation";
- }
-
- }
下面是action中的调用
-
-
-
-
- @Resource(name="testService")
- private TestService testService;
- public String testAnnotation(){
- String result = testService.getTestAnnotation();
- System.out.println(result);
- return SUCCESS;
- }
- public TestService getTestService() {
- return testService;
- }
-
- public void setTestService(TestService testService) {
- this.testService = testService;
- }
-