SpringBoot 自定义注解的增强使用方式,动态调用指定方法
摘要:我们平常使用自定义注解大多数都是配合AOP
来使用的,本文给大家带来其他的使用方式,可做到无侵入式动态调用指定的方法;更复杂的使用方式自己挖掘。
案例简要说明
按照前端传入的参数,后端动态调用打印方法来执行实际的逻辑
编码
定义注解
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface Print {
String value();
}
扫描注解的方法
CommandLineRunner
是在服务启动完成后再执行任务,该案例是调用不传参的方法,如果传参则需要定义好,否则反射调用会报错。
@Slf4j
@Component
public class PrintContextHandler implements CommandLineRunner {
@Autowired
private ApplicationContext applicationContext;
private Map<String,Runnable> printMethodMap = new HashMap<>();
@Override
public void run(String... args) throws Exception {
Map<String, Object> beans = applicationContext.getBeansWithAnnotation(Component.class);
beans.putAll(applicationContext.getBeansWithAnnotation(Service.class));
for (Object bean : beans.values()) {
Method[] methods = bean.getClass().getDeclaredMethods();
for (Method method : methods) {
Print print = AnnotationUtils.findAnnotation(method, Print.class);
if (print != null) {
Runnable runnable = new Runnable() {
@Override
public void run() {
try{
method.invoke(bean);
}catch (Exception ex){
log.error("print执行失败",ex);
}
}
};
printMethodMap.put(print.value(), runnable);
}
}
}
}
/**
* 执行
* @param key
* @return
*/
public Object doPrint(String key){
Runnable runnable = printMethodMap.get(key);
if(null != runnable){
runnable.run();
}
return "SUCCESS";
}
}
定义注解的方法
@Slf4j
@Service
public class InPrintService {
@Print(value = "inPrint01")
public String inPrint01(){
log.info("inPrint01");
return "inPrint01";
}
@Print(value = "inPrint02")
public String inPrint02(){
log.info("inPrint02,param1=");
return "inPrint02";
}
}
- 方法2
@Slf4j
@Service
public class OutPrintService {
@Print(value = "outPrint01")
public String outPrint01(){
log.info("outPrint01");
return "outPrint01";
}
}
控制器
@RequestMapping(value = "print")
@RestController
public class PrintController {
@Autowired
private PrintContextHandler printContextHandler;
@GetMapping(value = "testPrintAnno")
public Object testPrintAnno(String key){
return printContextHandler.doPrint(key);
}
}
测试结果
转载自:https://juejin.cn/post/7325444892329705491