• Mybatis学习


    hello-mybatis

    创建maven jar项目

    • pom.xml依赖如下
    <project xmlns="http://maven.apache.org/POM/4.0.0"
    	xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    	xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
    	<modelVersion>4.0.0</modelVersion>
    	<groupId>com.garcon</groupId>
    	<artifactId>hello-mybatis</artifactId>
    	<version>0.0.1-SNAPSHOT</version>
    
    	<dependencies>
    		<!--MyBatis的依赖 -->
    		<dependency>
    			<groupId>org.mybatis</groupId>
    			<artifactId>mybatis</artifactId>
    			<version>3.4.6</version>
    		</dependency>
    
    		<!--MySQL驱动 -->
    		<dependency>
    			<groupId>mysql</groupId>
    			<artifactId>mysql-connector-java</artifactId>
    			<version>5.1.38</version>
    		</dependency>
    
    		<!-- 测试 -->
    		<dependency>
    			<groupId>junit</groupId>
    			<artifactId>junit</artifactId>
    			<version>4.12</version>
    			<scope>test</scope>
    		</dependency>
    
    		<!-- 日志 -->
    		<dependency>
    			<groupId>log4j</groupId>
    			<artifactId>log4j</artifactId>
    			<version>1.2.17</version>
    		</dependency>
    
    	</dependencies>
    </project>
    
    • 创建实体类com.garcon.bean.Student 与数据表中的字段对应
    package com.garcon.bean;
    
    public class Student {
    
    	private Integer sid;
    	private String lastName;
    	private String gender;
    	private String hobby;
    
    	public Integer getSid() {
    		return sid;
    	}
    
    	public void setSid(Integer sid) {
    		this.sid = sid;
    	}
    
    	public String getLastName() {
    		return lastName;
    	}
    
    	public void setLastName(String lastName) {
    		this.lastName = lastName;
    	}
    
    	public String getGender() {
    		return gender;
    	}
    
    	public void setGender(String gender) {
    		this.gender = gender;
    	}
    
    	public String getHobby() {
    		return hobby;
    	}
    
    	public void setHobby(String hobby) {
    		this.hobby = hobby;
    	}
    
    	@Override
    	public String toString() {
    		return "Student [sid=" + sid + ", lastName=" + lastName + ", gender=" + gender + ", hobby=" + hobby + "]";
    	}
    
    }
    
    
    • 创建与实体类对应的接口com.garcon.dao.StudentMapper
    package com.garcon.dao;
    
    import com.garcon.bean.Student;
    
    public interface StudentMapper {
    
    	//以sid获取一条记录
    	Student getStudentBySid(Integer sid);
    }
    
    
    • 创建MyBatis全局配置文件mybatis-config.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>
    
        <!-- 引入资源配置文件 -->
        <properties resource="dbconfig.properties"></properties>
    
        <!--setting包含了很多重要的设置项 -->
    	<settings>
    		<!--开启驼峰命名规则  -->
    		<setting name="mapUnderscoreToCamelCase" value="true" />
    	</settings>
    
    	<environments default="development">
    		<environment id="development">
    			<transactionManager type="JDBC" />
    			<dataSource type="POOLED">
    				<property name="driver" value="${driver}" />
    				<property name="url" value="${url}" />
    				<property name="username" value="${username}" />
    				<property name="password" value="${password}" />
    			</dataSource>
    		</environment>
    	</environments>
    	
    	<!-- 引入SQL映射文件 -->
    	<mappers>
    		<mapper resource="mapper/studentMapper.xml" />
    	</mappers>
    	
    </configuration>
    
    • 创建与实体类对应的SQL映射文件mapper/studentMapper.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.garcon.dao.StudentMapper">
    
       <!--对应接口的一个方法-->
    	<select id="getStudentBySid" resultType="com.garcon.bean.Student">
    		select * from student where sid = #{sid}
    	</select>
    	
    </mapper>
    
    • 创建日志文件log4j.xml
    <?xml version="1.0" encoding="UTF-8" ?>
    <!DOCTYPE log4j:configuration SYSTEM "log4j.dtd">
     
    <log4j:configuration xmlns:log4j="http://jakarta.apache.org/log4j/">
     <appender name="STDOUT" class="org.apache.log4j.ConsoleAppender">
       <param name="Encoding" value="UTF-8" />
       <layout class="org.apache.log4j.PatternLayout">
        <param name="ConversionPattern" value="%-5p %d{MM-dd HH:mm:ss,SSS} %m  (%F:%L) 
    " />
       </layout>
     </appender>
     <logger name="java.sql">
       <level value="debug" />
     </logger>
     <logger name="org.apache.ibatis">
       <level value="info" />
     </logger>
     <root>
       <level value="debug" />
       <appender-ref ref="STDOUT" />
     </root>
    </log4j:configuration>
    
    • 创建工具类com.garcon.comment.SqlSessionFactoryUtil获取SqlSessionFactory会话工厂
    package com.garcon.comment;
    
    import java.io.IOException;
    import java.io.InputStream;
    
    import org.apache.ibatis.io.Resources;
    import org.apache.ibatis.session.SqlSessionFactory;
    import org.apache.ibatis.session.SqlSessionFactoryBuilder;
    
    /**
     * 
     * @author Garcon
     * 获取SqlSessionFactory的工具类
     */
    public class SqlSessionFactoryUtil {
    
    	
    	public static SqlSessionFactory getSqlSessionFactory() {
    		
    		SqlSessionFactory sqlSessionFactory =null;
    		//加载全局配置文件
    		String resource = "mybatis-config.xml";
    		
    		InputStream inputStream = null;
    		
    		try {
    			//获取配置文件的流
    			inputStream = Resources.getResourceAsStream(resource);
    		} catch (IOException e) {
    			e.printStackTrace();
    		}
    		//可获取SqlSessionFactory
    		sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);
    		
    		return sqlSessionFactory;
    	}
    }
    
    
    • 测试
    package com.garcon.test;
    
    import org.apache.ibatis.session.SqlSession;
    import org.junit.Test;
    
    import com.garcon.bean.Student;
    import com.garcon.comment.SqlSessionFactoryUtil;
    import com.garcon.dao.StudentMapper;
    
    public class MybatisTest {
    
    //SqlSession代表和数据库的一次会话,用完必须关闭
    //SqlSession和coonection一样都是非线程安全,每次使用都应该去获取新的对象
    //mapper接口没有实现类,但是mybatis会为这个接口生成一个代理对象。
     
    	@Test
    	public void getStudentBySid() {
    		SqlSession session=SqlSessionFactoryUtil.getSqlSessionFactory().openSession();
    		 //获取接口的代理对象
    		StudentMapper studentMapper  =session.getMapper(StudentMapper.class);
    		//调用接口的方法
    		Student student=studentMapper.getStudentBySid(1);
    		//输出测试结果
    		System.out.println("student="+student);
    		//关闭会话
    		session.close();
    	}
    }
    
    

    MyBatis全局配置文件

    • settings 的设置项
    cacheEnabled
        全局地开启或关闭配置文件中的所有映射器已经配置的任何缓存。
        true | false	true
    
    lazyLoadingEnabled
        延迟加载的全局开关。当开启时,所有关联对象都会延迟加载。 特定关联关系中可通过设置fetchType属性来覆盖该项的开关状态。
        true | false	false
    
    aggressiveLazyLoading
        当开启时,任何方法的调用都会加载该对象的所有属性。否则,每个属性会按需加载(参考lazyLoadTriggerMethods).
        true | false	false (true in ≤3.4.1)
    
    multipleResultSetsEnabled
        是否允许单一语句返回多结果集(需要兼容驱动)。
        true | false	true
    
    useColumnLabel
        使用列标签代替列名。不同的驱动在这方面会有不同的表现, 具体可参考相关驱动文档或通过测试这两种不同的模式来观察所用驱动的结果。
        true | false	true
    
    useGeneratedKeys
        允许 JDBC 支持自动生成主键,需要驱动兼容。 如果设置为 true 则这个设置强制使用自动生成主键,尽管一些驱动不能兼容但仍可正常工作(比如 Derby)。
        true | false	False
    
    autoMappingBehavior
        指定 MyBatis 应如何自动映射列到字段或属性。 
        NONE 表示取消自动映射;
        PARTIAL 只会自动映射没有定义嵌套结果集映射的结果集。
        FULL 会自动映射任意复杂的结果集(无论是否嵌套)。
        NONE, PARTIAL, FULL	PARTIAL
    
    autoMappingUnknownColumnBehavior
        指定发现自动映射目标未知列(或者未知属性类型)的行为。
        NONE: 不做任何反应
        WARNING: 输出提醒日志('org.apache.ibatis.session.AutoMappingUnknownColumnBehavior' 的日志等级必须设置为 WARN)
        FAILING: 映射失败 (抛出 SqlSessionException)
        NONE, WARNING, FAILING	NONE
    
    defaultExecutorType
        配置默认的执行器。
        SIMPLE 就是普通的执行器;
        REUSE 执行器会重用预处理语句(prepared statements);
        BATCH 执行器将重用语句并执行批量更新。
        SIMPLE REUSE BATCH	SIMPLE
    
    defaultStatementTimeout
        设置超时时间,它决定驱动等待数据库响应的秒数。
        任意正整数	Not Set (null)
    
    defaultFetchSize
        为驱动的结果集获取数量(fetchSize)设置一个提示值。此参数只可以在查询设置中被覆盖。
        任意正整数	Not Set (null)
    
    safeRowBoundsEnabled
        允许在嵌套语句中使用分页(RowBounds)。如果允许使用则设置为false。
        true | false	False
    
    safeResultHandlerEnabled
        允许在嵌套语句中使用分页(ResultHandler)。如果允许使用则设置为false。
        true | false	True
    
    mapUnderscoreToCamelCase
        是否开启自动驼峰命名规则(camel case)映射,即从经典数据库列名 A_COLUMN 到经典 Java 属性名 aColumn 的类似映射。
        true | false	False
    
    localCacheScope	MyBatis
        利用本地缓存机制(Local Cache)防止循环引用(circular references)和加速重复嵌套查询。
        默认值为SESSION,这种情况下会缓存一个会话中执行的所有查询。
        若设置值为 STATEMENT,本地会话仅用在语句执行上,对相同 SqlSession 的不同调用将不会共享数据。
        SESSION | STATEMENT	SESSION
    
    jdbcTypeForNull
        当没有为参数提供特定的 JDBC 类型时,为空值指定 JDBC 类型。 某些驱动需要指定列的 JDBC 类型,多数情况直接用一般类型即可,比如 NULL、VARCHAR 或 OTHER。	JdbcType 常量. 
        大多都为: NULL, VARCHAR and OTHER	OTHER
    
    lazyLoadTriggerMethods
        指定哪个对象的方法触发一次延迟加载。
        用逗号分隔的方法列表。
        equals,clone,hashCode,toString
    
    defaultScriptingLanguage
        指定动态 SQL 生成的默认语言。
        一个类型别名或完全限定类名。
        org.apache.ibatis.scripting.xmltags.XMLLanguageDriver
    
    defaultEnumTypeHandler
        指定 Enum 使用的默认 TypeHandler 。 (从3.4.5开始)
        一个类型别名或完全限定类名。
        org.apache.ibatis.type.EnumTypeHandler
    
    callSettersOnNulls
        指定当结果集中值为 null 的时候是否调用映射对象的 setter(map 对象时为 put)方法,这对于有 Map.keySet() 依赖或 null 值初始化的时候是有用的。
        注意基本类型(int、boolean等)是不能设置成 null 的。
        true | false	false
    
    returnInstanceForEmptyRow
        当返回行的所有列都是空时,MyBatis默认返回null。 当开启这个设置时,MyBatis会返回一个空实例。
        请注意,它也适用于嵌套的结果集 (i.e. collectioin and association)。(从3.4.2开始)
        true | false	false
    
    logPrefix
        指定 MyBatis 增加到日志名称的前缀。
        任何字符串	Not set
    
    logImpl	
        指定 MyBatis 所用日志的具体实现,未指定时将自动查找。
        SLF4J | LOG4J | LOG4J2 | JDK_LOGGING | COMMONS_LOGGING | STDOUT_LOGGING | NO_LOGGING	Not set
    
    proxyFactory
        指定 Mybatis 创建具有延迟加载能力的对象所用到的代理工具。
        CGLIB | JAVASSIST	JAVASSIST (MyBatis 3.3 or above)
    
    vfsImpl	
        指定VFS的实现
        自定义VFS的实现的类全限定名,以逗号分隔。	Not set
    
    useActualParamName
        允许使用方法签名中的名称作为语句参数名称。
        为了使用该特性,你的工程必须采用Java 8编译,并且加上-parameters选项。(从3.4.1开始)
        true | false	true
    
    configurationFactory
        指定一个提供Configuration实例的类。 这个被返回的Configuration实例用来加载被反序列化对象的懒加载属性值。 这个类必须包含一个签名方法static Configuration getConfiguration(). (从 3.2.3 版本开始)
        类型别名或者全类名.	Not set
    
    • 全局配置文件
    <?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>
    	<!--
    		1、mybatis可以使用properties来引入外部properties配置文件的内容;
    		resource:引入类路径下的资源
    		url:引入网络路径或者磁盘路径下的资源
    	  -->
    	<properties resource="dbconfig.properties"></properties>
    	
    	
    	<!-- 
    		2、settings包含很多重要的设置项
    		setting:用来设置每一个设置项
    			name:设置项名
    			value:设置项取值
    	 -->
    	<settings>
    	    <!--开启驼峰命名规则-->
    		<setting name="mapUnderscoreToCamelCase" value="true"/>
    		<setting name="jdbcTypeForNull" value="NULL"/>
    		
    		<!--显示的指定每个我们需要更改的配置的值,即使他是默认的。防止版本更新带来的问题  -->
    		<setting name="lazyLoadingEnabled" value="true"/>
    		<setting name="aggressiveLazyLoading" value="false"/>
    	</settings>
    	
    	
    	<!-- 3、typeAliases:别名处理器:可以为我们的java类型起别名 
    			别名不区分大小写
    	-->
    	<typeAliases>
    		<!-- 1、typeAlias:为某个java类型起别名
    				type:指定要起别名的类型全类名;默认别名就是类名小写;employee
    				alias:指定新的别名
    		 -->
    		<!-- <typeAlias type="com.atguigu.mybatis.bean.Employee" alias="emp"/> -->
    		
    		<!-- 2、package:为某个包下的所有类批量起别名 
    				name:指定包名(为当前包以及下面所有的后代包的每一个类都起一个默认别名(类名小写),)
    		-->
    		<package name="com.atguigu.mybatis.bean"/>
    		
    		<!-- 3、批量起别名的情况下,使用@Alias注解为某个类型指定新的别名 -->
    	</typeAliases>
    		
    	<!-- 
    		4、environments:环境们,mybatis可以配置多种环境 ,default指定使用某种环境。可以达到快速切换环境。
    			environment:配置一个具体的环境信息;必须有两个标签;id代表当前环境的唯一标识
    				transactionManager:事务管理器;
    					type:事务管理器的类型;JDBC(JdbcTransactionFactory)|MANAGED(ManagedTransactionFactory)
    						自定义事务管理器:实现TransactionFactory接口.type指定为全类名
    				
    				dataSource:数据源;
    					type:数据源类型;UNPOOLED(UnpooledDataSourceFactory)
    								|POOLED(PooledDataSourceFactory)
    								|JNDI(JndiDataSourceFactory)
    					自定义数据源:实现DataSourceFactory接口,type是全类名
    		 -->
    		 
    	<environments default="dev_mysql">
    		<environment id="dev_mysql">
    			<transactionManager type="JDBC"></transactionManager>
    			<dataSource type="POOLED">
    				<property name="driver" value="${jdbc.driver}" />
    				<property name="url" value="${jdbc.url}" />
    				<property name="username" value="${jdbc.username}" />
    				<property name="password" value="${jdbc.password}" />
    			</dataSource>
    		</environment>
    	
    		<environment id="dev_oracle">
    			<transactionManager type="JDBC" />
    			<dataSource type="POOLED">
    				<property name="driver" value="${orcl.driver}" />
    				<property name="url" value="${orcl.url}" />
    				<property name="username" value="${orcl.username}" />
    				<property name="password" value="${orcl.password}" />
    			</dataSource>
    		</environment>
    	</environments>
    	
    	
    	<!-- 5、databaseIdProvider:支持多数据库厂商的;
    		 type="DB_VENDOR":VendorDatabaseIdProvider
    		 	作用就是得到数据库厂商的标识(驱动getDatabaseProductName()),mybatis就能根据数据库厂商标识来执行不同的sql;
    		 	MySQL,Oracle,SQL Server,xxxx
    	  -->
    	<databaseIdProvider type="DB_VENDOR">
    		<!-- 为不同的数据库厂商起别名 -->
    		<property name="MySQL" value="mysql"/>
    		<property name="Oracle" value="oracle"/>
    		<property name="SQL Server" value="sqlserver"/>
    	</databaseIdProvider>
    	
    	
    	<!-- 将我们写好的sql映射文件(EmployeeMapper.xml)一定要注册到全局配置文件(mybatis-config.xml)中 -->
    	<!-- 6、mappers:将sql映射注册到全局配置中 -->
    	<mappers>
    		<!-- 
    			mapper:注册一个sql映射 
    				注册配置文件
    				resource:引用类路径下的sql映射文件
    					mybatis/mapper/EmployeeMapper.xml
    				url:引用网路路径或者磁盘路径下的sql映射文件
    					file:///var/mappers/AuthorMapper.xml
    					
    				注册接口
    				class:引用(注册)接口,
    					1、有sql映射文件,映射文件名必须和接口同名,并且放在与接口同一目录下;
    					2、没有sql映射文件,所有的sql都是利用注解写在接口上;
    					推荐:
    						比较重要的,复杂的Dao接口我们来写sql映射文件
    						不重要,简单的Dao接口为了开发快速可以使用注解;
    		-->
    		<!-- <mapper resource="mybatis/mapper/EmployeeMapper.xml"/> -->
    		<!-- <mapper class="com.atguigu.mybatis.dao.EmployeeMapperAnnotation"/> -->
    		
    		<!-- 批量注册: -->
    		<package name="com.atguigu.mybatis.dao"/>
    	</mappers>
    </configuration>
    

    多数据库环境支持:

    <?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>
     
    	<properties resource="dbconfig.properties"></properties>
    	 
    		
    	<!-- 
    		4、environments:环境们,mybatis可以配置多种环境 ,default指定使用某种环境。可以达到快速切换环境。
    			environment:配置一个具体的环境信息;必须有两个标签;id代表当前环境的唯一标识
    				transactionManager:事务管理器;
    					type:事务管理器的类型;JDBC(JdbcTransactionFactory)|MANAGED(ManagedTransactionFactory)
    						自定义事务管理器:实现TransactionFactory接口.type指定为全类名
    				
    				dataSource:数据源;
    					type:数据源类型;UNPOOLED(UnpooledDataSourceFactory)
    								|POOLED(PooledDataSourceFactory)
    								|JNDI(JndiDataSourceFactory)
    					自定义数据源:实现DataSourceFactory接口,type是全类名
    		 -->
    		 
    	<environments default="dev_mysql">
    		<environment id="dev_mysql">
    			<transactionManager type="JDBC"></transactionManager>
    			<dataSource type="POOLED">
    				<property name="driver" value="${jdbc.driver}" />
    				<property name="url" value="${jdbc.url}" />
    				<property name="username" value="${jdbc.username}" />
    				<property name="password" value="${jdbc.password}" />
    			</dataSource>
    		</environment>
    	
    		<environment id="dev_oracle">
    			<transactionManager type="JDBC" />
    			<dataSource type="POOLED">
    				<property name="driver" value="${orcl.driver}" />
    				<property name="url" value="${orcl.url}" />
    				<property name="username" value="${orcl.username}" />
    				<property name="password" value="${orcl.password}" />
    			</dataSource>
    		</environment>
    	</environments>
    	
    	
    	<!-- 5、databaseIdProvider:支持多数据库厂商的;
    		 type="DB_VENDOR":VendorDatabaseIdProvider
    		 	作用就是得到数据库厂商的标识(驱动getDatabaseProductName()),mybatis就能根据数据库厂商标识来执行不同的sql;
    		 	MySQL,Oracle,SQL Server,xxxx
    	  -->
    	<databaseIdProvider type="DB_VENDOR">
    		<!-- 为不同的数据库厂商起别名 -->
    		<property name="MySQL" value="mysql"/>
    		<property name="Oracle" value="oracle"/>
    		<property name="SQL Server" value="sqlserver"/>
    	</databaseIdProvider>
     
    </configuration>
    

    MyBatis的逆向工程

    • pom.xml 中添加如下依赖
    	    <!--逆向工程依赖 MBG -->
    		<dependency>
    			<groupId>org.mybatis.generator</groupId>
    			<artifactId>mybatis-generator-core</artifactId>
    			<version>1.3.5</version>
    		</dependency>
    
    • 在工程下创建 mbg.xml
    <?xml version="1.0" encoding="UTF-8"?>
    <!DOCTYPE generatorConfiguration
      PUBLIC "-//mybatis.org//DTD MyBatis Generator Configuration 1.0//EN"
      "http://mybatis.org/dtd/mybatis-generator-config_1_0.dtd">
    <generatorConfiguration>
    
    	<context id="DB2Tables" targetRuntime="MyBatis3">
    		<commentGenerator>
    			<property name="suppressAllComments" value="true" />
    		</commentGenerator>
    		<!-- 配置数据库连接 -->
    		<jdbcConnection driverClass="com.mysql.jdbc.Driver"
    			connectionURL="jdbc:mysql://localhost:3306/DtabaseName" userId="root"
    			password="root">
    		</jdbcConnection>
    
    		<javaTypeResolver>
    			<property name="forceBigDecimals" value="false" />
    		</javaTypeResolver>
    
    		<!-- 指定javaBean生成的位置 -->
    		<javaModelGenerator targetPackage="com.garcon.bean"
    			targetProject=".srcmainjava">
    			<property name="enableSubPackages" value="true" />
    			<property name="trimStrings" value="true" />
    		</javaModelGenerator>
    
    		<!--指定sql映射文件生成的位置 -->
    		<sqlMapGenerator targetPackage="mapper" targetProject=".srcmain
    esources">
    			<property name="enableSubPackages" value="true" />
    		</sqlMapGenerator>
    
    		<!-- 指定dao接口生成的位置,mapper接口 -->
    		<javaClientGenerator type="XMLMAPPER"
    			targetPackage="com.garcon.dao" targetProject=".srcmainjava">
    			<property name="enableSubPackages" value="true" />
    		</javaClientGenerator>
    
    
    		<!-- table指定每个表的生成策略 -->
    		<table tableName="tbl_emp" domainObjectName="Employee"></table>
    		<table tableName="tbl_dept" domainObjectName="Department"></table>
    	</context>
    </generatorConfiguration>
    

    测试逆向工程

    package com.garcon.test;
    
    import java.io.File;
    import java.util.ArrayList;
    import java.util.List;
    
    import org.mybatis.generator.api.MyBatisGenerator;
    import org.mybatis.generator.config.Configuration;
    import org.mybatis.generator.config.xml.ConfigurationParser;
    import org.mybatis.generator.internal.DefaultShellCallback;
    
    public class MBGTest {
    
    	public static void main(String[] args) throws Exception {
    		List<String> warnings = new ArrayList<String>();
    		boolean overwrite = true;
    		File configFile = new File("mbg.xml");
    		ConfigurationParser cp = new ConfigurationParser(warnings);
    		Configuration config = cp.parseConfiguration(configFile);
    		DefaultShellCallback callback = new DefaultShellCallback(overwrite);
    		MyBatisGenerator myBatisGenerator = new MyBatisGenerator(config,callback, warnings);
    		myBatisGenerator.generate(null);
    	}
    }
    
    

    #{}${}取值的区别

    #{} : 是以预编译的形式,将参数设置到sql语句中,防止sql注入;
    
    ${} : 取出的值会直接拼接在sql语句中,会有安全问题;
    
    

    resultMap 自定义结果

    • resultTyperesultMap只能同时用一个
    <?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.garcon.dao.StudentMapper">
    
    	<!--自定义某个javaBean的封装规则
    	
    	type:自定义规则的Java类型
    	
    	id:唯一id方便引用
    	  -->
    	<resultMap type="com.garcon.bean.Student" id="myStudent">
    	
    		<!--指定主键列的封装规则
    		
    		id定义主键会底层有优化
    	 
    		column:指定哪一列
    		
    		property:指定对应的javaBean属性
    		  -->
    		<id column="sid" property="sid"/>
    		
    		<!-- 定义普通列封装规则 -->
    		<result column="last_name" property="lastName"/>
    		
    		<!-- 其他不指定的列会自动封装:我们只要写resultMap就把全部的映射规则都写上。 -->
    		<result column="gender" property="gender"/>
    		<result column="hobby" property="hobby"/>
    	</resultMap>
    	
    	<!-- resultMap:自定义结果集映射规则;  -->
    	<select id="getStudentById"  resultMap="myStudent">
    		select * from student where sid=#{sid}
    	</select>
    	
    </mapper>
    

    关联查询

    • 自定义关联查询结果集类型
    • 查询学生信息的时候把对应的班级信息也查询出来
    • Student.java 学生信息
    package com.garcon.bean;
    
    public class Student {
    
    	private Integer sid;
    	private String lastName;
    	private String gender;
    	private String hobby;
    	private Sclass sclass;//班级信息
    	
    	...
    	}
    
    • Sclass.java 班级信息
    package com.garcon.bean;
    
    public class Sclass {
    
    	private Integer cid;//班级id
    	private String cName;//班级名称
    	
    	...
    	}
    
    • StudentMapper.java 接口
    package com.garcon.dao;
    
    public interface StudentMapper {
    
        //以sid查询学生信息
        public Student getStudentById(Integer sid);
    }
    
    • StudentMapper.xml 映射文件——resultMap级联属性
    <?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.garcon.dao.StudentMapper">
    
        <!--联合查询:级联属性封装结果集 -->
    	<resultMap type="com.garcon.bean.Student" id="mystudent">
    		<id column="sid" property="sid"/>
    		<result column="last_name" property="lastName"/>
    		<result column="gender" property="gender"/>
    		<result column="hobby" property="hobby"/>
    		<!--关联列用级联属性-->
    		<result column="cid" property="sclass.cid"/>
    		<result column="cname" property="sclass.name"/>
    	</resultMap>
    	
    	<!--级联查询-->
    	<select id="getStudentById"  resultMap="myStudent">
    		SELECT
        		s.sid,
        		s.last_name,
        		s.gender,
        		s.hobby,
        		c.cid,
        		c.cname
    		FROME
    		    student s,
    		    sclass c
    		WHERE
    		    s.sid=c.cid
    		  AND
    		    sid=#{sid}
    	</select>
    	
    </mapper>
    

    或 以下

    • StudentMapper.xml 映射文件——resultMapassociation属性
    <?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.garcon.dao.StudentMapper">
    
        <!--使用association定义关联的单个对象的封装规则-->
    	<resultMap type="com.garcon.bean.Student" id="myStudent">
    		<id column="sid" property="sid"/>
    		<result column="last_name" property="lastName"/>
    		<result column="gender" property="gender"/>
    		<result column="hobby" property="hobby"/>
    		
    		<!-- 
    		association:可以指定联合的javaBean对象
    		    property="sclass":指定哪个属性是联合的对象
    		    javaType:指定这个属性对象的类型[不能省略]
    		-->
    		<association property="sclass" javaType="com.garcon.bean.Sclass">
    			<id column="cid" property="cid"/>
    			<result column="cname" property="cname"/>
    		</association>
    	</resultMap>
    	
    	<!--关联查询-->
    	<select id="getStudentById"  resultMap="myStudent">
    		SELECT
        		s.sid,
        		s.last_name,
        		s.gender,
        		s.hobby,
        		c.cid,
        		c.cname
    		FROME
    		    student s,
    		    sclass c
    		WHERE
    		    s.sid=c.cid
    		  AND
    		    sid=#{sid}
    	</select>
    	
    </mapper>
    

    关联查询-collection

    • 查询班级信息的同时查出班级所对应的学生信息
    • Student.java 学生类
    package com.garcon.bean;
    
    public class Student {
    
    	private Integer sid;
    	private String lastName;
    	private String gender;
    	private String hobby;
    	private Sclass sclass;//班级信息
    	
    	...
    	}
    
    
    • Sclass.java 班级类
    package com.garcon.bean;
    
    public class Sclass {
    
    	private Integer cid;//班级id
    	private String cName;//班级名称
    	private List<Student> students;
    	
    	...
    	}
    
    • SclassMapper.java 班级接口
    package com.garcon.dao;
    
    public interface SclassMapper {
    
        //以班级id查询班级
        public Sclass getSclassById(Integer cid);
    }
    
    • sclassMapper.xml 班级SQL映射文件
    <?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.garcon.dao.SclassMapper">
    	
     <!--嵌套结果集的方式,使用collection标签定义关联的集合类型的属性封装规则  -->
    	<resultMap type="com.garcon.bean.Sclass" id="Mysclass">
    		<id column="cid" property="cid"/>
    		<result column="cname" property="cName"/>
    		<!-- 
    			collection定义关联集合类型的属性的封装规则 
    			ofType:指定集合里面元素的类型
    		-->
    		<collection property="students" ofType="com.garcon.bean.Student">
    			<!-- 定义这个集合中元素的封装规则 -->
    			<id column="sid" property="sid"/>
    			<result column="last_name" property="lastName"/>
    			<result column="gender" property="gender"/>
    			<result column="hobby" property="hobby"/>
    		</collection>
    	</resultMap>
     
    	<select id="getSclassById" resultMap="Mysclass">
    		SELECT
    	        s.sid,
    	        s.last_name,
    	        s.gender,
    	        s.hobyy,
    	        c.cid
    	        c.cname
    		FROM
    		    student s
    		LEFT JOIN
    		    sclass c
    		ON 
    		    s.cid=c.cid
    		WHERE
    		    c.cid=#{cid}
    	</select>
    	
    </mapper>
    

    分步查询-association

    • 先以学生的学号查询学生信息,再以学生信息中的班级编号查询班级信息
    • SclassMapper.java 班级接口
    package com.garcon.dao;
    
    public interface Sclass {
    
        //以班级id查询班级信息
        public Sclass getSclasstById(Integer cid);
    }
    
    • StudentMapper.java 学生接口
    package com.garcon.dao;
    
    public interface StudentMapper {
    
        //以sid查询学生信息
        public Student getStudentById(Integer sid);
    }
    
    • sclassMapper.xml 班级SQL映射文件
    <?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.garcon.dao.SclassMapper">
    	
    	<!--以班级号查询班级信息-->
    	<select id="getSclassById" resultType="com.garcon.bean.Sclass">
            SELECT * FROM sclass WHERE cid=#{cid}
    	</select>
    	
    </mapper>
    
    • studentMapper.xml 学生SQL映射文件
    <?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.garcon.dao.StudentMapper">
    	
        <!-- 
            使用association进行分步查询:
    		    1、先按照学生id查询学生工信息
    	    	2、根据查询学生信息中的cid值去班级表查出班级信息
    	    	3、班级设置到学生中;
    	 -->
    	 
    	 <resultMap type="com.garcon.bean.Student" id="Mystudent">
    	 	<id column="sid" property="sid"/>
    	 	<result column="last_name" property="lastName"/>
    	 	<result column="gender" property="gender"/>
    	 	<result column="hobby" property="hobby"/>
    	 	
    	 	<!-- 
    	 	    association:定义关联对象的封装规则
    	 	    	select:表明当前属性是调用select指定的方法查出的结果
    	 	    	column:指定将哪一列的值传给这个方法
    	 		
    	 	   	流程:使用select指定的方法(传入column指定的这列参数的值)查出对象,并封装给property指定的属性
    	 	 -->
     		<association property="sclass" 
    	 		select="com.garcon.dao.SclassMapper.getSclassById"
    	 		column="cid">
     		</association>
    	 </resultMap>
    	
    	 <select id="getStudentById" resultMap="Mystudent">
    	 	SELECT * FROM student WHERE sid=#{sid}
    	 </select>
    	
    </mapper>
    

    分步查询-collection

    • 先以班级编号查询班级信息,再以班级编号查询班级的所有学生信息
    • SclassMapper.java 班级接口
    package com.garcon.dao;
    
    public interface Sclass {
    
        //以班级id查询班级信息
        public Sclass getSclasstById(Integer cid);
    }
    
    • StudentMapper.java 学生接口
    package com.garcon.dao;
    
    public interface StudentMapper {
    
        //以班级编号查询学生信息
        public List<Student> getStudentByClassId(Integer sid);
    }
    
    • sclassMapper.xml 班级SQL映射文件
    <?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.garcon.dao.SclassMapper">
    	
        <!-- collection:分段查询 -->
    	<resultMap type="com.garcon.bean.Sclass" id="mySclass">
    		<id column="cid" property="cid"/>
    		<id column="cname" property="cName"/>
    		<collection property="students" 
    			select="com.garcon.dao.StudentMapper.getStudentByClassId"
    			column="cid" fetchType="lazy"></collection>
    	</resultMap>
     
    	<select id="getSclasstById" resultMap="mySclass">
    		select cid,cName from sclass where cid=#{cid}
    	</select>
    	
    	<!--
    	    扩展:
    	    多列的值传递过去:
    			将多列的值封装map传递;
    			column="{key1=column1,key2=column2}"
    			如:
    			<collection 
    			    property="" 
        			select=""
        			column="{key1=column1,key2=column2}"
        			fetchType="lazy">
        		</collection>
    			
    		    fetchType="lazy":表示使用延迟加载;
    				- lazy:延迟
    				- eager:立即
    	 -->
    	
    </mapper>
    
    • studentMapper.xml 学生SQL映射文件
    <?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.garcon.dao.StudentMapper">
    	
    	<!--以班级编号查询所有学生-->
    	 <select id="getStudentById" resultType="com.garcon.bean.Student">
    	 	SELECT * FROM student WHERE class_id=#{class_id}
    	 </select>
    	
    </mapper>
    

    分步查询&延迟加载

    适用情况:假如查看学生信息的时候不加载班级信息,当需要查看学生的班级信息的时候再加载班级信息

    • 在分步查询的基础上,在mybatis的全局配置文件的settings设置项中添加如下设置即可
    <settings>
    		<!--显示的指定每个我们需要更改的配置的值,即使他是默认的。防止版本更新带来的问题  -->
    		<setting name="lazyLoadingEnabled" value="true"/>
    		<setting name="aggressiveLazyLoading" value="false"/>
    </settings>
    

    鉴别器-discriminator

    鉴别器:mybatis可以使用discriminator判断某列的值,然后根据某列的值改变封装行为

    • 如果查出的是女生:就把班级信息查询出来,否则不查询;
      如果是男生,把last_name这一列的值赋值给 hobby;
    • studentMapper.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.garcon.dao.StudentMapper">
        <!-- 
    		鉴别器:mybatis可以使用discriminator判断某列的值,然后根据某列的值改变封装行为
    		封装Student:
    			如果查出的是女生:就把班级信息查询出来,否则不查询;
    			如果是男生,把last_name这一列的值赋值给 hobby;
    	 -->
    	 <resultMap type="com.garcon.bean.Student" id="mystudent">
    	 	<id column="sid" property="sid"/>
    	 	<result column="last_name" property="lastName"/>
    	 	<result column="gender" property="gender"/>
    	 	<result column="hobby" property="hobby"/>
    	 	
    	 	<!--
    	 		column:指定判定的列名
    	 		javaType:列值对应的java类型 
    	 		-->
    	 	<discriminator javaType="string" column="gender">
    	 		<!--女生  resultType:指定封装的结果类型;不能缺少。/resultMap-->
    	 		<case value="女" resultType="com.garcon.bean.Student">
    	 			<association property="sclass" 
    			 		select="com.garcon.dao.SclassMapper.getSclasstById"
    			 		column="class_id">
    		 		</association>
    	 		</case>
    	 		<!--男生 ;如果是男生,把last_name这一列的值赋值给hobby; -->
    	 		<case value="男" resultType="com.garcon.bean.Student">
    		 		<id column="id" property="id"/>
    			 	<result column="last_name" property="lastName"/>
    			 	<result column="last_name" property="hobby"/>
    			 	<result column="gender" property="gender"/>
    	 		</case>
    	 	</discriminator>
    	 </resultMap>
    
    • sclassMapper.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.garcon.dao.SclassMapper">
    	
    	<!--以班级号查询班级信息-->
    	<select id="getSclassById" resultType="com.garcon.bean.Sclass">
            SELECT * FROM sclass WHERE cid=#{cid}
    	</select>
    	
    </mapper>
    

    动态SQL

    if

    <!--test:判断表达式(OGNL)-->
    <if test=""></if>
    
    <!--
        应用场境:按条件查询学生,
            如果参数中有sid则查询条件带上sid
            如果参数中有last_name则查询条件带上last_name
            如果参数中有gender则查询条件带上gender
    -->
    
    <select id="getStudent" resultType="com.garcon.dao.StudentMapper">
    	 	select * from student
    	 	<!-- where -->
    	 	<where>
    		 	<if test="sid!=null">
    		 		sid=#{sid}
    		 	</if>
    		 	<if test="lastName!=null AND lastName!=''">
    		 		and last_name like #{lastName}
    		 	</if>
    		 	<if test="hobby!=null and hobby.trim()!=''">
    		 		and hobby=#{hobby}
    		 	</if> 
    		 	<!-- ognl会进行字符串与数字的转换判断  "0"==0 -->
    		 	<if test="gender==0 or gender==1">
    		 	 	and gender=#{gender}
    		 	</if>
    	 	</where>
    </select>
    

    where

    • 去除查询条件中多余的第一个andor
    <!--
        检查以下sql语句
    -->
    <select id="getStudent" resultType="com.garcon.dao.StudentMapper">
    	 	select * from student
    	 	where
    		 	<if test="sid!=null">
    		 		sid=#{sid}
    		 	</if>
    		 	<if test="lastName!=null AND lastName!=''">
    		 		and last_name like #{lastName}
    		 	</if>
    </select>
    <!--
        可以发现,当以上参数 sid 为空时,sql语句就变成了:
            select * from student where and last_name=?
            多出的 and 语法错误;
        解决以上情况可以加标签<where></where>:
        把所有的<if></if>条件都放在<where></where>标签中,可以去除第一个 and 和 or 如下:
    -->        
    <select id="getStudent" resultType="com.garcon.dao.StudentMapper">
    	 	select * from student
    	 	<where>
    		 	<if test="sid!=null">
    		 		sid=#{sid}
    		 	</if>
    		 	<if test="lastName!=null AND lastName!=''">
    		 		and last_name like #{lastName}
    		 	</if>
    		 </where>
    </select>
    

    trim

    <!--
        检查以下sql语句
    -->
    <select id="getStudent" resultType="com.garcon.dao.StudentMapper">
    	 	select * from student
    	 	where
    		 	<if test="sid!=null">
    		 		sid=#{sid} and
    		 	</if>
    		 	<if test="lastName!=null AND lastName!=''">
    		 		last_name like #{lastName}
    		 	</if>
    </select>
    
    <!--
        可以发现,当以上参数 lastName 为空时,sql语句就变成了:
            select * from student where sid=? and
            结尾多出的 and 语法错误;
        解决以上情况可以加标签<trim></trim>:
        
            <trim prefix="" suffixOverrides="" suffix="" suffixOverrides=""></trim>
            
            后面多出的and或者or where标签不能解决 
        	 	prefix="":前缀:trim标签体中是整个字符串拼串 后的结果。
        	 			prefix给拼串后的整个字符串加一个前缀 
        	 	prefixOverrides="":
        	 			前缀覆盖: 去掉整个字符串前面多余的字符
        	 	suffix="":后缀
        	 			suffix给拼串后的整个字符串加一个后缀 
        	 	suffixOverrides=""
        	 			后缀覆盖:去掉整个字符串后面多余的字符
        如下:
    -->  
    <select id="getStudent" resultType="com.garcon.dao.StudentMapper">
    	 	select * from student
    	 	<trim prefix="where" suffixOverrides="and">
    		 	<if test="sid!=null">
    		 		sid=#{sid} and
    		 	</if>
    		 	<if test="lastName!=null AND lastName!=''">
    		 		last_name like #{lastName}
    		 	</if>
    		 </trim>
    </select>
    
    

    choose

    <!--
        使用场景:
            如果参数中的id不为空就以id为条件查询,如果name不为空就已以name做查询条件
            如下:
    -->
    <select id="getStudent" resultType="com.garcon.dao.StudentMapper">
    	 	select * from student 
        <where>
    	 	<!-- 如果带了id就用id查,如果带了lastName就用lastName查;只会进入其中一个 -->
            <choose>
    	 		<when test="id!=null">
    	 				sid=#{sid}
    	 		</when>
    	 		<when test="lastName!=null">
    	 				last_name like #{lastName}
    	 		</when>
    	 		<when test="hobby!=null">
    	 				hobby = #{hobby}
    	 		</when>
    	 			<!--如果以上条件都不满足,使用如下条件-->
    	 		<otherwise>
    	 				gender = '女'
                </otherwise>
            </choose>
        </where>
    </select>
    

    update-set

    • 如果javaBean中哪个属性带了值就更新那个字段
    <update id="updateStudent">
    	 	<!-- Set标签的使用 -->
    	 	update student 
    		<set>
    			<if test="lastName!=null">
    				last_name=#{lastName},
    			</if>
    			<if test="hobby!=null">
    				hobby=#{hobby},
    			</if>
    			<if test="gender!=null">
    				gender=#{gender}
    			</if>
    		</set>
    		where id=#{id} 
    </update>
    

    update-trim

    <update id="updateStudent">
    		update student 
    		<trim prefix="set" suffixOverrides=",">
    			<if test="lastName!=null">
    				last_name=#{lastName},
    			</if>
    			<if test="email!=null">
    				email=#{email},
    			</if>
    			<if test="gender!=null">
    				gender=#{gender}
    			</if>
    		</trim>
    		where id=#{id}
    	 </update>
    

    select-foreach

    <select id="getStudent" resultType="com.garcon.bean.Student">
    	 	select * from student
    	 	<!--
    	 		collection:指定要遍历的集合:
    	 			list类型的参数会特殊处理封装在map中,map的key就叫list
    	 		item:将当前遍历出的元素赋值给指定的变量
    	 		separator:每个元素之间的分隔符
    	 		open:遍历出所有结果拼接一个开始的字符
    	 		close:遍历出所有结果拼接一个结束的字符
    	 		index:索引。遍历list的时候是index就是索引,item就是当前值
    	 				      遍历map的时候index表示的就是map的key,item就是map的值
    	 		
    	 		#{变量名}就能取出变量的值也就是当前遍历出的元素
    	 	  -->
    	 	<foreach collection="ids" item="item_id" separator=","
    	 		open="where id in(" close=")">
    	 		#{item_id}
    	 	</foreach>
    	 </select>
    

    insert-foreach

    • 批量插入
    <!--
    	 MySQL下: 
    	 第一种方法 
    	 可以foreach遍历   mysql支持values(),(),()语法-->
    	<insert id="addStudents">
    	 	insert into student(last_name,gender,hobby,class_id) 
    		values
    		<foreach collection="students" item="student" separator=",">
    			(#{student.lastName},#{student.gender},#{student.hobby},#{student.sclass.cid})
    		</foreach>
    	 </insert>
    	 
    <!--
        第二种方法
        这种方式需要数据库连接属性allowMultiQueries=true;
    	 	这种分号分隔多个sql可以用于其他的批量操作(删除,修改) -->
        <insert id="addEmps">
    	 	<foreach collection="emps" item="emp" separator=";">
    	 		insert into student(last_name,gender,hobby,class_id)
    	 		values((#{student.lastName},#{student.gender},#{student.hobby},#{student.sclass.cid})
    	 	</foreach>
    	 </insert> 
    	 
    	 
    	 
    <!-- 
        Oracle数据库批量保存: 
    	 	Oracle不支持values(),(),()
    	 	Oracle支持的批量方式
    	 	1、多个insert放在begin - end里面
    	 		begin
    			    insert into employees(employee_id,last_name,email) 
    			    values(employees_seq.nextval,'test_001','test_001@atguigu.com');
    			    insert into employees(employee_id,last_name,email) 
    			    values(employees_seq.nextval,'test_002','test_002@atguigu.com');
    			end;
    			
    		2、利用中间表:
    			insert into employees(employee_id,last_name,email)
    		       select employees_seq.nextval,lastName,email from(
    		              select 'test_a_01' lastName,'test_a_e01' email from dual
    		              union
    		              select 'test_a_02' lastName,'test_a_e02' email from dual
    		              union
    		              select 'test_a_03' lastName,'test_a_e03' email from dual
    		       )
    		       
    		 oracle第一种批量方式
    	 -->
    	 <insert id="addEmps" databaseId="oracle">
    	 	<foreach collection="emps" item="emp" open="begin" close="end;">
    	 		insert into employees(employee_id,last_name,email) 
    			    values(employees_seq.nextval,#{emp.lastName},#{emp.email});
    	 	</foreach>
    	 </insert>
    	 	
    	 	<!-- oracle第二种批量方式  -->
    	 <insert id="addEmps" databaseId="oracle">
    	 	insert into employees(employee_id,last_name,email)
                <foreach collection="emps" item="emp" separator="union"
    	 			open="select employees_seq.nextval,lastName,email from("
    	 			close=")">
    	 				select #{emp.lastName} lastName,#{emp.email} email from dual
    	 		</foreach>
    	 </insert>
    	 
    	 
    

    获取自增主键的值

    方式一 : 使用insert标签的属性useGeneratedKeys="true" keyProperty="id"

    <insert id="addUser" useGeneratedKeys="true" keyProperty="id">
            insert into user(username,password,email) values(#{username},#{password},#{email})
    </insert>
    

    方式二 : 插入时先查询将要插入数据的自增id值

     <insert id="addUser" useGeneratedKeys="true" keyProperty="id">
            <selectKey order="AFTER" keyProperty="id" resultType="int">
                select last_insert_id()
            </selectKey>
            insert into user(username,password,email) values(#{username},#{password},#{email})
        </insert>
    

    以上两种方式都不适用于Oracle

    Oracle数据库的用法

    <selectKey order="BEFORE" resultType="int" keyProperty="id"> 
    	select 序列名.nextval as id from dual 
     </selectKey> 
    

    参数处理

    • 单个参数

    可以接受基本类型,对象类型,集合类型的值。这种情况 MyBatis可直接使用这个参数,不需要经过任何处理。

    • 多个参数

    任意多个参数,都会被MyBatis重新包装成一个Map传入。Map的key是param1,param2,0,1…,值就是参数的值。

    • 命名参数

    为参数使用@Param起一个名字,MyBatis就会将这些参数封装进map中,key就是我们自己指定的名字

    • POJO

    当这些参数属于我们业务POJO时,我们直接传递POJO

    • Map

    我们也可以封装多个参数为map,直接传递

    注意 : 当参数是一个Connection , List , Array数组时, 参数会封装成一个Map , key值为 : connection , list , array .

    缓存机制

    MyBatis 包含一个非常强大的查询缓存特性,它可以非常方便地配置和定制。缓存可以极大的提升查询效率。

    MyBatis系统中默认定义了两级缓存。

    一级缓存二级缓存

    1. 默认情况下,只有一级缓存(SqlSession级别的缓存, 也称为本地缓存)开启。
    2. 二级缓存需要手动开启和配置,他是基于namespace级别的缓存。
    3. 为了提高扩展性。MyBatis定义了缓存接口Cache。我们可以通过实现Cache接口来自定义二级缓存

    一级缓存

    • 一级缓存(local cache), 即本地缓存, 作用域默认 为sqlSession。当 Session flush 或 close 后, 该Session 中的所有 Cache 将被清空。

    • 本地缓存不能被关闭, 但可以调用 clearCache() 来清空本地缓存, 或者改变缓存的作用域.

    • 在mybatis3.1之后, 可以配置本地缓存的作用域. 在 mybatis.xml 中配置

    一级缓存失效情况

    同一次会话期间只要查询过的数据都会保存在当 前SqlSession的一个Map中

    • key:hashCode+查询的SqlId+编写的sql查询语句+参数

    一级缓存失效的四种情况

    1. 不同的SqlSession对应不同的一级缓存
    2. 同一个SqlSession但是查询条件不同
    3. 同一个SqlSession两次查询期间执行了任何一次增 删改操作
    4. 同一个SqlSession两次查询期间手动清空了缓存

    二级缓存(second level cache),全局作用域缓存

    • 二级缓存默认不开启,需要手动配置

    • MyBatis提供二级缓存的接口以及实现,缓存实现要求 POJO实现Serializable接口

    • 二级缓存在 SqlSession 关闭或提交之后才会生效

    **使用步骤 **

    1. 全局配置文件中开启二级缓存
     <setting name="cacheEnabled" value="true"/>
    
    1. 在需要使用二级缓存的映射文件处使用cache配置缓存
    <cache type="org.mybatis.caches.ehcache.EhcacheCache"></cache>
    	<!-- <cache eviction="FIFO" flushInterval="60000" readOnly="false" size="1024"></cache> -->
    	<!--  
    	eviction:缓存的回收策略:
    		• LRU – 最近最少使用的:移除最长时间不被使用的对象。
    		• FIFO – 先进先出:按对象进入缓存的顺序来移除它们。
    		• SOFT – 软引用:移除基于垃圾回收器状态和软引用规则的对象。
    		• WEAK – 弱引用:更积极地移除基于垃圾收集器状态和弱引用规则的对象。
    		• 默认的是 LRU。
    	flushInterval:缓存刷新间隔
    		缓存多长时间清空一次,默认不清空,设置一个毫秒值
    	readOnly:是否只读:
    		true:只读;mybatis认为所有从缓存中获取数据的操作都是只读操作,不会修改数据。
    				 mybatis为了加快获取速度,直接就会将数据在缓存中的引用交给用户。不安全,速度快
    		false:非只读:mybatis觉得获取的数据可能会被修改。
    				mybatis会利用序列化&反序列的技术克隆一份新的数据给你。安全,速度慢
    	size:缓存存放多少元素;
    	type="":指定自定义缓存的全类名;
    			实现Cache接口即可;
    	-->
    
    1. 注意:POJO需要实现Serializable接口

    缓存相关设置

    1. 全局setting的cacheEnable:– 配置二级缓存的开关。一级缓存一直是打开的。
    2. select标签的useCache属性: – 配置这个select是否使用二级缓存。一级缓存一直是使用的
    3. sql标签的flushCache属性: – 增删改默认flushCache=true。sql执行以后,会同时清空一级和二级缓存。 查询默认flushCache=false。
    4. sqlSession.clearCache(): – 只是用来清除一级缓存。
    5. 当在某一个作用域 (一级缓存Session/二级缓存 Namespaces) 进行了 C/U/D 操作后,默认该作用域下所有 select 中的缓存将被clear。

    第三方缓存整合

    • EhCache 是一个纯Java的进程内缓存框架,具有快速、精 干等特点,是Hibernate中默认的CacheProvider。
    • MyBatis定义了Cache接口方便我们进行自定义扩展。

    步骤:

    1. 导入ehcache包,以及整合包,日志包

      1. ehcache-core-2.6.8.jar
      2. mybatis-ehcache-1.0.3.jar
      3. slf4j-api-1.6.1.jar
      4. slf4j-log4j12-1.6.2.jar
    2. 编写ehcache.xml配置文件

    3. 配置cache标签

    <ehcache type="org.mybatis.caches.ehcache.EhcacheCache">
    

    参照缓存:若想在命名空间中共享相同的缓存配置和实例。 可以使用 cache-ref 元素来引用另外一个缓存。

  • 相关阅读:
    TypeScript完全解读(26课时)_2.TypeScript完全解读-基础类型
    Flutter实战视频-移动电商-48.详细页_详情和评论的切换
    Flutter实战视频-移动电商-47.详细页_Flutter_html插件的使用
    TypeScript完全解读(26课时)_1.TypeScript完全解读-开发环境搭建
    [Android] The connection to adb is down, and a severe error has occured
    每日一小练——求质数
    C++语言笔记系列之十八——虚函数(1)
    Android 输入管理服务-输入事件向详细应用的分发
    Android技术归档
    C++编写绚丽的界面
  • 原文地址:https://www.cnblogs.com/xiejinchi/p/13140979.html
Copyright © 2020-2023  润新知