java-使用通用类型作为切入点的返回类型
作者:互联网
我正在使用Spring Boot设置REST API.我将制作一堆@RestControllers,并希望在那些返回特定抽象类(称为模型)的子类型的方法上设置切入点.这些控制器看起来像这样:
@RestController
public class UserController {
@RequestMapping(...)
public Person getAllPeople() {
...
}
}
我的Person类看起来像这样:
public class Person extends Model {
...
}
因此,可以编写如下所示的建议:
@Aspect
@Component
public class ModelAspect {
@AfterReturning(
value = "execution(<T extends mypackages.Model> T mypackages.api.*.*(..))",
returning = "model")
public void doSomethingWithModel(Model model) {
...
}
}
当然,这是行不通的,因为建议在语法上无效.在参考文档中,我仅找到有关通用参数的信息,而不是返回类型(Spring AOP reference)的信息.我现在所拥有的就是这个,但是我认为像上面的例子这样的东西会更有效:
@Aspect
@Component
public class ModelAspect {
@AfterReturning(
value = "execution(* mypackages.api.*.*(..))",
returning = "model")
public void doSomething(Object model) {
if (model instanceof Model)
doSomethingWithModel((Model) model);
}
}
我的下一个问题是,对于那些返回Model的Suptypes的Collection的方法,是否同样可行?因为参考指出参数类型不能为通用Collections.
解决方法:
您是否尝试过使用界面后的内容?
@Aspect
@Component
public class ModelAspect {
@AfterReturning(
value = "execution(mypackages.Model+ mypackages.api.*.*(..))",
returning = "model")
public void doSomethingWithModel(Model model) {
...
}
}
您可以尝试不指定返回类型.根据文档,将通过在返回子句中使用的参数类型来解决:
A returning clause also restricts matching to only those method
executions that return a value of the specified type ( Object in this
case, which will match any return value).
@Aspect
@Component
public class ModelAspect {
@AfterReturning(
value = "execution(* mypackages.api.*.*(..))",
returning = "model")
public void doSomethingWithModel(Model model) {
...
}
}
看下面的链接.它还回答了关于通用集合的第二个问题.
出于好奇,我创建了一个项目对此进行测试,并开始为我直接工作.我只能认为切入点指向的路径是错误的.尝试:
@Aspect
@Component
public class ModelAspect {
@AfterReturning(
value = "execution(* mypackages.api..*(..))",
returning = "model")
public void doSomethingWithModel(Model model) {
...
}
}
您可以在以下位置查看我的项目:spring-aspectj-interfaces
在那里,您将看到切入点的不同值(当然,只有一个未注释),它们都有效.
标签:spring-aop,spring-boot,spring,java 来源: https://codeday.me/bug/20191111/2021486.html