您的位置:首页技术文章
文章详情页

SpringBoot+MybatisPlus+代码生成器整合示例

【字号: 日期:2023-05-27 10:14:02浏览:2作者:猪猪

项目目录结构:

SpringBoot+MybatisPlus+代码生成器整合示例

pom文件:

<?xml version='1.0' encoding='UTF-8'?><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.warrior</groupId> <artifactId>ETH</artifactId> <version>1.0-SNAPSHOT</version> <!-- Inherit defaults from Spring Boot --> <parent> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-parent</artifactId> <version>2.0.0.BUILD-SNAPSHOT</version> </parent> <!-- Add typical dependencies for a web application --> <dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> <!-- mybatis的orm插件 --> <dependency> <groupId>com.baomidou</groupId> <artifactId>mybatisplus-spring-boot-starter</artifactId> <version>1.0.4</version> </dependency> <dependency> <groupId>com.baomidou</groupId> <artifactId>mybatis-plus</artifactId> <version>2.0.7</version> </dependency> <!-- https://mvnrepository.com/artifact/org.apache.velocity/velocity --> <dependency> <groupId>org.apache.velocity</groupId> <artifactId>velocity</artifactId> <version>1.7</version> </dependency> <!-- https://mvnrepository.com/artifact/org.freemarker/freemarker --> <dependency> <groupId>org.freemarker</groupId> <artifactId>freemarker</artifactId> <version>2.3.28</version> </dependency> <!--数据库连接jdbc依赖--> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-jdbc</artifactId> </dependency> <!--mysql链接依赖--> <dependency> <groupId>mysql</groupId> <artifactId>mysql-connector-java</artifactId> </dependency> <!--阿里druid数据库链接依赖--> <dependency> <groupId>com.alibaba</groupId> <artifactId>druid</artifactId> <version>1.1.9</version> </dependency> <!-- https://mvnrepository.com/artifact/org.projectlombok/lombok --> <dependency> <groupId>org.projectlombok</groupId> <artifactId>lombok</artifactId> <version>0.10.1</version> <scope>provided</scope> </dependency> </dependencies> <!-- Package as an executable jar --> <build> <plugins> <plugin> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-maven-plugin</artifactId> </plugin> </plugins> </build> <!-- Add Spring repositories --> <!-- (you don’t need this if you are using a .RELEASE version) --> <repositories> <repository> <id>spring-snapshots</id> <url>http://repo.spring.io/snapshot</url> <snapshots> <enabled>true</enabled> </snapshots> </repository> <repository> <id>spring-milestones</id> <url>http://repo.spring.io/milestone</url> </repository> </repositories> <pluginRepositories> <pluginRepository> <id>spring-snapshots</id> <url>http://repo.spring.io/snapshot</url> </pluginRepository> <pluginRepository> <id>spring-milestones</id> <url>http://repo.spring.io/milestone</url> </pluginRepository> </pluginRepositories></project>

Application

package com.warrior;import org.mybatis.spring.annotation.MapperScan;import org.springframework.boot.SpringApplication;import org.springframework.boot.autoconfigure.EnableAutoConfiguration;import org.springframework.boot.autoconfigure.SpringBootApplication;import org.springframework.stereotype.Controller;import org.springframework.web.bind.annotation.RequestMapping;import org.springframework.web.bind.annotation.ResponseBody; @SpringBootApplication@MapperScan('com.warrior.mapper') //配置mapper扫描public class Application { public static void main(String[] args) throws Exception { SpringApplication.run(Application.class, args); }}

application.properties

#默认启用开发环境配置spring.profiles.active=dev#启用生产环境配置#spring.profiles.active=pro

application-dev.properties

server.port=8080spring.datasource.type=com.alibaba.druid.pool.DruidDataSourcespring.datasource.url=jdbc:mysql://localhost:3306/ethspring.datasource.username=rootspring.datasource.password=123456spring.datasource.driver-class-name=com.mysql.jdbc.Driverspring.datasource.max-idle=10spring.datasource.max-wait=10000spring.datasource.min-idle=5spring.datasource.initial-size=5mybatis-plus.mapper-locations=classpath:/mapper/*Mapper.xmlmybatis-plus.typeAliasesPackage=com.cn.restyle.entity

配置文件:

1).

package com.warrior.config; import javax.sql.DataSource; import org.springframework.boot.context.properties.ConfigurationProperties;import org.springframework.context.annotation.Bean;import org.springframework.context.annotation.Configuration;import org.springframework.jdbc.datasource.DataSourceTransactionManager; import com.alibaba.druid.pool.DruidDataSource; /** * 数据源配置 */@Configurationpublic class DataSourceConfig { @Bean(name='dataSource') @ConfigurationProperties(prefix='spring.datasource') public DataSource dataSource(){ return new DruidDataSource(); } // 配置事物管理器 @Bean(name='transactionManager') public DataSourceTransactionManager transactionManager(){ return new DataSourceTransactionManager(dataSource()); } }

2). MybatisPlusConfig.java:

package com.warrior.config; import org.mybatis.spring.annotation.MapperScan;import org.springframework.context.annotation.Bean;import org.springframework.context.annotation.Configuration;import com.baomidou.mybatisplus.plugins.PaginationInterceptor; @Configuration//扫描dao或者是Mapper接口@MapperScan('com.warrior.mapper*')public class MybatisPlusConfig { /** * mybatis-plus 分页插件 */ @Bean public PaginationInterceptor paginationInterceptor(){ PaginationInterceptor page = new PaginationInterceptor(); page.setDialectType('mysql'); return page; } }

生成代码:

1).mysql数据库建表

SpringBoot+MybatisPlus+代码生成器整合示例

2).代码生成器MpGenenator.java

import java.util.ArrayList;import java.util.HashMap;import java.util.List;import java.util.Map; import com.baomidou.mybatisplus.generator.AutoGenerator;import com.baomidou.mybatisplus.generator.InjectionConfig;import com.baomidou.mybatisplus.generator.config.*;import com.baomidou.mybatisplus.generator.config.converts.MySqlTypeConvert;import com.baomidou.mybatisplus.generator.config.po.TableInfo;import com.baomidou.mybatisplus.generator.config.rules.DbColumnType;import com.baomidou.mybatisplus.generator.config.rules.DbType;import com.baomidou.mybatisplus.generator.config.rules.NamingStrategy; /** * <p> * 代码生成器演示 * </p> */public class MpGenerator { final static String dirPath = 'D://'; /** * <p> * MySQL 生成演示 * </p> */ public static void main(String[] args) { AutoGenerator mpg = new AutoGenerator(); // 选择 freemarker 引擎,默认 Veloctiy //mpg.setTemplateEngine(new FreemarkerTemplateEngine()); // 全局配置 GlobalConfig gc = new GlobalConfig(); gc.setOutputDir(dirPath); gc.setAuthor('lqh'); gc.setFileOverride(true); //是否覆盖 gc.setActiveRecord(true);// 不需要ActiveRecord特性的请改为false gc.setEnableCache(false);// XML 二级缓存 gc.setBaseResultMap(true);// XML ResultMap gc.setBaseColumnList(true);// XML columList // 自定义文件命名,注意 %s 会自动填充表实体属性! // gc.setMapperName('%sDao'); // gc.setXmlName('%sMapper'); // gc.setServiceName('MP%sService'); // gc.setServiceImplName('%sServiceDiy'); // gc.setControllerName('%sAction'); mpg.setGlobalConfig(gc); // 数据源配置 DataSourceConfig dsc = new DataSourceConfig(); dsc.setDbType(DbType.MYSQL); dsc.setTypeConvert(new MySqlTypeConvert(){ // 自定义数据库表字段类型转换【可选】 @Override public DbColumnType processTypeConvert(String fieldType) { System.out.println('转换类型:' + fieldType); // 注意!!processTypeConvert 存在默认类型转换,如果不是你要的效果请自定义返回、非如下直接返回。 return super.processTypeConvert(fieldType); } }); dsc.setDriverName('com.mysql.jdbc.Driver'); dsc.setUsername('root'); dsc.setPassword('123456'); dsc.setUrl('jdbc:mysql://127.0.0.1:3306/eth?characterEncoding=utf8'); mpg.setDataSource(dsc); // 策略配置 StrategyConfig strategy = new StrategyConfig(); // strategy.setCapitalMode(true);// 全局大写命名 ORACLE 注意 strategy.setTablePrefix(new String[] { 'tb_', 'tsys_' });// 此处可以修改为您的表前缀 strategy.setNaming(NamingStrategy.underline_to_camel);// 表名生成策略 // strategy.setInclude(new String[] { 'user' }); // 需要生成的表 // strategy.setExclude(new String[]{'test'}); // 排除生成的表 // 自定义实体父类 // strategy.setSuperEntityClass('com.baomidou.demo.TestEntity'); // 自定义实体,公共字段 // strategy.setSuperEntityColumns(new String[] { 'test_id', 'age' }); // 自定义 mapper 父类 // strategy.setSuperMapperClass('com.baomidou.demo.TestMapper'); // 自定义 service 父类 // strategy.setSuperServiceClass('com.baomidou.demo.TestService'); // 自定义 service 实现类父类 // strategy.setSuperServiceImplClass('com.baomidou.demo.TestServiceImpl'); // 自定义 controller 父类 // strategy.setSuperControllerClass('com.baomidou.demo.TestController'); // 【实体】是否生成字段常量(默认 false) // public static final String ID = 'test_id'; // strategy.setEntityColumnConstant(true); // 【实体】是否为构建者模型(默认 false) // public User setName(String name) {this.name = name; return this;} strategy.setEntityBuilderModel(true); mpg.setStrategy(strategy); // 包配置 PackageConfig pc = new PackageConfig(); pc.setParent('com'); pc.setModuleName('warrior'); pc.setController('controler'); pc.setEntity('entity'); pc.setMapper('mapper'); pc.setService('service'); pc.setServiceImpl('serviceImpl'); pc.setXml('mapperXml'); mpg.setPackageInfo(pc); // 注入自定义配置,可以在 VM 中使用 cfg.abc 【可无】 InjectionConfig cfg = new InjectionConfig() { @Override public void initMap() { Map<String, Object> map = new HashMap<String, Object>(); map.put('abc', this.getConfig().getGlobalConfig().getAuthor() + '-mp'); this.setMap(map); } }; // 自定义 xxList.jsp 生成 List<FileOutConfig> focList = new ArrayList<FileOutConfig>();/* focList.add(new FileOutConfig('/template/list.jsp.vm') { @Override public String outputFile(TableInfo tableInfo) { // 自定义输入文件名称 return 'D://my_' + tableInfo.getEntityName() + '.jsp'; } }); cfg.setFileOutConfigList(focList); mpg.setCfg(cfg);*/ // 调整 xml 生成目录演示/* focList.add(new FileOutConfig('/templates/mapper.xml.vm') { @Override public String outputFile(TableInfo tableInfo) { return dirPath + tableInfo.getEntityName() + 'Mapper.xml'; } }); cfg.setFileOutConfigList(focList); */ mpg.setCfg(cfg); // 关闭默认 xml 生成,调整生成 至 根目录/* TemplateConfig tc = new TemplateConfig(); tc.setXml(null); mpg.setTemplate(tc);*/ // 自定义模板配置,可以 copy 源码 mybatis-plus/src/main/resources/templates 下面内容修改, // 放置自己项目的 src/main/resources/templates 目录下, 默认名称一下可以不配置,也可以自定义模板名称 // TemplateConfig tc = new TemplateConfig(); // tc.setController('...'); // tc.setEntity('...'); // tc.setMapper('...'); // tc.setXml('...'); // tc.setService('...'); // tc.setServiceImpl('...'); // 如上任何一个模块如果设置 空 OR Null 将不生成该模块。 // mpg.setTemplate(tc); // 执行生成 mpg.execute(); // 打印注入设置【可无】 System.err.println(mpg.getCfg().getMap().get('abc')); } }

生成的文件如下,只要将对应文件拷到项目对应包即可:

SpringBoot+MybatisPlus+代码生成器整合示例

下面把对应类展示出来:

.entity-->Student.java

package com.warrior.entity; import com.baomidou.mybatisplus.enums.IdType;import com.baomidou.mybatisplus.annotations.TableId;import com.baomidou.mybatisplus.annotations.TableField;import com.baomidou.mybatisplus.activerecord.Model;import com.baomidou.mybatisplus.annotations.TableName;import java.io.Serializable; /** * <p> * * </p> * * @author lqh * @since 2018-05-25 */@TableName('tb_student')public class Student extends Model<Student> { private static final long serialVersionUID = 1L; @TableId(value='id', type= IdType.AUTO)private Integer id;@TableField('stu_name')private String stuName;@TableField('stu_number')private String stuNumber;private Integer age; public Integer getId() {return id;} public Student setId(Integer id) {this.id = id;return this;} public String getStuName() {return stuName;} public Student setStuName(String stuName) {this.stuName = stuName;return this;} public String getStuNumber() {return stuNumber;} public Student setStuNumber(String stuNumber) {this.stuNumber = stuNumber;return this;} public Integer getAge() {return age;} public Student setAge(Integer age) {this.age = age;return this;} @Overrideprotected Serializable pkVal() {return this.id;} }

.mapper-->StudentMapper.java

package com.warrior.mapper; import com.warrior.entity.Student;import com.baomidou.mybatisplus.mapper.BaseMapper; /** * <p> * Mapper 接口 * </p> * * @author lqh * @since 2018-05-25 */public interface StudentMapper extends BaseMapper<Student> { }

mapperXml-->StudentMapper.xml(这个文件要放到src/main/resources/mapper)

<?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.warrior.mapper.StudentMapper'> <!-- 通用查询映射结果 --><resultMap type='com.warrior.entity.Student'><id column='id' property='id' /><result column='stu_name' property='stuName' /><result column='stu_number' property='stuNumber' /><result column='age' property='age' /></resultMap> <!-- 通用查询结果列 --> <sql id='Base_Column_List'> id, stu_name AS stuName, stu_number AS stuNumber, age </sql> </mapper>

.service-->IStudentService.java

package com.warrior.service; import com.warrior.entity.Student;import com.baomidou.mybatisplus.service.IService; /** * <p> * 服务类 * </p> * * @author lqh * @since 2018-05-25 */public interface IStudentService extends IService<Student> {}

.serviceImpl-->StudentServiceImpl.java

package com.warrior.serviceImpl; import com.warrior.entity.Student;import com.warrior.mapper.StudentMapper;import com.warrior.service.IStudentService;import com.baomidou.mybatisplus.service.impl.ServiceImpl;import org.springframework.stereotype.Service; /** * <p> * 服务实现类 * </p> * * @author lqh * @since 2018-05-25 */@Servicepublic class StudentServiceImpl extends ServiceImpl<StudentMapper, Student> implements IStudentService {}

.controler-->StudentController.java

package com.warrior.controler; import org.springframework.stereotype.Controller;import org.springframework.web.bind.annotation.RequestMapping; /** * <p> * 前端控制器 * </p> * * @author lqh * @since 2018-05-25 */@Controller@RequestMapping('/warrior/student')public class StudentController {}

经过以上六步项目已经搭建完成,下面就是写业务代码了,只需要实现controller即可,下面对StudentController.java进行修改:

package com.warrior.controler; import com.warrior.entity.Student;import com.warrior.service.IStudentService;import org.springframework.beans.factory.annotation.Autowired;import org.springframework.stereotype.Controller;import org.springframework.web.bind.annotation.RequestMapping;import org.springframework.web.bind.annotation.ResponseBody; /** * <p> * 前端控制器 * </p> * * @author lqh * @since 2018-05-05 */@Controller@RequestMapping('/warrior/student')public class StudentController { @Autowired IStudentService iStudentService; @RequestMapping('/hello') @ResponseBody public String hello() { //insert Student student = new Student() .setStuName('zhangsan') .setStuNumber('54') .setAge(23); boolean res = iStudentService.insert(student); return res ? 'success' : 'fail'; }}

运行项目,直接访问,搞定!!

项目github地址:https://github.com/LinQiHong66/SpringBoot_MybatisPlus.git

mybatisPlus官网:http://mp.baomidou.com/

到此这篇关于SpringBoot+MybatisPlus+代码生成器整合示例的文章就介绍到这了,更多相关SpringBoot MybatisPlus 代码生成器 内容请搜索好吧啦网以前的文章或继续浏览下面的相关文章希望大家以后多多支持好吧啦网!

标签: Spring
相关文章: