一。业务需求
现在我们有一个业务需求,需要对userService层查询返回的用户的密码进行加密,传统方法是直接在Service层进行改造,但是这样后面有其他需求,Service层其他的方法或者类都要被改造,这样耦合度太大,不符合单一职责原则和开闭原则,即一个类负责一种职责,对扩展开放,对修改关闭。
这里我们可以使用Spring的AOP代理来进行改造,使用自己定义注解便于后期维护。
二。编码改造
1.自定义注解,标记方法
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface Note {
}
2.编写切面,这里使用Spring的环绕通知
@Aspect
@Component
public class aspectj {
@Pointcut("execution(* com.ams.service.serviceImpl.user.*.*(..))")
private void myPointCut(){
}
@Around("myPointCut()")
public Object myAround(ProceedingJoinPoint proceedingJoinPoint) throws Throwable {
Object obj = proceedingJoinPoint.proceed();//目标方法返回值
MethodSignature methodSignature = (MethodSignature) proceedingJoinPoint.getSignature();
Method method = methodSignature.getMethod();
Note note = method.getAnnotation(Note.class);
user user=(user) obj;
if (note != null) {//如果执行对象的方法有这个注解 那么就对返回的用户密码进行加密
user.setPassword("被加密的密码");//这里为了演示,将加密的结果用这个表示
}
return user;
}
}
3.给Service层执行的方法加上自定义的注解
@Service
public class userServiceImpl implements userService {
@Autowired
private userMapper userMapper;
@Note
@Override
public user selectByuManUsername(String username) {
return userMapper.selectByuManUsername(username);
}
}
4.测试
@Test
public void test1(){
log4j.getLogger().info(service.selectByuDevUsername("19161057"));
}
5.结果
三。出现的问题
从上面的结果可知,返回的用户的密码没有被加密,也就是我们自定义的注解没有生效。
四。问题解决
1.开启Spring Aop的动态代理,在Service类上添加注解
@EnableAspectJAutoProxy(proxyTargetClass = true, exposeProxy = true)
这里proxyTargetClass默认是false,使用的是jdk动态代理,如果为true通过cglib的方式产生代理对象。如果注入的实例是类不是接口的话需要设置为true,因为测试类那里我注入的实例是userServiceImpl不是接口,所以这里我设置为true。
exposeProxy默认false,为true表示aop框架可以通过AopContext对代理对象进行重复利用。
然后测试
可以发现返回的密码已经被加密了,说明自定义注解起效了
2.另一种方法是不添加自动代理注解,直接反射当前执行对象,然后获取方法上的注解
@Aspect
@Component
public class aspectj {
@Pointcut("execution(* com.ams.service.serviceImpl.user.*.*(..))")
private void myPointCut(){
}
@Around("myPointCut()")
public Object myAround(ProceedingJoinPoint proceedingJoinPoint) throws Throwable {
Object obj = proceedingJoinPoint.proceed();//目标方法返回值
Class<?> clazz= proceedingJoinPoint.getTarget().getClass();//这里必须是getTarget()不能是getThis()
MethodSignature methodSignature = (MethodSignature) proceedingJoinPoint.getSignature();
Method method = clazz.getMethod(proceedingJoinPoint.getSignature().getName(),methodSignature.getParameterTypes());
Note note = method.getAnnotation(Note.class);
user user=(user) obj;
if (note != null) {//如果执行对象的方法有这个注解 那么就对返回的用户密码进行加密
user.setPassword("被加密的密码");//这里为了演示,将加密的结果用这个表示
}
return user;
}
}
然后测试
文章来源:https://www.toymoban.com/news/detail-400499.html
可以看见自定义注解同样生效了。文章来源地址https://www.toymoban.com/news/detail-400499.html
到了这里,关于Spring中自定义注解不生效的问题的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!