mybatis原理?
用過MyBatis3的人可能會覺得為什么MyBatis的Mapper接口沒有實現類,但是可以直接用?
那是因為MyBatis使用Java動態代理實現的接口。
這里僅僅舉個簡單例子來說明原理,不是完全針對MyBatis的,這種思想我們也可以應用在其他地方。
定義一個接口
public interface MethodInterface {
String helloWorld();
}123
實現動態代理接口
public class MethodProxy<T> implements InvocationHandler {
private Class<T> methodInterface;
public MethodProxy(Class<T> MethodInterface) {
this.methodInterface
= methodInterface;}
@Override
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
System.out.println("=========================");
System.out.println("方法名:" + method.getName());
//針對不同的方法進行不同的操作
return null;
}
}123456789101112131415
這里針對invoke方法簡單說說MyBatis的實現原理,在該方法中,我們通過Method能夠獲取接口和方法名,接口的全名相當于MyBatis XML中的namespace,方法名相當于具體一個方法中的id。也就是說通過動態代理后,可以通過SqlSession來通過
namespace.id
方式來調用相應的方法。使用接口更方便,但是是一種間接的方式。動態代理工廠類
public class MethodProxyFactory {
public static <T> T newInstance(Class<T> methodInterface) {
final MethodProxy<T> methodProxy = new MethodProxy<T>(methodInterface);
return (T) Proxy.newProxyInstance(
Thread.currentThread().getContextClassLoader(),
new Class[]{methodInterface},
methodProxy);
}
}123456789
通過該工廠類可以生成任意接口的動態代理類。
測試
MethodInterface method = MethodProxyFactory.newInstance(MethodInterface.class);
method.helloWorld();12
可以看到MethodInterface沒有實現類也可以執行。
總結
一般談到動態代理我們通常的用法都是處理事務、日志或者記錄方法執行效率等方面的應用。都是對實現類方法的前置或者后置的特殊處理。