标签:
在尝试使用mybatis的动态sql中遇到这么一个问题,
使用Mybatis查询时,其参数可以是基本数据类型或者像Integer和String这样的简单的数据对象,也可以是复杂对象(一般是指JavaBean)或者map等,当使用基本数据类型的参数时,若这个参数的使用放在了判断条件中,
<!-- mybatis 动态sql-->
<select id="findFruit" resultType="Fruit">
    SELECT * FROM tb_fruit
    WHERE name = ‘helloworld‘
    <if test="tyep != null">
        AND type = #{_parameter}
    </if>
</select> 
查询,
@Test
public void test8837() throws SQLException {
    SqlSession sqlSession = sqlSessionFactory.openSession();
    sqlSession.getConnection().setAutoCommit(true); //设置事务的自动提交
    List<Fruit> fruits = sqlSession.selectList(
        "com.usoft.mapper.FruitMapper.findFruit", null);
    List<Fruit> fruits2 = sqlSession.selectList(
        "com.usoft.mapper.FruitMapper.findFruit", 1);
    System.out.println(fruits.size());
    System.out.println(fruits2.size());
    sqlSession.close();
} 
则会报如下错误,
org.apache.ibatis.exceptions.PersistenceException:
### Error querying database. Cause: org.apache.ibatis.reflection.ReflectionException: There is no getter for property named ‘tyep‘ in ‘class java.lang.Integer‘
### Cause: org.apache.ibatis.reflection.ReflectionException: There is no getter for property named ‘tyep‘ in ‘class java.lang.Integer‘
就是说 Integer 类中 没有type这个属性,是啊 ,Integer 中本来就没有type这个属性啊,其实是,在mybatis中,采用ONGL解析参数,所以会自动采用对象树的形式获取传入的变量值。这里传入参数的类型为 int ,其自动装箱为 Integer,获取type参数的值时,其实获取的 就是Integer的type值。所以这样的写法是不对的。
应该改成如下,
<!-- mybatis 动态sql-->
<select id="findFruit" resultType="Fruit">
    SELECT * FROM tb_fruit
    WHERE name = ‘helloworld‘
    <if test="_parameter != null">
        AND type = #{_parameter}
    </if>
</select> 
这里的 _parameter 表明这个参数的类型为 基本类型或基本类型的封装类型。
==========================END==========================
Mybatis There is no getter for property named ‘X‘
标签:
原文地址:http://my.oschina.net/xinxingegeya/blog/474668