发布于 2015-03-09 02:51:53 | 310 次阅读 | 评论: 0 | 来源: 网友投递
MyBatis 基于Java的持久层框架
MyBatis 本是apache的一个开源项目iBatis, 2010年这个项目由apache software foundation 迁移到了google code,并且改名为MyBatis 。
本项目支持两种类型的通用Mapper,这两种Mapper都可以极大的方便开发人员。
为了让您更方便的了解这两种通用Mapper,这里分别贴一段代码来看实际效果。
这是本项目提供的第一种通用Mapper,优点是可以缓存,全部针对单表操作,每个实体类都需要继承通用Mapper接口来获得通用方法。
示例代码:
CountryMapper mapper = sqlSession.getMapper(CountryMapper.class); //查询全部 List<Country> countryList = mapper.select(new Country()); //总数 Assert.assertEquals(183, countryList.size()); //通用Example查询 Example example = new Example(Country.class); example.createCriteria().andGreaterThan("id", 100); countryList = mapper.selectByExample(example); Assert.assertEquals(83, countryList.size()); //MyBatis-Generator生成的Example查询 CountryExample example2 = new CountryExample(); example2.createCriteria().andIdGreaterThan(100); countryList = mapper.selectByExample(example2); Assert.assertEquals(83, countryList.size());
CountryMapper代码如下:
public interface CountryMapper extends Mapper<Country> { }
这里不说更具体的内容,如果您有兴趣,可以查看项目文档
这是第二种通用Mapper,EntityMapper可以像Hibernate的session一样操纵全部的实体类,由于可以操纵全部实体,因此不能使用二级缓存。EntityMapper支持通用的Example查询和MGB生成的Example查询。
示例代码:
//获取CommonMapper,继而包装成EntityMapper CommonMapper commonMapper = sqlSession.getMapper(CommonMapper.class); EntityMapper entityMapper = new EntityMapper(commonMapper); //通用Example查询 Example example = new Example(Country.class); //id > 100 && id <= 150 example.createCriteria().andGreaterThan("id", 100).andLessThanOrEqualTo("id", 150); //查询总数 int count = entityMapper.countByExample(example); Assert.assertEquals(50, count); example = new Example(Country.class); //countryname like 'A%' example.createCriteria().andLike("countryname", "A%"); //查询总数 count = entityMapper.countByExample(example); Assert.assertEquals(12, count);
从上面效果来看也能感觉出这是一种类似hibernate的用法,因此也需要实体和表对应起来,因此使用了JPA注解。更详细的内容可以看项目文档。
Country代码:
public class Country { @Id private Integer id; @Column private String countryname; private String countrycode; //省略setter和getter方法 }
使用Mapper专用的MyBatis Generator插件 可以方便的生成这些(带注解的)实体类。
通用Mapper接口增加Example查询方法,包括以下方法:
int selectCountByExample(Object example);
int deleteByExample(Object example);
List selectByExample(Object example);
int updateByExampleSelective(@Param("record") T record, @Param("example") Object example);
int updateByExample(@Param("record") T record, @Param("example") Object example);
通用Example增加了一个exists的参数,当true的时候如果使用的字段不存在会抛出异常,false时不抛出异常,但是不使用该字段的条件。