java

关注公众号 jb51net

关闭
首页 > 软件编程 > java > @Repository注解

Spring中的@Repository注解源码详解

作者:生命不息战斗不止(王子晗)

这篇文章主要介绍了Spring中的@Repository注解详解,@Repository注解修饰哪个类,则表明这个类具有对对象进行增删改查的功能,而且@Repository是@Component注解的一个派生品,所以被@Repository注解的类可以自动的被@ComponentScan通过路径扫描给找到,需要的朋友可以参考下

@Repository注解

不多废话,直接看源码

@Target({ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Component
public @interface Repository {
    @AliasFor(
        annotation = Component.class
    )
    String value() default "";
}

分析如下

ElementType.TYPE // 作用在类身上
ElementType.Filed) //作用到属性身上
ElementType.METHOD //作用到方法身上

生命周期长度 SOURCE < CLASS < RUNTIME ,所以前者能作用的地方后者一定也能作用

这3个生命周期分别对应于:Java源文件(.java文件) ---> .class文件 ---> 内存中的字节码。

此时我们差不多把该注解剖析完了,该注解还有一个字段value,value其实是在java程序动态运行时去告诉Spring创建一个名字为xxx的组件实例,比如

@Repository(value="userServiceNew")
public class UserServiceImpl implements UserService {

    @Autowired
    UserMapper userMapper;

    public User Sel(int id){
        return userMapper.Sel(id);
    }
}

该注解是告诉Spring,让Spring创建一个名字叫“userServiceNew的UserServiceImpl实例。当Service需要使用Spring创建的名字叫“userServiceNew”的UserServiceImpl实例时,就可以使用@Resource(name = “UserServiceNew”)注解告诉Spring,Spring把创建好的UserServiceImpl注入给Service即可。

@Repository(value="userServiceNew")
public class UserServiceImpl implements UserService {

    @Autowired
    UserMapper userMapper;

    public User Sel(int id){
        return userMapper.Sel(id);
    }
}

案例如下

@RestController
@RequestMapping("/testBoot")
public class UserController {
 
    @Resource(name = "userServiceNew")
    private UserService userService;
 
    @RequestMapping("getUser/{id}")
    public Object GetUser(@PathVariable int id){
        return userService.Sel(id);
    }
}

@Autowired注解和@Resource区别

作用范围不相同(field,setter,constructor,method’s param)

策略不同,前者默认按类型操作,如果找到多个再按组件名字查找,或者通过@Qualifier判断,有@Qualifier修饰那么直接按后者默认按名字查找,即使没有指定名字也会安装注解作用的对象名来匹配,按默认组件名没有查找到再按类型查找

如果我另一个包出现了同名的类

@Service
public class UserServiceNew {
}

启动springboot时就会报错:

Failed to parse configuration class [com.sobot.demo7.Demo7Application]; nested exception is org.springframework.context.annotation.ConflictingBeanDefinitionException: Annotation-specified bean name ‘userServiceNew’ for bean class [com.sobot.demo7.service.UserServiceNew] conflicts with existing, non-compatible bean definition of same name and class [com.sobot.demo7.service.UserServiceImpl]

SpringMVC的Controller 应该是采用类似键值对(key/value)的映射方式处理的。而当中的键,默认是用cotroller的类名(非全类名)作为键。这样,如果不同包下面的两个Contoller 重名的话,就会导致SpringMVC的容器管理中的controller map中的key重复了。所以我们可以通过重命名来解决这个问题,比如

@Service(value = "userSerivce")
public class UserServiceNew {
}

到此这篇关于Spring中的@Repository注解源码详解的文章就介绍到这了,更多相关@Repository注解内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!

您可能感兴趣的文章:
阅读全文