xxl-job使用遇到的問題(二)

yejg1212發表於2021-05-27

xxl-job使用遇到的問題(二)

關聯閱讀 xxl-job使用遇到的問題(一)

1、問題現象

最近有個老定時任務遷移到xxl-job的時候,遇到一個小問題。雖然很快解決,但是還是有必要記錄一下~

job遷移的時候,在執行方法上標記@XxlJob("test"),然後在管理控制檯上,新增任務,點選執行一次的時候,排程日誌提示

>>>>>>>>>>>觸發排程<<<<<<<<<<<
觸發排程:
address:http://10.25.31.45:9999/
code:500
msg:job handler [test] not found.

檢查了下程式碼,沒啥問題。註解加了,XxlJobSpringExecutor也有,properties配置也ok,為啥提示找不到呢?

大致程式碼也貼一下

public interface ITestJob {
    void method1();
}


@Service
public class TestJobImpl implements ITestJob {

    @XxlJob("test")
    public ReturnT<String> demoJobHandler() throws Exception {
        // job業務邏輯【歷史程式碼】
        return ReturnT.SUCCESS;
    }

    // 歷史程式碼方法
    @Override
    @Async
    public void method1() {
        // 歷史程式碼邏輯
    }
}

其實就是在歷史程式碼的基礎上,改了下方法返回值,加了個@XxlJob("test")註解。其他沒動

2、排查

既然提示找不到job handler,那問題肯定是出在客戶端了。

前面閱讀原始碼的時候,已經看過,@XxlJob註解的解析是在 XxlJobSpringExecutor類裡面。快讀看了下這個類,重點看了下initJobHandlerMethodRepository方法

private void initJobHandlerMethodRepository(ApplicationContext applicationContext) {
        if (applicationContext == null) {
            return;
        }
        // init job handler from method
        String[] beanDefinitionNames = applicationContext.getBeanNamesForType(Object.class, false, true);
        for (String beanDefinitionName : beanDefinitionNames) {
            Object bean = applicationContext.getBean(beanDefinitionName);

            Map<Method, XxlJob> annotatedMethods = null;   // referred to :org.springframework.context.event.EventListenerMethodProcessor.processBean
            try {
                annotatedMethods = MethodIntrospector.selectMethods(bean.getClass(),
                        new MethodIntrospector.MetadataLookup<XxlJob>() {
                            @Override
                            public XxlJob inspect(Method method) {
                                return AnnotatedElementUtils.findMergedAnnotation(method, XxlJob.class);
                            }
                        });
            } catch (Throwable ex) {
                logger.error("xxl-job method-jobhandler resolve error for bean[" + beanDefinitionName + "].", ex);
            }
            if (annotatedMethods==null || annotatedMethods.isEmpty()) {
                continue;
            }
 
            
            
            ......
            
 }

在這塊加個斷點看看,果然拿到的 annotatedMethods 是空的,難怪提示找不到呢!

3、原因

上面的demoJobHandler方法頭上標記了註解的,為什麼annotatedMethods是空的呢?

這是因為下面這行程式碼取到的bean,不是TestJobImpl這個類

Object bean = applicationContext.getBean(beanDefinitionName);

而是一個代理類,並且是jdk的動態代理的類。

jdk動態代理,啥特性?

嗯,基於介面的~~,介面裡面只申明瞭一個方法 method1,那【MethodIntrospector.selectMethods】肯定找不到有XxlJob註解的方法了!

3.1、 解決辦法

知道了這一點,那就好解決了。

可供參考的解決辦法:

方法一、把job這個方法單獨拎出來

方法二、去掉介面,讓Spring使用cglib的代理。這樣取到的代理類就包含2個方法了,就可以找到有註解的那個方法了

方法三、如果上面2個都不想改,那就在介面裡面申明一個demoJobHandler方法,並且在介面方法申明上標記@XxlJob("test")註解

相關文章