您的位置:首页 > 编程语言 > Java开发

Spring中AOP使用——注解方式

2017-03-20 00:00 274 查看

1.确认目标(bean)

业务层实现类

@Service("xxxService")

注入对象

@Autowired

注解扫描

<context:component-scan base-package="cn.itcast" />

2.编写通知(通知实现一个接口)

通知类上

[@Aspect](https://my.oschina.net/aspect)
@Component("myAspect")//将通知类交给spring管理

开启Aspectj注解自动代理机制

<aop:aspectj-autoproxy />

通知方法

前置通知

public void before(JoinPoint joinPoint){
//判断某用户可执行的方法中,是否存在要运行的方法
if("method1".equals(joinPoint.getSignature().getName())){
throw new RuntimeException("没有权限执行该方法");
}
}

后置通知

public void afterReturing(JoinPoint joinPoint, Object returnVal){
//增强
}

环绕通知

public Object around(ProceedingJoinPoint proceedJoinPoint) throws Throwable{
//目标方法的执行
Object object = proceedJoinPoint.proceed();
return object;
}

环绕通知-终极版

public Object around(ProceedingJoinPoint proceedingJoinPoint){
try{
//前置通知
Object result = proceedingJoinPoint.proceed();
//后置通知
}catch(Exception e){
//抛出通知
}finally{
//最终通知
return Object
}
}

抛出通知

public void afterThrowing(JoinPoint joinPoint, Throwable ex){
System.out.println(joinPoint.getTarget().getClass().getSimpleName()+" : "+joinPoint.getSignature().getName()+"  : "+ex.getMessage());
}

最终通知

public void after(JoinPoint joinPoint){
System.out.println(joinPoint.toLongString());
}

##3. 配置切点切面 ##

通知方法上

@Before("value="execution(* cn.itcast.spring..*.*(..))")
@AfterReturning("value="execution(* cn.itcast.spring..*.*(..))")
@Around("value="execution(* cn.itcast.spring..*.*(..))")
@AfterThrowing("value="execution(* cn.itcast.spring..*.*(..))")
@After("value="execution(* cn.itcast.spring..*.*(..))")
@DeclareParents//引介通知

问题:如果直接在通知注解中写切入点表达式,会发生重复编写,后期不便于维护

解决:

在实际开发中,切入点都是单独定义维护的,如:

1.使用xml定义切入点aop:pointcut

2.使用注解单独定义切入点@Pointcut

@Pointcut("value="execution(* cn.itcast.spring..*.*(..))")
private void myPointcut(){
}

@Before(value="myPointcut()")

异常

java.lang.ClassCastException:com.sun.proxy.$Proxy17 cannot be cast to xxxServiceImpl

原因:使用了jdk动态代理,目标对象是接口,无法转换为子类

解决方法:
使用类代理(cglib动态代理)

注解:

<aop:aspect-autoproxy proxy-target-class="true" />

xml

<aop:config proxy-target-class="true">
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签:  Spring AOP