其他分享
首页 > 其他分享> > 切面AOP的切点@Pointcut用法

切面AOP的切点@Pointcut用法

作者:互联网

 

 

格式:

execution(modifiers-pattern? ret-type-pattern declaring-type-pattern? name-pattern(param-pattern)throws-pattern?) 

括号中各个pattern分别表示:

 

现在来看看几个例子:

复制代码
//表示匹配所有方法  
1)execution(* *(..))  
//表示匹配com.savage.server.UserService中所有的公有方法  
2)execution(public * com. savage.service.UserService.*(..))  
//表示匹配com.savage.server包及其子包下的所有方法 
3)execution(* com.savage.server..*.*(..))  
复制代码

在Spring 2.0中,Pointcut的定义包括两个部分:Pointcut表示式(expression)和Pointcut签名(signature)

//Pointcut表示式
@Pointcut("execution(* com.savage.aop.MessageSender.*(..))")
//Point签名
private void log(){} 
然后要使用所定义的Pointcut时,可以指定Pointcut签名
如下:
//执行方法之前,进入切点
@Before("og()")

这种使用方式等同于以下方式,直接定义execution表达式使用

//执行方法之前进入切点
@Before("execution(* com.savage.aop.MessageSender.*(..))")

Pointcut定义时,还可以使用&&、||、! 这三个运算

复制代码
//切点1
@Pointcut("execution(* com.savage.aop.MessageSender.*(..))")
private void logSender(){}
//切点2
@Pointcut("execution(* com.savage.aop.MessageReceiver.*(..))")
private void logReceiver(){}
//或注解的切点
@Pointcut("logSender() || logReceiver()")
private void logMessage(){}
复制代码

这个例子中,logMessage()将匹配任何MessageSender和MessageReceiver中的任何方法。


还可以将一些公用的Pointcut放到一个类中,以供整个应用程序使用,如下:

复制代码
package com.savage.aop;

import org.aspectj.lang.annotation.*;

public class Pointcuts {
@Pointcut("execution(* *Message(..))")
public void logMessage(){}

@Pointcut("execution(* *Attachment(..))")
public void logAttachment(){}

@Pointcut("execution(* *Service.*(..))")
public void auth(){}
}
复制代码

在使用上面定义Pointcut时,指定完整的类名加上Pointcut签名就可以了,如:

复制代码
package com.savage.aop;

import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.*;

@Aspect
public class LogBeforeAdvice {
@Before("com.sagage.aop.Pointcuts.logMessage()")
public void before(JoinPoint joinPoint) {
System.out.println("Logging before " + joinPoint.getSignature().getName());
}
}
复制代码

当基于XML Sechma实现Advice时,如果Pointcut需要被重用,可以使用<aop:pointcut></aop:pointcut>来声明Pointcut,然后在需要使用这个Pointcut的地方,用pointcut-ref引用就行了,如:

复制代码
<aop:config>
  <aop:pointcut id="log" expression="execution(* com.savage.simplespring.bean.MessageSender.*(..))"/>
  <aop:aspect id="logging" ref="logBeforeAdvice">
    <aop:before pointcut-ref="log" method="before"/>
    <aop:after-returning pointcut-ref="log" method="afterReturning"/>
  </aop:aspect>
</aop:config>
复制代码

另外,除了execution表示式外,还有within、this、target、args等Pointcut表示式

----------------------------------------------------------------------------------------------------------

原文链接:https://www.cnblogs.com/liaojie970/p/7883687.html

标签:savage,..,pattern,切点,Pointcut,AOP,execution,com
来源: https://www.cnblogs.com/Mr-zou/p/15812149.html