MyBatis|MyBatis 源码分析篇 3(getMapper)

我们在使用 Mybatis 获取到 SqlSession 之后要想进行数据库操作,首先要做的工作就是获取到对应的 Mapper ,如:

AuthorMapper mapper = session.getMapper(AuthorMapper.class);

那么问题来了,AuthorMapper 作为一个接口要如何获取其实例呢?我们通常在 Mapper 接口中只是声明了一个方法,它又是怎么来执行具体的增删改查操作的呢?接下来我们就来一步步 debug 进入代码,看看它是如何实现的。
从上一篇文章 MyBatis 源码分析篇 2:SqlSession 我们知道,SqlSession 的实现类 DefaultSqlSession 中有一个 Configuration 类型的成员变量,该 configuration 可以获取 Mapper:
@Override public T getMapper(Class type) { return configuration.getMapper(type, this); }

继续进入 org.apache.ibatis.session.Configuration 类可以看到其实现:
public T getMapper(Class type, SqlSession sqlSession) { return mapperRegistry.getMapper(type, sqlSession); }

再往下走进入 org.apache.ibatis.binding.MapperRegistry 类:
public T getMapper(Class type, SqlSession sqlSession) { final MapperProxyFactory mapperProxyFactory = (MapperProxyFactory) knownMappers.get(type); if (mapperProxyFactory == null) { throw new BindingException("Type " + type + " is not known to the MapperRegistry."); } try { return mapperProxyFactory.newInstance(sqlSession); } catch (Exception e) { throw new BindingException("Error getting mapper instance. Cause: " + e, e); } }

注意 mapperProxyFactory.newInstance(sqlSession); 这行代码,跟进去可以看到:
@SuppressWarnings("unchecked") protected T newInstance(MapperProxy mapperProxy) { return (T) Proxy.newProxyInstance(mapperInterface.getClassLoader(), new Class[] { mapperInterface }, mapperProxy); }public T newInstance(SqlSession sqlSession) { final MapperProxy mapperProxy = new MapperProxy(sqlSession, mapperInterface, methodCache); return newInstance(mapperProxy); }

到这里我想大家已经明白了,原来 MyBatis 获取 Mapper 实例采用的方式是:动态代理。动态代理类就是 MapperProxy 类。
到这里,可想而知,我们要执行的数据库操作方法一定是在这个代理类中实现的,在之后的文章 MyBatis 源码分析篇 4:Mapper 方法执行 中我们会详细讨论。
附: 【MyBatis|MyBatis 源码分析篇 3(getMapper)】当前版本:mybatis-3.5.0
官网文档:MyBatis
项目实践:MyBatis Learn
手写源码:MyBatis 简易实现

    推荐阅读