Mybatis(二)— 模糊查询两种方式和 resultMap结果类型

模糊查询

  • 第一种方法
<!-- 根据名称模糊查询 -->
 <select id="findByName" resultType="com.itheima.domain.User" parameterType="String">
	select * from user where username like #{username}
</select>
  • 第二种方法
<!-- 根据名称模糊查询 -->
 <select id="findByName" parameterType="string" resultType="com.itheima.domain.User">
	select * from user where username like '%${value}%'
</select>

所以 ,两方法比较 #{}与${}的区别

#{}表示一个占位符号
通过#{}可以实现 preparedStatement 向占位符中设置值,自动进行 java 类型和 jdbc 类型转换,
#{}可以有效防止 sql 注入。 #{}可以接收简单类型值或 pojo 属性值。 
如果 parameterType 传输单个简单类型值,#{}括号中可以是 value 或其它名称。
${}表示拼接 sql 串
通过${}可以将 parameterType 传入的内容拼接在 sql 中且不进行 jdbc 类型转换, ${}可以接收简
单类型值或 pojo 属性值,如果 parameterType 传输单个简单类型值,${}括号中只能是 value。

resultMap 的使用

  • 条件:此时的实体类属性和数据库表的列名已经不一致
  • 第一种方法:使用别名查询
<!-- 配置查询所有操作 -->
<select id="findAll" resultType="com.itheima.domain.User">
	select id as userId,username as userName,birthday as userBirthday,
sex as userSex,address as userAddress from user
</select>
  • 第二种方法: resultMap的使用
  • resultMap 结果类型:
  1. resultMap 标签可以建立查询的列名和实体类的属性名称不一致时建立对应关系。从而实现封装。
  2. 在 select 标签中使用 resultMap 属性指定引用即可。同时 resultMap 可以实现将查询结果映射为复杂类型的 pojo,比如在查询结果映射对象中包括 pojo 和 list 实现一对一查询和一对多查询。
  • 配置如下:
<!-- 建立 User 实体和数据库表的对应关系
	type 属性:指定实体类的全限定类名
	id 属性:给定一个唯一标识,是给查询 select 标签引用用的。
--> 
<resultMap type="com.itheima.domain.User" id="userMap">
	<id column="id" property="userId"/>
	<result column="username" property="userName"/>
	<result column="sex" property="userSex"/>
	<result column="address" property="userAddress"/>
	<result column="birthday" property="userBirthday"/>
</resultMap>
	id 标签:用于指定主键字段
	result 标签:用于指定非主键字段
	column 属性:用于指定数据库列名
	property 属性:用于指定实体类属性名称

  • 映射配置
<!-- 配置查询所有操作 --> 
<select id="findAll" resultMap="userMap">
	select * from user
</select>
发布了58 篇原创文章 · 获赞 7 · 访问量 9255

猜你喜欢

转载自blog.csdn.net/Mr_OO/article/details/102322565