@Param用于dao层,是mybatis中的注解
使得mapper.xml中的参数与后台的参数对应上,也增强了可读性
如果两者参数名一致得话,spring会自动进行封装,不一致的时候就需要手动去使其对应上。
即:用注解来简化xml配置的时候,@Param注解的作用是给参数命名,参数命名后就能根据名字得到参数值,正确的将参数传入sql语句中 。
-
在方法只接受一个参数的情况下,可以不使用@Param。
-
在方法接受多个参数的情况下,建议一定要使用@Param注解给参数命名。
-
如果参数是 JavaBean , 则不能使用@Param。
-
不使用@Param注解时,参数只能有一个,并且不是JavaBean
数据库表结构
实体类
/**
* mybatis-sql语句测试实体类
* @Author: chenyang
* @Date: 2021/11/23 15:18
* @Description: 测试实体类
*/
public class Human {
/**
* 主键id
*/
private Integer id;
/**
* 用户名称
*/
private String name;
/**
* 性别 1 男, 2 女
*/
private String sex;
/**
* 个人介绍
*/
private String introduce;
/**
* 脸型
*/
private Integer face;
private Integer type;
private String createTime;
private String updateTime;
}
正常的操作
/**
* 根据姓名和性别查找用户,假设查找的结果只有一条
* @param name
* @param sex
* @return
*/
Human selectHumanByNameAndSex(String name, Integer sex);
<select id="selectHumanByNameAndSex" resultType="Human">
select * from m_human where name=#{name} and sex=#{sex}
</select>
@Test
public void test4(){
Human human = humanDao.selectHumanByNameAndSex("manager", 1);
System.out.println(human);
}
返回的结果
Human{id=3, name='manager', sex='1', introduce='manager2', face=1, type='1', createTime='2021-11-29 22:52:56', updateTime='null'}
数据库数据
查询结果无错误
修改dao层抽象方法
/**
* 根据姓名和性别查找用户,假设查找的结果只有一条
* @param username
* @param sex
* @return
*/
Human selectHumanByNameAndSex(String username, Integer sex);
再次执行Test方法,报错,方法参数和数据库字段对应不上
Caused by: org.apache.ibatis.binding.BindingException: Parameter 'name' not found. Available parameters are [sex, param1, username, param2]
有两种解决办法
第一种是修改xml中的sql语句
<select id="selectHumanByNameAndSex" resultType="Human">
select * from m_human where name=#{username} and sex=#{sex}
</select>
第二种是使用@Parm注解
用注解来简化xml配置的时候,@Param注解的作用是给参数命名,参数命名后就能根据名字得到参数值,正确的将参数传入sql语句中
Human selectHumanByNameAndSex(@Param("name") String username, Integer sex);
采用#{}的方式把@Param注解括号内的参数进行引用
<select id="selectHumanByNameAndSex" resultType="Human">
select * from m_human where name=#{name} and sex=#{sex}
</select>