MyBatis介面的簡單實現原理 用過MyBatis3的人可能會覺得為什麼MyBatis的Mapper介面沒有實現類,但是可以直接用? 那是因為MyBatis使用Java動態代理實現的介面。 這裡僅僅舉個簡單例子來說明原理,不是完全針對MyBatis的,這種思想我們也可以應用在其他地方。 定義一個接 ...
MyBatis介面的簡單實現原理
用過MyBatis3的人可能會覺得為什麼MyBatis的Mapper介面沒有實現類,但是可以直接用?
那是因為MyBatis使用Java動態代理實現的介面。
這裡僅僅舉個簡單例子來說明原理,不是完全針對MyBatis的,這種思想我們也可以應用在其他地方。
定義一個介面
public interface MethodInterface { String helloWorld(); }
實現動態代理介面
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; } }
這裡針對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); } }
通過該工廠類可以生成任意介面的動態代理類。
測試
MethodInterface method = MethodProxyFactory.newInstance(MethodInterface.class); method.helloWorld();
總結
一般談到動態代理我們通常的用法都是處理事務、日誌或者記錄方法執行效率等方面的應用。都是對實現類方法的前置或者後置的特殊處理。
通過本文,其實可以看到另一種應用方向,那就是不需要實現類,直接通過動態代理執行介面方法,MyBatis使用這種方式方便了我們調用方法,利用這種思路我們也許可以在別的方面做出一些更好的設計。
原文:http://blog.csdn.net/isea533/article/details/48296849