欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

MyBatis在使用单个参数进行if判断

程序员文章站 2022-04-26 14:38:53
...

MyBatis在使用单个参数进行if判断的时候,如果直接使用参数本身,则会报出:There is no getter for property named ... 的异常,比如

错误的代码:

<select id="findByFid" resultType="category" parameterType="integer">
    SELECT *
    FROM category
    <where>
        <if test="fid == null">fid IS NULL</if>
        <if test="fid != null">fid = #{fid}</if>
    </where>
</select>

这样写就会报出:Internal error : nested exception is org.apache.ibatis.reflection.ReflectionException: There is no getter for property named 'fid' in 'class java.lang.Integer'的异常。

正确的方法是应该用“_parameter”来代替需要判断的参数:

<select id="findByFid" resultType="category" parameterType="integer">
    SELECT *
    FROM category
    <where>
        <if test="_parameter == null">fid IS NULL</if>
        <if test="_parameter != null">fid = #{fid}</if>
    </where>
</select>

当然,还有一种方法就是在Mapper接口中给定参数名,如:

List<Category> findByFid(Integer fid);

更改为:

List<Category> findByFid(@Param("fid") Integer fid);

这样xml中就可以使用最上面的那种写法,直接使用参数名做判断了,但是注意要去掉parameterType属性。

附送MyBatis官方中文手册:http://www.mybatis.org/mybatis-3/zh/index.html

完毕!