mybatis的基本使用

一、mybatis概述

一个实现数据持久化的开源框架。是对JDBC的封装。

二、mybatis核心接口和类

1)SqlSessionFactoryBuilder、SqlSessionFactory、SqlSession

2)获取原理SqlSessionFactory

三、使用方式

1)新建数据库表

-- ----------------------------
-- Table structure for author
-- ----------------------------
DROP TABLE IF EXISTS `author`;
CREATE TABLE `author` (
  `id` int(11) NOT NULL AUTO_INCREMENT,
  `name` varchar(255) DEFAULT NULL,
  `age` int(11) DEFAULT NULL,
  `sex` varchar(255) DEFAULT NULL,
  PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=3 DEFAULT CHARSET=utf8;

-- ----------------------------
-- Records of author
-- ----------------------------
INSERT INTO `author` VALUES ('1', 'aki', '1', '男');
INSERT INTO `author` VALUES ('2', '澳门', '2', '女');

2)新建数据库实体类

import lombok.Data;

@Data
public class User {
    private int id;
    private  int age;
    private String name;
    private String sex;
}

3)创建mybatis的配置文件config.xml(文件名随意,创建在resources下面)

  1. 配置JDBC事务
  2. 配置JDBC数据源连接池
  3. 配置的基本操作(注册驱动。。。)



    
        
    
    
        
            
            
            
            
                
                
                
                
            
        
    
    
    
        
    

4)使用原生接口(新建包)

(1)需要开发者自定义SQL语句,写在Mapper.xml文件中,在实际开发中,会为每个实体类创建对应的Mapper.xml,定义管理该对象数据的SQL

*namespace通常设置为文件所在包加文件名的形式

*id属性是指实际调用Mybatis方法需要用到的参数

*parameterType是调用对应方法时的数据类型

(2)在全局配置文件config.xml中注册mapper

*resource中的路径要用/作为分割





    

(3)使用

InputStream i = HelloCpntroller.class.getClassLoader().getResourceAsStream("config.xml");
        SqlSessionFactoryBuilder sqlSessionFactoryBuilder = new SqlSessionFactoryBuilder();
        SqlSessionFactory sqlSessionFactory =sqlSessionFactoryBuilder.build(i);
        SqlSession sqlSession = sqlSessionFactory.openSession();
        String statment = "com.example.demo.mapper.UserMapper.findAll";
        List users = sqlSession.selectList(statment);
        sqlSession.commit();

5)注意事项:

*在使用时要配置这个属性,否则会找不到mapper.xml

processResources {
    from('src/main/java') {
        include '**/*.xml'
    }
}

 *建立实体类的时候导入的依赖

compileOnly 'org.projectlombok:lombok:1.18.6'
annotationProcessor 'org.projectlombok:lombok:1.18.6'

 

你可能感兴趣的:(mybatis)