在MyBatis中,<typeAliases>元素用于定义类型别名,它可以将Java类名映射为一个更简短的别名,这样在映射文件中可以直接使用别名而不需要完整的类名。
下面是一个示例:
在mybatis核心配置文件中配置typeAliases标签
<typeAliases>
<typeAlias alias="Acount" type="duhong.entity.Account"/>
</typeAliases>
为duhong.entity.Account类指定了别名Account。
定义了这些别名后,我们可以在映射文件中直接使用这些别名来引用对应的Java类,例如:
<resultMap id="AccountMap" type="Account">
通过使用别名,我们可以简化映射文件中的配置,并提高代码可读性和可维护性。
<package name="duhong.dao"/>
这种声明方式,会使mybatis查找duhong/dao下对应的xml文件,不过这种方式要求xml资源目录与dao层目录一致。
在MyBatis中,#{} 和 ${} 用于处理SQL语句中的参数,但是它们在作用和安全性方面有所不同。
SELECT * FROM some_table WHERE id = #{id}
SELECT * FROM ${tableName} WHERE column = #{value}
测试:
dao层添加接口
//查询所有,按降序排列
List<Account> selectAllByDesc(String key);
mapper中添加查询语句
resultMap id="AccountMap" type="duhong.entity.Account">
<id property="id" column="id"></id>
<result property="accountNumber" column="account_number"></result>
<result property="accountType" column="account_type"></result>
<result property="balance" column="balance"></result>
</resultMap>
<select id="selectAllByDesc" resultMap="AccountMap">
select * from account ORDER BY balance ${order};
</select>
添加junit,测试
SqlSession sqlSession= SqlSessionUtil.openSession();
@Test
public void test(){
AccountDao mapper = sqlSession.getMapper(AccountDao.class);
List<Account> account = mapper.selectAllByDesc("DESC");
for (Account account1 : account) {
System.out.println(account);
}
}
将${}换成#{},执行出错,原因在于DESC是sql语句的关键字,而#{}会将参数转化为字符串。
<select id="selectLikeAll" resultMap="AccountMap">
select * from account where account_number like '%${key}%';
</select>
//模糊查询
List<Account> selectLikeAll(String key);
@Test
public void likeTest(){
AccountDao accountDao=sqlSession.getMapper(AccountDao.class);
List<Account> accounts = accountDao.selectLikeAll("1");
System.out.println(accounts);
}
同样直接使用#{}也会出错,#{}在' '中并不会被赋值
改进方式sql中使用concat拼接字符串
<select id="selectLikeAll" resultMap="AccountMap">
select * from account where account_number like concat('%',#{key},'%');
</select>