面试题:#{} 和 ${} 的区别是什么?
#{}
会对 sql 预编译处理,将#{}
替换为占位符,字符串会变为 'xxx'。${}
则是直接替换变量
我们结合项目通过源码来看看两者是怎么解析的。这样不会无聊,也能加深印象。 在 mybatis 与 spring 集成的项目中,SqlSessionFactory 由 SqlSessionFactoryBean 创建
以格式化 delete from sys_attach where id = #{id} 为例时序图是这样,你可以根据根据时序图跟踪源码
格式化后 #{} 会替换成?,表示占位符,预编译语句会使用 PreparedStatement 来处理
如果是 delete from sys_attach where id = ${id},XMLScriptBuilder 前面的过程都是一样的,主要是在 parseScriptNode () 方法中判断是静态 sql, 还是动态 sql, 动态 sql 是返回 DynamicSqlSource 对象,再执行 sql 语句的时候再将 id 赋值
代码语言:javascript复制 public SqlSource parseScriptNode() {
//解析XNode成一系列SqlNode对象,并封装成MixedSqlNode对象,并会判断此SQL是否为动态
MixedSqlNode rootSqlNode = parseDynamicTags(context);
SqlSource sqlSource = null;
if (isDynamic) {
//是动态Sql
sqlSource = new DynamicSqlSource(configuration, rootSqlNode);
} else {
sqlSource = new RawSqlSource(configuration, rootSqlNode, parameterType);
}
return sqlSource;
}
在运行时会调用DynamicSqlSource.getBoundSql(Object parameterObject)生成SQL语句
代码语言:javascript复制 //在运行时调用
@Override
public BoundSql getBoundSql(Object parameterObject) {
//传入configuration和运行时的参数,创建DynamicContext对象
DynamicContext context = new DynamicContext(configuration, parameterObject);
//应用每个SqlNode,拼接Sql片段,这里只替换动态部分
//此时context的sqlBuilder已经被解析具体的sql语句
rootSqlNode.apply(context);
//继续解析SQL,将#{}替换成?
SqlSourceBuilder sqlSourceParser = new SqlSourceBuilder(configuration);
Class<?> parameterType = parameterObject == null ? Object.class : parameterObject.getClass();
SqlSource sqlSource = sqlSourceParser.parse(context.getSql(), parameterType, context.getBindings());
//创建BoundSql对象
BoundSql boundSql = sqlSource.getBoundSql(parameterObject);
for (Map.Entry<String, Object> entry : context.getBindings().entrySet()) {
boundSql.setAdditionalParameter(entry.getKey(), entry.getValue());
}
return boundSql;
}
以上就是对该面试题的源码分析。
关注我,给你看更多面试分析