面试难点:Mybatis 中的 DAO 接口和 XML 文件里的 SQL 是如何建立关系的?
Java技术迷
共 3030字,需浏览 7分钟
·
2022-08-25 18:33
点击关注公众号,Java干货及时送达
作者:张维鹏
一、解析XML:
SqlSessionFactoryBean
时,会找到mapperLocations
配置的路径下中所有的XML文件并进行解析,这里我们重点关注两部分:1、创建SqlSource:
Mybatis会把每个SQL标签封装成SqlSource
对象,然后根据SQL语句的不同,又分为动态SQL和静态SQL。其中,静态SQL包含一段String类型的sql语句;而动态SQL则是由一个个SqlNode
组成。
假如我们有这样一个SQL:
<select id="getUserById" resultType="user">
select * from user
<where>
<if test="uid!=null">
and uid=#{uid}
</if>
</where>
</select>
SqlSource
对象看起来应该是这样的:2、创建MappedStatement:
MappedStatement
对象,这里面有两个属性很重要:id:全限定类名+方法名组成的ID sqlSource:当前SQL标签对应的SqlSource对象
MappedStatement
对象会被添加到Configuration
中,Configuration
对象就是Mybatis中的大管家,基本所有的配置信息都维护在这里。当把所有的XML都解析完成之后,Configuration
就包含了所有的SQL信息。全限定类名+方法名
” 找到MappedStatement
对象,然后解析里面的SQL内容并进行执行即可。二、Dao接口代理:
<bean class="org.mybatis.spring.mapper.MapperScannerConfigurer">
<property name="basePackage" value="com.viewscenes.netsupervisor.dao" />
<property name="sqlSessionFactoryBeanName" value="sqlSessionFactory"></property>
</bean>
@MapperScan("com.xxx.dao")
,beanClass
设置为MapperFactoryBean
,MapperFactoryBean
实现了FactoryBean
接口,俗称工厂Bean。那么,当我们通过@Autowired
注入这个Dao接口时,返回的对象就是MapperFactoryBean
这个工厂Bean中的getObject()
方法对象。MapperProxy
,当我们通过@Autowired
注入Dao接口时,注入的就是这个代理对象,我们调用 Dao接口中的方法时,则会调用到MapperProxy
对象的invoke()
方法。三、执行:
invoke()
方法。在这里,实际上调用的就是SqlSession
里面的东西了。public class DefaultSqlSession implements SqlSession {
public <E> List<E> selectList(String statement, Object parameter, RowBounds rowBounds) {
try {
MappedStatement ms = configuration.getMappedStatement(statement);
return executor.query(ms,
wrapCollection(parameter), rowBounds, Executor.NO_RESULT_HANDLER);
}
}
}
statement
(全限定类型+方法名)拿到MappedStatement
对象,然后通过执行器Executor
去执行具体SQL并返回。四、总结
SqlSource
以及动态标签SqlNodeMappedStatement
对象Spring工厂Bean以及动态代理 SqlSession
以及执行器
namespace+id
唯一即可。评论