关于 mybatis mapper 的实现思路

问题:在定义 Mapper 接口的时候往往通过创建一个自定义的接口来继承 Mapper<T> 接口,没有实际的实现类,那么 mybatis 是如何进行调用的呢?

答案:mybatis 在内部还是通过 JDK Proxy 的形式进行了方法调用,但是不需要自己去实现接口。

通常来说 JDK Proxy 通过通过 InvocationHandler 实例去调用目标方法(反射调用),InvocationHandler实例内部会持有目标对象,但是在 Mybatis 中并没有真实的实例类,只是持有了 XxxMapper.class,后续在 InvocationHandler.invoke 方法中可以根据 XxxMapper.class 的信息(接口名,注解信息)去寻找 xml 配置,或者直接使用注解上的 sql 语句,来直接 sql 调用。

 

代码示例如下:

Mapper类和自定义Mpper接口类

public interface Mapper<T> {
    T selectById(Integer id);
}
public class Student {
}
public interface StudentMapper extends Mapper<Student> {
}

核心代理类

package com.test.root.base.proxy.mapper;

import java.lang.reflect.InvocationHandler;
import java.lang.reflect.Method;
import java.lang.reflect.Proxy;

public class MapperProxy<T> implements InvocationHandler {

    private Class<T> cls;

    public MapperProxy(Class<T> cls) {
        this.cls = cls;
    }

    @Override
    public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
        if (method.getName().equals("selectById")) {
            // 后续可以获取 StudentMapper 然后获取 StudentMapper extends Mapper<Student> 中的Student
            // 在 mybatis 中,再从 xml 或者接口的注解里面获取语句信息
            System.out.println("do selectById");
        }
        return null;
    }

    public T getProxy() {
        // JDK 代理的实现逻辑就是,通过 InvocationHandler 实例去调用目标方法(反射调用),InvocationHandler 实例内部可以持有目标实例类。
        // Mybatis 在此处并没有真实的实例类,只是持有了接口的class,通过方法和class里面的具体的泛型类去构造sql调用,而并没有调用具体的目标实例。
        // 这个就是之前一直困恼我的地方了!
        return (T) Proxy.newProxyInstance(cls.getClassLoader(), new Class[]{cls}, this);
    }
}

测试类

package com.test.root.base.proxy.mapper;

public class MapperProxyTest {

    public static void main(String[] args) {
        MapperProxy<StudentMapper> mapperProxy = new MapperProxy<>(StudentMapper.class);
        StudentMapper studentMapper = mapperProxy.getProxy();
        studentMapper.selectById(1);
    }

}

 

posted @ 2024-12-04 21:56  lenbkan  阅读(10)  评论(0编辑  收藏  举报