对于Mybatis中< mappers >标签下的增删改查具体标签中的属性我们需要有个大概的学习。比如ParameterType为基本数据类型或者hashmap时有什么区别,ResultType与ResultMap用法又有什么区别。
一、ParameterType具体参数的区别
当sql语句需要我们传入参数时,我们通常会使用标签中的ParameterType属性,为此属性赋值时,通常会有两种方式。第一种为简单类型,其中包括int,double,String等等同样也包括model类型,第二种方式为hashmap方式。
1、 在查询条件只有一个且输入参数为基本数据类型时
如:
<select id="findUserById" parameterType="int" resultType="user">
SELECT * FROM USER WHERE id = #{id}
</select>
通常可以直接传入一个简单类型,而且此时我们在SQL语句中可以用 #{str} 来代替我们输入的参数,其中str可以为任意的。
2、在SQL语句中需要我们传入的参训条件不止一个时
如:
<select id="findUserById" parameterType="com.user" resultType="com.user">
SELECT * FROM USER WHERE id = #{id} and username = #{username}
</select>
这种情况下,我们需要传入的参数不只一个,此时在parameterType里面只传入一个简单类型肯定是不够的,此时我们可以有多种处理方式:
①、可以将需要传入的多个参数封装到一个类里面,比如上述我们需要传入的Id和username就可以创建一个User类,在里面创建id和username属性,在测试时,我们new一个User 对象,并为其id和username属性赋值,最后将这个user对象传入SQL语句就能实现多个条件查询,需要注意的是SQL语句中查询条件 #{} 中 {} 里面的参数必须要与类中具体的属性名称一致。
②可以将parameterType的值为hashmap,此时我们只需要在测试时创建一个hashMap,在hashMao中添加两个键值对,其中K为传入参数的名称,V为具体的值。如上例中可以创建K为”sex“和K为”username“的两个键值对。当然,在SQL语句中 #{} 中 {} 里面的参数必须要与hashMap中K一致。例:
<select id="findUserByMap" parameterType="hashmap"resultType="user">
SELECT u.* FROM user u where username LIKE '%${userName}%' AND SEX = #{sex}
</select>
二、ResultType与ResultMap区别
只有在进行SELECT语句时才会有Result。
我们执行查询语句时,可以显示表中一个属性或者多个,所以ResultType表示的结果也可以是一个简单类型或者一个封装多个参数的类。当返回值为一个简单类型时,我们不用过多操作,直接return这个简单类型就行。而当返回为多个时,同样我们可将这些属性用一类来封装,然后将返回值设置为这个类名即可。
当进行SQL查询时,我们对查询的列起了别名,或者进行多表联合查询时我们就需要使用ResultMap。
如:
<!--设置返回类型为ResultMap(在有下滑线的列名中经常使用)-->
<resultMap id="resultMap" type="user">
<id property="id" column="id"/>
<result property="username" column="username_"/>
<result property="sex" column="sex_"/>
<result property="birthday" column="birthday_"/>
<result property="address" column="address_"/>
</resultMap>
<select id="findUserByResultMap" parameterType="int" resultMap="resultMap">
select id,username username_,sex sex_,birthday birthday_,address address_ from user
where id = #{id}
</select>
多表查询:
如查询id为输入参数时的用户所下的订单信息
<!--如果模型里面包括模型属性。使用ResultMap-->
<!--type="orders"中orders为别名-->
<resultMap id="resultMap" type="orders">
<id property="id" column="id"/>
<id property="number" column="number"/>
<id property="createtime" column="createtime"/>
<id property="note" column="note"/>
<!--模型里面的模型属性用association标签往模型里面属性赋值,第一个user表示orders类中user属性,第二个user表示user这个model所在位置-->
<association property="user" javaType="user">
<id property="username" column="username"/>
<id property="id" column="user_id"/>
<id property="address" column="address"/>
</association>
</resultMap>
<select id="findOrdersById" parameterType="int" resultMap="resultMap">
select o.*,u.username,u.address from user u,orders o where u.id = o.user_id and o.id = #{id}
</select>```