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

mybatis学习(一)--hello world

程序员文章站 2024-03-23 09:57:40
...

mybatis是一个半自动的持久化ORM框架,许多公司都在使用该框架,所以,现在来个系统的学习,顺便记录一下。

  1. mybatis下载
    可以去GitHub上下载,https://github.com/mybatis/mybatis-3/releases,选择合适的版本即可下载。
    mybatis学习(一)--hello world

  2. 使用mybatis
    在eclipse中新建一个java工程,将mybatis核心jar包添加至build path,现在就使用mybatis来实现一个最简单的查询操作。
    (1)、新建一个User实体类,

public class User {

    private int id;
    private String username;
    private String password;
    private String gender;
// 省略getter、 setter方法
}
(2)、再创建一个UserMapper的接口类,在类中声明一个查询用户的接口
public interface UserMapper {

    User getUser(int id);
}
(3)、新建UserMapper.xml配置文件

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapper
  PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
  "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.test.mapper.UserMapper">
    <select id="getUser" resultType="com.test.entity.User">
        select * from user where id = #{id}
    </select>
</mapper>

(4)、新建mybatis核心配置文件mybatis-config.xml,并将UserMapper.xml文件引入到核心配置文件中。

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE configuration
  PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
  "http://mybatis.org/dtd/mybatis-3-config.dtd">
<configuration>
  <environments default="development">
    <environment id="development">
      <transactionManager type="JDBC"/>
      <dataSource type="POOLED">
        <property name="driver" value="com.mysql.jdbc.Driver"/>
        <property name="url" value="jdbc:mysql://localhost:3306/mybatis"/>
        <property name="username" value="root"/>
        <property name="password" value="root"/>
      </dataSource>
    </environment>
  </environments>
  <mappers>
    <mapper resource="conf/UserMapper.xml"/>
  </mappers>
</configuration>

(5)、测试程序

    @Test
    public void test1() throws Exception {
        String resource = "conf/mybatis-config.xml";
        InputStream inputStream =Resources.getResourceAsStream(resource);
        SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);
        SqlSession session = sqlSessionFactory.openSession();
        try {
            UserMapper userImpl =session.getMapper(UserMapper.class);
            User u = userImpl.getUser(1);
            System.out.println(u);
        } finally {
          session.close();
        }
    }

(6)、输出结果:

mybatis学习(一)--hello world

使用mybatis查询数据成功,此章节先做一个hello world ,在以后的章节中再详细介绍mybatis。

附(测试项目结构):

mybatis学习(一)--hello world

相关标签: mybatis 框架

上一篇: Java 基于UDP 多客户端通信

下一篇: