想要环绕拦截一个 Bean 的函数。需要三个前置条件:
- 通过注解做为“切点”,进行拦截(不能无缘无故给拦了吧?费性能)
- Bean 的 method 是被代理的
- 在 Bean 被扫描之前,完成环绕拦截的注册
1、定义切点和注册环绕拦截
Solon 的切点,通过注解实现,得先定义一个。例如:@Logging
//@Target 是决定可以注在什么上面的
@Target({ElementType.METHOD, ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
public @interface Logging {
boolean enable() default true;
}
定义拦截器
//简单点处理
@Slf4j
public class LoggingInterceptor implements Interceptor {
@Override
public Object doIntercept(Invocation inv) throws Throwable {
//此处为拦截处理
Object rst = inv.invoke();
log.info("Args: {}\nReturn: {}", inv.args(), rst);
return rst;
}
}
//如果需要取注解信息,并进行控制
@Slf4j
public class LoggingInterceptor2 implements Interceptor {
@Override
public Object doIntercept(Invocation inv) throws Throwable {
Logging anno = inv.method().getAnnotation(Logging.class);
if (anno == null) {
//因为 Logging 支持 ElementType.TYPE,所以也要检查类上的注解
anno = inv.target().getClass().getAnnotation(Logging.class);
}
//此处为拦截处理
Object rst = inv.invoke();
if(anno != null && anno.enable()){
log.info("Args: {}\nReturn: {}", inv.args(), rst);
}
return rst;
}
}
手动注册或关联绑定环绕拦截(二种模式,选一即可)
//手动注册模式
Solon.context().beanAroundAdd(Logging.class, new LoggingInterceptor());
//关联绑定模式(通过@Around注解,直接在注解类上关联绑定)
@Around(LoggingInterceptor.class)
@Target({ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
public @interface Logging {
}
现在切点定义好了,可以到处“埋”了...
2、应用:把切点“埋”到需要的地方
@Service
public class DemoController{
@Logging
public void addUser(UserModel user){
//...
}
}
就这样完成一个面向切面的开发了。
3、通过插件及插件配置,变成一个复用的东西
这是刚才定义注解:
@Target({ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
public @interface Logging {
}
开发插件:
@Slf4j
public class XPluginImp implements Plugin {
@Override
public void start(AopContext context) {
context.beanAroundAdd(Logging.class, inv->{
Object rst = inv.invoke();
log.info("Args: {}\nReturn: {}", inv.args(), rst);
});
}
}
配置插件:
solon.plugin=xxx.xxx.log.XPluginImp
一个可复用的插件开发完成了。关于Solon插件开发,可参考别的章节内容。
标签:容器,Logging,inv,class,切面,Solon2,rst,拦截,public From: https://www.cnblogs.com/noear/p/17114838.html