mybatis plus使用 (基本使用 生成器 逻辑删除等)

Mybatis plus

先查询再根据查询结果判断是否插入,并发情况下出现重复数据

解决:1、java代码中加同步代码块或加锁(保证查询、插入是一个原子性操作)

2、直接在数据库设置唯一键,java中无需先查询判断。捕获唯一键异常:org.springframework.dao.DuplicateKeyException e

基本使用步骤

Mybatis plus是mybatis的加强。

1、使用起来与mybatis差不多,但是更加方便,简单的crud操作都自动帮你生成

2、默认使用了驼峰规则,需要自己建表,实体类名驼峰规则与表名匹配(xxAa=>xx_aa),实体类属性名也驼峰与数据库字段名匹配

3、无需使用mybatis Helper插件分页,结合条件构造器EntityWrapper调用selectPage()方法即可

4、自定义sql添加与mybatis一样,在mapper接口中直接添加即可@Select("select * from tb_employee where id=#{id}")

@TableField(insertStrategy = FieldStrategy.NOT_NULL) //updateStrategywhereStrategy。   旧版本是一个:strategy

IGNORED:  不管是不是null,都进行插入操作

NOT_NULL,也是默认策略,也就是不插入null的字段

NOT_EMPTY,  如果设置值为null,“”,不会插入数据库

@TableId(value = "competition_id", type = IdType.AUTO)   //设置主键字段。MR的selectById()、updateById()等方法的Id是和@TableId对应的。

type = IdType.AUTO设置主键生成规则(仅insert)。

IdType.AUTO指定类型为数据库自增策略,MR便不做任何处理(不会插入主键字段的值)。其他的还有UUID、ID_Worker、ID_WORKER_STR(这三个已过时):MR便自动生成uuid、分布式全局唯一ID长整型、分布式全局唯一ID字符串型插入。

INSERT INTO competition ( name ) VALUES ( ? )

ASSIGN_ID(mr自动生成雪花算法插入)

ASSIGN_UUID(代替过时的UUID,MR自动生成uuid插入)

NONE (默认策略,无主键MR不处理,不会插入主键字段的值)

INSERT INTO competition ( name ) VALUES ( ? )

INPUT(自行输入,insert前如果自行set主键值(user.setId),则会插入主键的值。)

INSERT INTO competition ( id,name ) VALUES ( ?,? )

new LambdaQueryWrapper<Competition>().eq(Competition::getCloseFlag,"0")//::仅在MR的LambdaQueryWrapper表示获取指定方法的属性名(且自动解驼峰close_flag) 。

1、使用mybatis plus只需将mybatis注解替换为mybatis-plus注解即可。

   <dependency>

        <groupId>com.baomidou</groupId>

        <artifactId>mybatis-plus-boot-starter</artifactId>

        <version>3.4.1</version>  <!--3.3.2-->

</dependency>

  1. application.yml配置(MR默认自动开启驼峰):

spring:
  datasource:
    #   连接池类
    type: com.alibaba.druid.pool.DruidDataSource
    driver-class-name: com.mysql.jdbc.Driver
    platform: mysql
    url: jdbc:mysql://10.101.1.66:32560/codem-oj-n?useUnicode=true&characterEncoding=utf-8
    username: root
    password: 123456
    druid:
      #2.连接池配置
      #初始化连接池的连接数量 大小,最小,最大
      initial-size: 5
      min-idle: 5
      max-active: 20
      #配置获取连接等待超时的时间
      max-wait: 60000
      #配置间隔多久才进行一次检测,检测需要关闭的空闲连接,单位是毫秒
      time-between-eviction-runs-millis: 60000
      # 配置一个连接在池中最小生存的时间,单位是毫秒
      min-evictable-idle-time-millis: 30000
      validation-query: SELECT 1 FROM DUAL
      test-while-idle: true
      test-on-borrow: true
      test-on-return: false
      # 是否缓存preparedStatement,也就是PSCache  官方建议MySQL下建议关闭   个人建议如果想用SQL防火墙 建议打开
      pool-prepared-statements: true
      max-pool-prepared-statement-per-connection-size: 20
      # 配置监控统计拦截的filters,去掉后监控界面sql无法统计,'wall'用于防火墙
      filter:
        stat:
          merge-sql: true
          slow-sql-millis: 5000
      #3.基础监控配置
      web-stat-filter:
        enabled: true
        url-pattern: /*
# mybatis整合
mybatis-plus:
  configuration:
    log-impl: org.apache.ibatis.logging.stdout.StdOutImpl #开启sql日志
  global-config:
    db-config:
      id-type: auto
      logic-delete-field: delete_flag  # 全局逻辑删除的实体字段名
      logic-delete-value: 1 # 逻辑已删除值
      logic-not-delete-value: 0 # 逻辑未删除值
  mapper-locations: classpath:mapper/**/*.xml

  1. 分页插件配置类用于mybatis plus内置的selectPage分页查询方法

@Configuration
public class MybatisPlusConfig {
    @Bean
    public MybatisPlusInterceptor mybatisPlusInterceptor() {//public PaginationInterceptor paginationInterceptor(){return new PaginationInterceptor();}//3.3版本用此方法. 3.4已过时
        MybatisPlusInterceptor interceptor = new MybatisPlusInterceptor();
        interceptor.addInnerInterceptor(new PaginationInnerInterceptor(DbType.MYSQL));
        return interceptor;
    }
    @Bean
    public ConfigurationCustomizer configurationCustomizer() {
        //下个版本会移除。。但3.4版本为了避免缓存出现问题,即时过时也得使用得(该属性会在旧插件移除后一同移除)。
        return configuration -> configuration.setUseDeprecatedExecutor(false);
    }
}

4、实体类(根据数据库中创建的表设置的)

@Data@TableName(value = "tb_employee")//手动指定与数据库中对应的表名。MP有默认的表名对应规则:实体类名为:OwnUser,会对应到数据库中的own_user表public class Employee {//value与数据库主键列名一致,若实体类属性名与表主键列名一致可省略
@TableId(value = "id",type = IdType.AUTO) //IdType.AUTO指定类型为数据库自增策略,MR便不做任何处理。其他的还有UUID、ID_Worker、ID_WORKER_STRMR便自动生成uuid、分布式全局唯一ID长整型、分布式全局唯一ID字符串型。private Integer id;//若没有开启驼峰命名,或者表中列名不符合驼峰规则,可通过该注解指定数据库表中的列名,exist标明数据表中有没有对应列//@TableField(value = "last_name",exist = true)private String lastName;}

5、mapper接口:

//@Mapper 或者在主启动类使用MapperScan扫描public interface EmplopyeeDao extends BaseMapper<Employee> {@Select("SELECT AUTO_INCREMENT FROM INFORMATION_SCHEMA.TABLES WHERE TABLE_NAME = 'employee' limit 1,2")
int getNextId(); //也可以在里面写自定义sql语句方法  }

6调用mybatis plus(增删改查分页):

@Resource    //不要用@Autowired 会出现警告
private EmplopyeeDao emplopyeeDao;public void testInsert(){Employee employee = new Employee();employee.setLastName("东方不败");emplopyeeDao.insert(employee);//mybatisplus会自动把当前插入对象在数据库中的id写回到该实体中System.out.println(employee.getId());}public void testUpdate(){Employee employee = new Employee();employee.setId(1);employee.setLastName("更新测试");//emplopyeeDao.updateById(employee);//根据id进行更新,没有传值的属性就不会更新emplopyeeDao.updateAllColumnById(employee);//根据id进行更新,没传值的属性就更新为null}public void testSelect(){Map<String,Object> columnMap = new HashMap<>();columnMap.put("last_name","东方不败");//写表中的列名columnMap.put("gender","1");List<Employee> employees         = emplopyeeDao.selectByMap(columnMap);//emplopyeeDao.select(new                 EntityWrapper<Employee>().gt("age",16)) 查询大于16的//删除类似:deleteByMap(columnMap);  emplopyeeDao.delete(new EntityWrapper<Employee>().eq("last_name","tom").eq("age",16)); //gt:大于 lt:小于
System.out.println(employees.size());}public void testPageSelect(){//分页查询List<Employee> employees = emplopyeeDao.selectPage(new Page<Employee>(1,3),new EntityWrapper<Employee>() // 注意:mybatis plus 3.0以上要用QueryWrapper<Employee>().between("age",18,50).eq("gender",0).eq("last_name","tom")
).getRecords();  //.getTotal() 获取总数}  

EntityWrapper构造复杂条件

or的使用:

new EntityWrapper<Employee>().like("last_name", "老师")
//.or()    // SQL: (last_name LIKE ? OR email LIKE ? OR age LIKE ?)
.orNew()   // SQL: (last_name LIKE ?) OR (email LIKE ? OR age LIKE ?)
.like("email", "a").or().like("age", "1")
.and(wrapper->{wrapper.eq("age", "1")})

And的使用:

upRelationService.update(upRelation,new QueryWrapper<UPRelation>().eq("problem_uid",problem_uid)

.and(wrapper->{wrapper.eq("user_uid",user_uid);}) ) //where problem_uid=? And user_uid=?

LambdaQueryWrapper的使用:

new LambdaQueryWrapper<Competition>().eq(Competition::getCloseFlag,"0")//::仅在MR的LambdaQueryWrapper表示获取指定方法的属性名(且自动解驼峰close_flag和数据库字段匹配)  

通过实体类构造QueryWrapper查询器:

User user = new User(); user.setUsername("kaven");  user.setAge(22);

QueryWrapper<User> userQueryWrapper = new QueryWrapper<>(user); //查询username为kaven且age为22的(and)

       List<User> userList = userMapper.selectList(userQueryWrapper);

//注意:mybatis plus 3.0以上要用QueryWrapper<Employee>(),EntityWrapper已移除。

7、主启动类添加@MapperScan扫描或mapper接口上添加@Mapper注解。

@MapperScan(com.example.demo.mapper) //MapperScan扫描接口,包下所有接口编译后都会生成其实现类注入spring

注意MapperScan扫描至扫描mapper包即可,范围不要超出,否则可能会报错Field competitionService required a single bean, but 2 were found: CompetitionServiceImpl.class、ICompetitionService.class

MR自动生成器(generator)

执行下面代码,自动生成对应表的实体类,mapper接口、service、controller层文件。需要注意的是mysql中主键字段不能命名为id否则无法生成对于实体类属性。(可以是xxx_id)

自动生成的service中内置了调用mapper层的save、updateById、delete等方法的逻辑,可以直接this.save()使用。

以com.example.demo为例,无需创建文件夹,会自动生成。

1、pom

    <dependency>

        <groupId>com.baomidou</groupId>

        <artifactId>mybatis-plus-generator</artifactId>

        <version>3.2.0</version>

    </dependency>

    <dependency>

        <groupId>com.baomidou</groupId>

        <artifactId>mybatis-plus-core</artifactId>

        <version>3.2.0</version>

    </dependency>

    <dependency>

        <groupId>org.springframework.boot</groupId>

        <artifactId>spring-boot-starter-freemarker</artifactId>

</dependency>

2、代码

public class CodeGeneratorNowProject {
    public static String ip = "localhost";
    public static String dbName = "liuyu";
    public static String port = "3306";
    public static String password = "123456";
    public static String parent = "cn.com.codem.oj";   //包配置中使用 生成到com.example.demo目录下
    public static String Author = "Liuyu";    //这是作者,写自己的名
    public static String scanner(String tip) {
        Scanner scanner = new Scanner(System.in);
        StringBuilder help = new StringBuilder();
        help.append("请输入" + tip + ":");
        System.out.println(help.toString());
        if (scanner.hasNext()) {
            String ipt = scanner.next();
            if (StringUtils.isNotBlank(ipt)) {
                return ipt;
            }
        }
        throw new MybatisPlusException("请输入正确的" + tip + "!");
    }
    public static void main(String[] args) {
        // 代码生成器
        AutoGenerator mpg = new AutoGenerator();
        // 全局配置
        GlobalConfig gc = new GlobalConfig();
        String projectPath = System.getProperty("user.dir");//获取用户当前工程路径(根路径)
        System.out.println(projectPath);
        gc.setOutputDir(projectPath + "/"  + "/src/main/java");
        gc.setAuthor(Author);
        gc.setOpen(false);
        gc.setSwagger2(true); //实体属性 Swagger2 注解
        mpg.setGlobalConfig(gc);
        // 数据源配置
        DataSourceConfig dsc = new DataSourceConfig();
        dsc.setUrl("jdbc:mysql://" + ip + ":" + port + "/" + dbName + "?useUnicode=true&characterEncoding=UTF-8&autoReconnect=true&serverTimezone=Asia/Shanghai");
        // dsc.setSchemaName("public");
        dsc.setDriverName("com.mysql.jdbc.Driver");
        dsc.setUsername("root");
        dsc.setPassword(password);
        mpg.setDataSource(dsc);
        // 包配置
        PackageConfig pc = new PackageConfig();
        pc.setModuleName(scanner("模块名")); //demo  即项目中controller、service等上层目录的名称
        pc.setParent(parent);
        mpg.setPackageInfo(pc);
        // 自定义配置
        InjectionConfig cfg = new InjectionConfig() {
            @Override
            public void initMap() {
                // to do nothing
            }
        };
        mpg.setCfg(cfg);
        // 配置模板
        TemplateConfig templateConfig = new TemplateConfig();
        templateConfig.setXml(null);
        mpg.setTemplate(templateConfig);
        // 策略配置
        StrategyConfig strategy = new StrategyConfig();
        strategy.setNaming(NamingStrategy.underline_to_camel); //表名生成策略 下划线转驼峰
        strategy.setColumnNaming(NamingStrategy.underline_to_camel); //字段名生成策略 下划线转驼峰
        /*公共父类
        设置父类中字段: 如 id version deleted类似的字段几乎是每一张表都会有的字段,这样就可以设置一个共同的父类来保存这些字段
        设置父类,也就是某个类需要继承的类*/
        //strategy.setSuperEntityClass("你自己的父类实体,没有就不用设置!"); //自定义继承的Entity类全称,带包名
        //strategy.setSuperEntityColumns("id");        // 写于自定义基础的Entity类中的公共字段
        //strategy.setSuperControllerClass("你自己的父类控制器,没有就不用设置!"); //自定义继承的Controller类全称,带包名
        strategy.setEntityLombokModel(true); //使用lombok
        strategy.setRestControllerStyle(true); //生成restController
        strategy.setInclude(scanner("表名,多个英文逗号分割").split(","));
        strategy.setControllerMappingHyphenStyle(true); //controller映射地址url驼峰转连字符(中划线-)
        //strategy.setTablePrefix(pc.getModuleName() + "_");  //去除表前缀,表前缀不生成  demo_表名
        mpg.setStrategy(strategy);
        mpg.setTemplateEngine(new FreemarkerTemplateEngine());
        mpg.execute();
    }
}

MR逻辑删除配置:

1、Yml中配置:

mybatis-plus:

  global-config:

    db-config:

      logic-delete-field: close_flag  # 全局逻辑删除的实体字段名,可以不要此字段

      logic-delete-value: 1 # 逻辑已删除值

      logic-not-delete-value: 0 # 逻辑未删除值

2、实体类中也要添加此字段(closeFlag)

@TableLogic //标识逻辑删除字段,实体类中没有此注解便不会附带逻辑删除功能

private Integer closeFlag;

3、编写代码

使用mp自带方法删除和查找都会附带逻辑删除功能(与@TableLogic有关,没有此注解则不会附带逻辑删除。逻辑删除的字段与@TableLogic注解的实体对象有关)

删除时:competitionMapper.deleteById(2);//UPDATE competition SET close_flag=1 WHERE id=? AND close_flag=0

查询时:competitionMapper.selectList(new QueryWrapper<Competition>().eq("uid","1")) //SELECT * FROM competition WHERE close_flag=0 AND (uid = ?)

逻辑删除是为了方便数据恢复和保护数据本身价值等等的一种方案,但实际就是删除。如果你需要再查出来就不应使用逻辑删除,而是以一个状态去表示。若确需查找删除数据,如老板需要查看历史所有数据的统计汇总信息,请单独手写sql。

Druid配置开启连接池监控界面

1、Application.yml中添加配置
spring:
  datasource:
    type: com.alibaba.druid.pool.DruidDataSource
    driver-class-name: com.mysql.jdbc.Driver
    url: jdbc:mysql://10.101.1.66:32560/codem-oj-n?useUnicode=true&characterEncoding=UTF-8&useSSL=false&autoReconnect=true&serverTimezone=Asia/Shanghai
    username: root
    password: 123456
    druid: # druid 配置
      #2.连接池配置    初始化连接池的连接数量 大小,最小,最大
      initial-size: 5
      min-idle: 5
      max-active: 20
      max-wait: 60000#配置获取连接等待超时的时间
      time-between-eviction-runs-millis: 60000 #配置间隔多久才进行一次检测,检测需要关闭的空闲连接,单位是毫秒
      min-evictable-idle-time-millis: 30000  # 配置一个连接在池中最小生存的时间,单位是毫秒
      validation-query: SELECT 1 FROM DUAL
      test-while-idle: true
      test-on-borrow: true
      test-on-return: false
      # 是否缓存preparedStatement,也就是PSCache  官方建议MySQL下建议关闭   个人建议如果想用SQL防火墙 建议打开
      pool-prepared-statements: true
      max-pool-prepared-statement-per-connection-size: 20
    # 配置监控统计拦截的filters,去掉后监控界面sql无法统计,'wall'用于防火墙
    filter:
      stat:
      merge-sql: true
      slow-sql-millis: 5000
      #3.基础监控配置
      web-stat-filter:
        enabled: true
        url-pattern: /*

  1. 添加配置类

@Configuration
public class DruidConfigDemo {
    /**
     * 配置监控服务器
     * @return 返回监控注册的servlet对象
     */
   @Bean
    public ServletRegistrationBean statViewServletDemo() {
        ServletRegistrationBean srb = new ServletRegistrationBean(new StatViewServlet(), "/competition/druid/*");
        // 添加IP白名单
        srb.addInitParameter("allow", "127.0.0.1");//localhost
        // 添加IP黑名单,当白名单和黑名单重复时,黑名单优先级更高
        //srb.addInitParameter("deny", "192.168.25.123");
        // 添加控制台管理用户
        srb.addInitParameter("loginUsername", "admin");
        srb.addInitParameter("loginPassword", "123456");
        // 是否能够重置数据
        srb.addInitParameter("resetEnable", "false");
        return srb;
    }
}

3、访问网址:http://localhost:8080/competition/druid/login.html

报错:Error attempting to get column 'create_time' from result set.  Cause: java.sql.SQLFeatureNotSupportedException

; null; nested exception is java.sql.SQLFeatureNotSupportedException

原因:问题原因自动生成的实体类变量是JDK8的LocalDate、LocalTime、LocalDateTime日期类型,druid数据源尚不支持。改为String即可

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/pingmian/15552.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

【全开源】二手车置换平台系统小程序(FastAdmin+ThinkPHP+Uniapp)

二手车置换平台系统 特色功能&#xff1a; 车辆评估&#xff1a;系统提供车辆状况、性能和价值的评估功能&#xff0c;通过拍照、上传图片等方式自动识别车辆信息并给出估价建议&#xff0c;帮助买家和卖家更准确地了解车辆价值。 在线交易&#xff1a;平台提供在线购车、售车…

Idea中flume的Interceptor的编写教程

1.新建-项目-新建项目 注意位置是将来打包文件存放的位置&#xff0c;即我们打包好的文件在这/export/data个目录下寻找 2. 在maven项目中导入依赖 Pom.xml文件中写入 <dependencies> <dependency> <groupId>org.apache.flume</groupId> <artifa…

【C#实战】Newtonsoft.Json基类子类解析

情景再现 假设你有如下类&#xff1a; public class Item {public int Id;public string Name; }public class Weapon: Item {public int CurrentAmmo; }public class Inventory {public List<Item> Items; } 其中你序列化的是Inventory类&#xff0c;Items列表里混杂着…

❤Element的使用element

❤Element的使用 1、input输入框 禁止自动补全和下拉提示 input 输入框在输入后浏览器会记录用户输入的值&#xff0c;在下次输入的时候会将记录的值提示在输入框的下面&#xff0c;当输入框是密码的时候&#xff0c;这样可以看见上次输入的密码&#xff0c;这样用户体验不好…

python使用jsonpath来查找key并赋值

目录 一、引言 二、JsonPath简介 三、Python中的JsonPath库 四、使用JsonPath查找JSON Key 五、使用JsonPath赋值JSON Key 六、高级用法 七、结论 一、引言 在数据驱动的现代应用中&#xff0c;JSON&#xff08;JavaScript Object Notation&#xff09;已成为一种广泛使…

Java 微信小程序登录(openId方式)

1 需求 在开发微信小程序项目时&#xff0c;登录采用的是openId方式&#xff0c;这是一种用户无感的登录方式&#xff0c;用户点开微信小程序时&#xff0c;去调用后端的登录接口。 核心代码 Slf4j Component public class WeChatUtil {private static final String …

基于大数据的支付风险智能防控技术规范

随着大数据、移动互联、人工智能、生物特征识别等技术的快速发展&#xff0c;支付方式正在发生着巨大而深刻的变革&#xff0c;新技术在丰富支付手段、提高支付效率的同时&#xff0c;带来了新的隐患&#xff0c;也对从业机构的风险防控能力提出了更高的要求。 传统的风控技术…

springboot利用Spring的自动装配,策略模式提高系统接口扩展能力,

前段时间有个简单的短信登录功能&#xff0c;需要集成短信服务实现短信发送&#xff0c;一开始用的阿里云&#xff0c;后面领导又说用天翼云&#xff0c;还说阿里云的保留&#xff0c;以后说不准还会集成其他的服务商&#xff0c;于是用nacos的热更新来解决动态切换&#xff0c…

unity InputField的问题

unity 的inputField当focus时&#xff0c;弹起来的键盘样式会携带有一个输入显示。如果想自定义输入框的样式&#xff0c;就需要关闭inputfield的activateInput就是激发输入框的显示然后当inputfield被点击的时候&#xff0c;调用android原生键盘&#xff0c;并设置内容回调。我…

01-02.Vue的常用指令(二)

01-02.Vue的常用指令&#xff08;二&#xff09; 前言v-model&#xff1a;双向数据绑定v-model举例&#xff1a;实现简易计算器Vue中通过属性绑定为元素设置class 类样式引入方式一&#xff1a;数组写法二&#xff1a;在数组中使用三元表达式写法三&#xff1a;在数组中使用 对…

【全部更新完毕】2024电工杯B题详细思路代码成品文章教学:大学生平衡膳食食谱的优化设计及评价

大学生平衡膳食食谱的优化设计及评价 摘要 大学阶段是学生获取知识和身体发育的关键时期&#xff0c;也是形成良好饮食习惯的重要阶段。然而&#xff0c;当前大学生中存在饮食结构不合理和不良饮食习惯的问题&#xff0c;主要表现为不吃早餐或早餐吃得马虎&#xff0c;经常食用…

CentOS 常见命令详解

CentOS 是一种基于 Red Hat Enterprise Linux (RHEL) 的免费开源操作系统&#xff0c;以其稳定性和高效性广泛应用于服务器和企业环境中。对于系统管理员和开发人员来说&#xff0c;掌握 CentOS 的常见命令是日常工作中的必备技能。本文将详细介绍一些在 CentOS 上常用的命令&a…

算法提高之谜一样的牛

算法提高之谜一样的牛 核心思想&#xff1a;树状数组 初始化树状数组为1 表示所有高度都没有用过从后往前遍历h数组 分析身高 取当前h&#xff0c;即前面有h个比它高的 所以它是第h1个数求当前身高中 第h1个数 用二分mid求sum找到第k个数当前身高用过之后减1 #include <i…

高通Android 12/13冻结应用

最近开发SDK遇到冻结应用需求&#xff0c;于是简单记录下。总体而言比较简单&#xff0c;调用系统接口实现此功能。 涉及类与方法 IPackageManager .aidl # * As per {link android.content.pm.PackageManager#setApplicationEnabledSetting}.*/UnsupportedAppUsagevoid setA…

宝塔面板修改端口后无法登入

今天通过宝塔面板登录腾讯云主机&#xff0c;看到下面的提醒&#xff0c;顺便点进去随便改了个端口 本以为改端口是很简单事情&#xff0c;结果我改完之后面板立马登不上了&#xff0c;接下来我改了登录地址和端口也不行&#xff0c;我以为是防火墙的问题&#xff0c;增加了防火…

SpringBoot基于函数替换的热重载

背景 SpringBoot项目每次启动都很慢&#xff0c;有时候调试仅仅是改一点点东西&#xff0c;就要重启工作效率太低&#xff0c;希望能修改完代码&#xff0c;执行快捷键后就把该类的修改生效。&#xff08;仅限于Bean的修改生效&#xff09; 原理 SpringBoot的逻辑基本都是集…

ViT:1 从DETR说起

大模型技术论文不断&#xff0c;每个月总会新增上千篇。本专栏精选论文重点解读&#xff0c;主题还是围绕着行业实践和工程量产。若在某个环节出现卡点&#xff0c;可以回到大模型必备腔调重新阅读。而最新科技&#xff08;Mamba,xLSTM,KAN&#xff09;则提供了大模型领域最新技…

Pycharm在下载安装第三方库时速度慢或超时问题 / 切换国内镜像地址

pycharm下载第三方库速度极慢&#xff0c;搜索了一下&#xff0c;发现方法非常乱&#xff0c;稍作整理。这个问题一般都会出现&#xff0c;在我们开发中遇到的常见问题&#xff0c;根据以下解决方法&#xff0c;基本可以解决&#xff0c;但是不能100%保证 Installing packages …

打造一个增强版Kimi:可以生成图片、PPT、PDF文档、数据分析等

Kimi虽然在国内AI大模型中表现不错&#xff0c;但是和ChatGPT还是差不少功能。现在有一个很简单的方法&#xff0c;把kimi功能增强&#xff0c;使用效果大大改善&#xff0c;比如生成图片&#xff1a; 具体方法如下&#xff1a; 打开coze网站&#xff1a;https://www.coze.cn/…

Elementui里使用el-date-picker来选取指定时间段(时间段不超过31天)

需求描述&#xff1a; 1.禁止选择当前日期之后的所有日期2.选择的时间范围小于等于31天&#xff0c;其他日期禁用<el-date-picker v-model"historySubmitModel.historyDateTime" type"daterange" range-separator"- " start-placeholder"…