Spring Boot整合MyBatis

news2024/11/24 2:18:25

文章目录

  • 一、Spring Boot数据访问概述
  • 二、Spring Boot 整合MyBatis
    • (一)基础环境搭建
      • 1、数据准备
        • (1)创建博客数据库
        • (2)创建文章表
        • (3)文章表插入记录
        • (4)创建评论表
        • (5)评论表插入记录
      • 2、创建项目,引入相应启动器
        • (1)创建Spring Boot项目
        • (2)创建评论实体类
        • (3)创建文章实体类
      • 3、编写配置文件
        • (1)配置数据源
        • (2)配置数据源类型
        • (3)配置Druid数据源
    • (二)使用注解方式整合MyBatis
      • 1、创建评论映射器接口
      • 2、测试评论映射器接口
        • (1)测试按标识符查询评论方法
        • (2)测试查询全部评论方法
        • (3)测试插入评论方法
        • (4)测试更新评论方法
        • (5)测试删除评论方法
    • (三)使用配置文件方式整合MyBatis
      • 1、创建文章映射接口 - ArticleMapper
      • 2、创建映射器配置文件 - ArticleMapper.xml
      • 3、在全局配置文件里配置映射器配置文件路径
      • 4、在测试类编写测试方法,测试文章映射器
        • (1)创建测试方法testFindArticleById()
        • (2)创建测试方法testUpdateArticle()
  • 三、练习
    • 1、在ArticleMapper里添加方法
    • 2、在测试类编写测试方法


一、Spring Boot数据访问概述

在开发中,通常会涉及到对数据库的数据进行操作,Spring Boot在简化项目开发以及实现自动化配置的基础上,对关系型数据库和非关系型数据库的访问操作都提供了非常好的整合支持。

Spring Boot默认采用整合SpringData的方式统一处理数据访问层,通过添加大量自动配置,引入各种数据访问模板xxxTemplate以及统一的Repository接口,从而达到简化数据访问层的操作。

Spring Boot提供的常见数据库依赖启动器

名称对应数据库
spring-boot-starter-data-jpaSpring Data JPA, Hibernate
spring-boot-starter-data-mongodbMongoDB, Spring Data MongoDB
spring-boot-starter-data-neo4jNeo4j图数据库, Spring Data Neo4j
spring-boot-starter-data-redisRedis

二、Spring Boot 整合MyBatis

(一)基础环境搭建

1、数据准备

创建数据库、数据表并插入一定的数据

(1)创建博客数据库

在Navicat的查询里,通过语句创建博客数据库blog

create database blog;

在这里插入图片描述
在Navicat里打开刚才创建的博客数据库
在这里插入图片描述

(2)创建文章表

在博客数据库里创建文章表t_article
在这里插入图片描述

CREATE TABLE `t_article` (
  `id` int(20) NOT NULL AUTO_INCREMENT COMMENT '文章编号',
  `title` varchar(200) DEFAULT NULL COMMENT '文章标题',
  `content` longtext COMMENT '文章内容',
  PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=4 DEFAULT CHARSET=utf8;

(3)文章表插入记录

在文章表t_article里插入数据记录
在这里插入图片描述

INSERT INTO `t_article` VALUES ('1', 'Spring Boot基础入门', '从入门到精通讲解...');
INSERT INTO `t_article` VALUES ('2', 'Spring Cloud基础入门', '从入门到精通讲解...');
INSERT INTO `t_article` VALUES ('3', '安卓开发权威指南', '从入门到精通讲解...');

刷新一下表,查看文章表内容
在这里插入图片描述

(4)创建评论表

在博客数据库里创建评论表t_comment
在这里插入图片描述

CREATE TABLE `t_comment` (
  `id` int(20) NOT NULL AUTO_INCREMENT COMMENT '评论编号',
  `content` longtext COMMENT '评论内容',
  `author` varchar(200) DEFAULT NULL COMMENT '评论作者',
  `a_id` int(20) DEFAULT NULL COMMENT '关联的文章编号',
  PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=8 DEFAULT CHARSET=utf8;

(5)评论表插入记录

在评论表t_comment里插入数据记录
在这里插入图片描述

INSERT INTO `t_comment` VALUES ('1', '很全、很详细', '小明', '1');
INSERT INTO `t_comment` VALUES ('2', '赞一个', '李文', '3');
INSERT INTO `t_comment` VALUES ('3', '很详细,喜欢', '童文宇', '1');
INSERT INTO `t_comment` VALUES ('4', '很好,非常详细', '钟小凯', '2');
INSERT INTO `t_comment` VALUES ('5', '很不错', '张三丰', '2');
INSERT INTO `t_comment` VALUES ('6', '操作性强,真棒', '唐雨涵', '3');
INSERT INTO `t_comment` VALUES ('7', '内容全面,讲解清晰', '张杨', '1');

查看评论表内容
在这里插入图片描述

2、创建项目,引入相应启动器

(1)创建Spring Boot项目

Spring Initializr模板创建Spring Boot项目 - SpringBootMyBatisDemo
在这里插入图片描述
配置项目基本信息
在这里插入图片描述
选择Spring Boot版本,添加相关依赖
在这里插入图片描述
设置项目名称与保存位置
在这里插入图片描述
单击【Finish】按钮
在这里插入图片描述
查看pom.xml文件,再添加一个配置处理器依赖

<?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 https://maven.apache.org/xsd/maven-4.0.0.xsd">
    <modelVersion>4.0.0</modelVersion>
    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>2.7.12</version>
        <relativePath/> <!-- lookup parent from repository -->
    </parent>
    <groupId>net.army.boot</groupId>
    <artifactId>springbootmybatisdemo</artifactId>
    <version>0.0.1-SNAPSHOT</version>
    <name>SpringBootMyBatisDemo</name>
    <description>Demo project for Spring Boot</description>
    <properties>
        <java.version>11</java.version>
    </properties>
    <dependencies>
        <dependency>
            <groupId>org.mybatis.spring.boot</groupId>
            <artifactId>mybatis-spring-boot-starter</artifactId>
            <version>2.3.1</version>
        </dependency>

        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-devtools</artifactId>
            <scope>runtime</scope>
            <optional>true</optional>
        </dependency>
        <dependency>
            <groupId>com.mysql</groupId>
            <artifactId>mysql-connector-j</artifactId>
            <scope>runtime</scope>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-configuration-processor</artifactId>
            <optional>true</optional>
        </dependency>
    </dependencies>

    <build>
        <plugins>
            <plugin>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-maven-plugin</artifactId>
            </plugin>
        </plugins>
    </build>

</project>

更新Maven项目依赖
在这里插入图片描述

(2)创建评论实体类

在net.army.boot根包里创建bean子包,在子包里创建Comment类
在这里插入图片描述

package net.army.boot.bean;

/**
 * 功能:评论实体类
 * 作者:梁辰兴
 * 日期:2023年06月11日
 */
public class Comment {
    private Integer id;
    private String content;
    private String author;
    private Integer aId;

    public Integer getId() {
        return id;
    }

    public void setId(Integer id) {
        this.id = id;
    }

    public String getContent() {
        return content;
    }

    public void setContent(String content) {
        this.content = content;
    }

    public String getAuthor() {
        return author;
    }

    public void setAuthor(String author) {
        this.author = author;
    }

    public Integer getaId() {
        return aId;
    }

    public void setaId(Integer aId) {
        this.aId = aId;
    }

    @Override
    public String toString() {
        return "Comment{" +
                "id=" + id +
                ", content='" + content + '\'' +
                ", author='" + author + '\'' +
                ", aId=" + aId +
                '}';
    }
}

文章编号aId,使用了驼峰命名法,对应表中的a_id字段

全局配置文件中必须配置以下语句,否则查出数据为null
在这里插入图片描述
在这里插入图片描述

(3)创建文章实体类

在net.army.boot.bean包里创建Article类
在这里插入图片描述

package net.army.boot.bean;

import java.util.List;

/**
 * 功能:文章实体类
 * 作者:梁辰兴
 * 日期:2023年06月11日
 */
public class Article {
    private Integer id;
    private String title;
    private String content;
    private List<Comment> comments;

    public Integer getId() {
        return id;
    }

    public void setId(Integer id) {
        this.id = id;
    }

    public String getTitle() {
        return title;
    }

    public void setTitle(String title) {
        this.title = title;
    }

    public String getContent() {
        return content;
    }

    public void setContent(String content) {
        this.content = content;
    }

    public List<Comment> getComments() {
        return comments;
    }

    public void setComments(List<Comment> comments) {
        this.comments = comments;
    }

    @Override
    public String toString() {
        return "Article{" +
                "id=" + id +
                ", title='" + title + '\'' +
                ", content='" + content + '\'' +
                ", comments=" + comments +
                '}';
    }
}

3、编写配置文件

将全局配置文件application.properties更名为application.yaml
在这里插入图片描述
在这里插入图片描述

(1)配置数据源

配置datasource属性
在这里插入图片描述

# 配置数据源
spring:
  datasource:
    driver-class-name: com.mysql.jdbc.Driver
    url: jdbc:mysql://localhost:3306/blog?serverTimeZone=UTC&useUnicode=true&characterEncoding=UTF-8
    username: root
    password: 123456

说明:driver-class-name: com.mysql.jdbc.Driver 数据库驱动配置并非必须

(2)配置数据源类型

这里采用阿里巴巴的Druid数据源

<dependency>
    <groupId>com.alibaba</groupId>
    <artifactId>druid-spring-boot-starter</artifactId>
    <version>1.2.18</version>
</dependency>

在pom.xml文件里添加Druid依赖,更新Maven项目依赖
在这里插入图片描述

(3)配置Druid数据源

设置数据源type是Druid数据源

# 配置Druid数据库
    type: com.alibaba.druid.pool.DruidDataSource
    druid:
      initial-size: 20 # 初始连接数
      min-idle: 10 # 最小空闲连接数
      max-active: 100 # 最大连接数

设置Druid数据源的一些属性
在这里插入图片描述

(二)使用注解方式整合MyBatis

1、创建评论映射器接口

在net.army.boot根包里创建mapper子包,在子包里创建CommentMapper接口
在这里插入图片描述

package net.army.boot.mapper;

import net.army.boot.bean.Comment;
import org.apache.ibatis.annotations.*;

import java.util.List;

/**
 * 功能:评论映射器接口
 * 作者:梁辰兴
 * 日期:2023年06月11日
 */
@Mapper // 交给Spring容器管理
public interface CommentMapper {
    @Insert("insert into t_comment values(#{id}, #{content}, #{author}, #{aId})")
    int insert(Comment comment); // 插入评论记录

    @Delete("delete from t_comment where id = #{id}")
    int deleteById(Integer id); // 按标识符删除评论

    @Update("update t_comment set content = #{content}, author = #{author} where id = #{id}")
    int update(Comment comment); // 更新评论

    @Select("select * from t_comment where id = #{id}")
    Comment findById(Integer id); // 按标识符查询评论

    @Select("select * from t_comment")
    List<Comment> findAll(); // 查询全部评论
}

2、测试评论映射器接口

打开默认的测试类
在这里插入图片描述
注入评论映射器
在这里插入图片描述

(1)测试按标识符查询评论方法

创建testFindById()方法

@Test // 测试按标识符查询评论                                               
public void testFindById() {                                      
    // 定义标识符变量                                                    
    Integer id = 1;                                               
    // 调用评论映射器实体的按标识符查询评论方法                                       
    Comment comment = commentMapper.findById(id);                 
    // 判断查询是否成功                                                   
    if (comment != null) { // 成功                                  
        System.out.println(comment);                              
    } else { // 失败                                                
        System.out.println("标识符为[" + id + "]的评论未找到~");            
    }                                                             
}                                                              

运行testFindById()方法,查看结果
在这里插入图片描述
有一个警告信息
在这里插入图片描述
修改配置文件,可以避免上述警告信息
在这里插入图片描述
再运行testFindById()方法,查看结果,已无报红
在这里插入图片描述
再次修改配置文件
在这里插入图片描述
运行testFindById()方法,查看结果
在这里插入图片描述将配置文件改回去
在这里插入图片描述
修改标识符变量值,再进行测试
在这里插入图片描述在这里插入图片描述

(2)测试查询全部评论方法

创建testFindAll()方法

@Test // 测试查询全部评论                                                       
public void testFindAll() {                                             
    // 调用评论映射器实体的查询全部评论方法                                               
    List<Comment> comments = commentMapper.findAll();                   
    // 判断是否有评论                                                          
    if (!comments.isEmpty()) { // 有评论                                   
        comments.forEach(comment -> System.out.println(comment));       
    } else { // 没有评论                                                    
        System.out.println("温馨提示:评论表里没有记录~");                           
    }                                                                   
}                                                                       

运行testFindAll()方法,查看结果
在这里插入图片描述

(3)测试插入评论方法

创建testInsert()方法

@Test // 测试插入评论                                       
public void testInsert() {                            
    // 创建评论对象                                         
    Comment comment = new Comment();                  
    // 设置评论对象属性                                       
    comment.setContent("写得很有用,赞一个~");                 
    comment.setAuthor("梁辰兴");                         
    comment.setaId(2);                                
    // 调用评论映射器实体的插入评论方法                                 
    int count = commentMapper.insert(comment);        
    // 判断评论是否插入成功                                     
    if (count > 0) { // 成功                            
        System.out.println("恭喜,评论插入成功~");             
    } else { // 失败                                    
        System.out.println("遗憾,评论插入失败~");             
    }                                                 
}                                                     

运行testInsert()方法,查看结果
在这里插入图片描述
在Navicat里打开评论表,看是否成功地添加了一条新记录

在这里插入图片描述

(4)测试更新评论方法

创建testUpdate()方法,修改刚才插入的第7条记录

@Test // 测试更新评论                                                      
public void testUpdate() {                                           
    // 获取标识符为7的评论对象                                                  
    Comment comment = commentMapper.findById(7);                     
    // 输出更新前的评论对象                                                    
    System.out.println("更新前:" + comment);                            
    // 修改评论对象                                                        
    comment.setContent("简单明了,讲解清晰,适合初学者~");                          
    comment.setAuthor("梁辰兴");                                       
    // 调用评论映射器实体的更新评论方法                                              
    int count = commentMapper.update(comment);                       
    // 判断评论是否更新成功                                                    
    if (count > 0) { // 成功                                           
        System.out.println("恭喜,评论更新成功~");                            
        System.out.println("更新后:" + commentMapper.findById(7));      
    } else { // 失败                                                   
        System.out.println("遗憾,评论更新失败~");                            
    }                                                                
}                                                                    

运行testUpdate()方法,查看结果
在这里插入图片描述
在Navicat里查看评论表第7条记录
在这里插入图片描述

(5)测试删除评论方法

创建testDelete()方法,删除刚才插入的第8条记录

@Test // 测试按标识符删除评论                                  
public void testDeleteById() {                       
    // 定义标识符变量                                       
    Integer id = 8;                                  
    // 调用评论映射器实体的删除评论方法                              
    int count = commentMapper.deleteById(id);        
    // 判断评论是否删除成功                                    
    if (count > 0) { // 成功                           
        System.out.println("恭喜,评论删除成功~");            
    } else { // 失败                                   
        System.out.println("遗憾,评论删除失败~");            
    }                                                
}                                                    

运行testDeleteById()方法,查看结果
在这里插入图片描述
在Navicat里查看评论表
在这里插入图片描述再次运行testDeleteById()方法,查看结果
在这里插入图片描述

(三)使用配置文件方式整合MyBatis

1、创建文章映射接口 - ArticleMapper

在这里插入图片描述

package net.army.boot.mapper;

import net.army.boot.bean.Article;

/**
 * 功能:文章映射器接口
 * 作者:梁辰兴
 * 日期:2023年06月11日
 */
public interface ArticleMapper {
    Article findArticleById(Integer id);
    int updateArticle(Article article);
}

2、创建映射器配置文件 - ArticleMapper.xml

在resources目录里创建mapper目录,在mapper目录里创建ArticleMapper.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="net.army.boot.mapper.ArticleMapper">
    <!--按id查询记录,文章表与评论表关联查询-->
    <select id="findArticleById" resultMap="articleWithComment">
        SELECT a.*, c.id c_id, c.content c_content, c.author, c.a_id
        FROM t_article a, t_comment c
        WHERE a.id = c.a_id AND a.id = #{id}
    </select>

    <!--结果集,一篇文章对应多个评论构成的集合-->
    <resultMap id="articleWithComment" type="Article">
        <id property="id" column="id"/>
        <result property="title" column="title"/>
        <result property="content" column="content"/>
        <collection property="commentList" ofType="Comment">
            <id property="id" column="c_id"/>
            <result property="content" column="c_content"/>
            <result property="author" column="author"/>
            <result property="aId" column="a_id"/>
        </collection>
    </resultMap>

    <!--更新记录-->
    <update id="updateArticle" parameterType="Article">
        UPDATE t_article
        <set>
            <if test="title != null and title != ''">
                title = #{title},
            </if>
            <if test="content != null and content != ''">
                content = #{content}
            </if>
        </set>
        WHERE id = #{id}
    </update>
</mapper>

3、在全局配置文件里配置映射器配置文件路径

在这里插入图片描述

4、在测试类编写测试方法,测试文章映射器

注入文章映射器
在这里插入图片描述

(1)创建测试方法testFindArticleById()

@Test // 测试按照编号查询文章记录                                   
public void testFindArticleById() {                     
    Integer id = 1;                                     
    Article article = articleMapper.findArticleById(id);
    if (article != null) {                              
        System.out.println(article);                    
    } else {                                            
        System.out.println("编号为[" + id + "]的文章未找到!");   
    }                                                   
}                                                      

运行testFindArticleById()测试方法,查看结果

(2)创建测试方法testUpdateArticle()

@Test                                                                 
public void testUpdateArticle() {                                     
    Article article = articleMapper.findArticleById(1);               
    System.out.println("更新前:" + article);                             
    article.setContent("一步步接近企业真实项目~");                               
    int count = articleMapper.updateArticle(article);                 
    // 判断是否更相信成功                                                      
    if (count > 0) {                                                  
        System.out.println("文章更新成功!");                                
        System.out.println("更新后:" + articleMapper.findArticleById(1));
    } else {                                                          
        System.out.println("文章更新失败!");                                
    }                                                                 
}                                                                     

运行testUpdateArticle() 测试方法,查看结果

三、练习

1、在ArticleMapper里添加方法

2、在测试类编写测试方法

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

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

相关文章

车队试验的远程实时显示方案

风丘科技推出的数据远程实时显示方案可更好地满足客户对于试验车队远程实时监控的需求&#xff0c;真正实现试验车队的远程管理。随着新的数据记录仪软件IPEmotion RT和相应的跨平台显示解决方案的引入&#xff0c;让我们的客户端不仅可在线访问记录器系统状态&#xff0c;还可…

Overhaul Distillation(ICCV 2019)原理与代码解析

paper&#xff1a;A Comprehensive Overhaul of Feature Distillation official implementation&#xff1a;GitHub - clovaai/overhaul-distillation: Official PyTorch implementation of "A Comprehensive Overhaul of Feature Distillation" (ICCV 2019) 本文的…

【状态估计】基于数据模型融合的电动车辆动力电池组状态估计研究(Matlab代码实现)

&#x1f4a5;&#x1f4a5;&#x1f49e;&#x1f49e;欢迎来到本博客❤️❤️&#x1f4a5;&#x1f4a5; &#x1f3c6;博主优势&#xff1a;&#x1f31e;&#x1f31e;&#x1f31e;博客内容尽量做到思维缜密&#xff0c;逻辑清晰&#xff0c;为了方便读者。 ⛳️座右铭&a…

LVS负载均衡与DR模式

LVS负载均衡与DR模式 一、DR模式的特点二、LVS-DR中的ARP问题1.VIP地址相同导致响应冲突2.返回报文时源地址使用VIP&#xff0c;导致网关设备的ARP缓存表紊乱 三、DR模式 LVS负载均衡群集部署实验准备实验部署实验步骤1.配置负载调度器&#xff08;192.168.30.10&#xff09;2.…

荣登第一,亚马逊云科技帮助用户实现云上快速部署,轻松维护不同类型的数据库

近期&#xff0c;Gartner发布了2022年全球数据库管理系统&#xff08;Database Management System&#xff0c;DBMS&#xff09;市场份额报告&#xff0c;在这一排名中出现了微妙变化&#xff0c;那就是亚马逊云科技超过微软&#xff0c;登上了第一“宝座”&#xff0c;占据了市…

MySQL数据库常用命令

mysql是不见 分号 不执行&#xff0c;分号表示结束。\c可以终止命令的输入。 1.登录数据库 mysql -u root -p然后在输入密码 root 2.查看数据库(以分号结尾) show databases; 3.创建数据库 pk create database pk; 4.使用数据库pk use pk; 5.删除数据库pk drop database…

【2023电工杯】B题人工智能对大学生学习影响的评价26页论文及python代码

【2023电工杯】B题人工智能对大学生学习影响的评价26页论文及python代码 1 题目 B题 人工智能对大学生学习影响的评价 人工智能简称AI&#xff0c;最初由麦卡锡、明斯基等科学家于1956年在美国达特茅斯学院开会研讨时提出。 2016年&#xff0c;人工智能AlphaGo 4:1战胜韩国…

5分钟让你明白什么是面向对象编程

相信很多刚开始接触编程的小伙伴&#xff0c;对于什么是面向对象&#xff0c;什么是面向过程都是一脸懵逼的。 网上关于这两个的回答真的很多&#xff0c;但是都有一个共同特点&#xff1a;------------不容易懂。 让我们来看看某百科给出的定义: 能不能好好说话&#xff01;…

浮点数在内存中的运算

他们力量的源泉&#xff0c;是值得信赖的搭档以及想要保护的对象还有强大的敌人 本文收录于青花雾气-计算机基础 往期回顾 从汇编代码探究函数栈帧的创建和销毁的底层原理 从0到1搞定在线OJ 数据在内存中的存储 计算机存储的大小端模式 目录 浮点数的二进制转化及存储规…

pySCENIC单细胞转录因子分析更新:数据库、软件更新

***pySCENIC全部往期精彩系列&#xff1a;1、PySCENIC&#xff08;一&#xff09;&#xff1a;python版单细胞转录组转录因子分析2、PySCENIC&#xff08;二&#xff09;&#xff1a;pyscenic单细胞转录组转录因子分析3、PySCENIC&#xff08;三&#xff09;&#xff1a;pyscen…

我的创作纪念日之这四年的收获与体会

第一次来写自己的创作纪念哈&#xff0c;不知不觉都已经过去整整四年了&#xff0c;好与不好还请大家担待&#xff1a; 1、机缘 1. 记得是大一、大二的时候就听学校的大牛说&#xff0c;可以通过写 CSDN 博客&#xff0c;来提升自己的代码和逻辑能力&#xff0c;以及后面工作…

图解LeetCode——994. 腐烂的橘子

一、题目 在给定的 m x n 网格 grid 中&#xff0c;每个单元格可以有以下三个值之一&#xff1a; 值 0 代表空单元格&#xff1b;值 1 代表新鲜橘子&#xff1b;值 2 代表腐烂的橘子。 每分钟&#xff0c;腐烂的橘子 周围 4 个方向上相邻 的新鲜橘子都会腐烂。 返回直到单元格…

醒醒吧,连新来的实习生都在进阶自动化,你还在点点点吗,聪明人都在提升自己!

5年测试老兵了&#xff0c;真的很迷茫&#xff0c;觉得自己不再提升自己&#xff0c;真的会被实习生替代。 很多朋友跟我吐槽&#xff0c;说自己虽然已经工作3-4年&#xff0c;可工作依旧是点点点&#xff0c;新来的实习生用一周的时间就把工作内容学会了&#xff0c;他的压力…

让博客支持使用 ChatGPT 生成文章摘要是一种什么样的体验?

让博客支持使用 ChatGPT 生成文章摘要是一种什么样的体验&#xff1f; 起因 Sakurairo 主题支持了基于 ChatGPT 的 AI 摘要功能&#xff0c;我有点眼红&#xff0c;但是因为那是个主题限定功能&#xff0c;而我用的又是 Argon&#xff0c;遂想着让 Argon 也支持 AI 摘要功能。…

【spring】spring是什么?详解它的特点与模块

作者&#xff1a;Insist-- 个人主页&#xff1a;insist--个人主页 作者会持续更新网络知识和python基础知识&#xff0c;期待你的关注 目录 一、spring介绍 二、spring的特点&#xff08;七点&#xff09; 1、简化开发 2、AOP的支持 3、声明式事务的支持 4、方便测试 5、…

springcloud 父项目建立(一)

我们开发项目&#xff0c;现在基本都用到maven&#xff0c;以及用父子项目&#xff0c;以及公共模块依赖&#xff0c;来构建方便扩展的项目体系&#xff1b; 首先我们建立父项目 microservice &#xff0c;主要是一个pom&#xff0c;管理module&#xff0c;以及管理依赖&#x…

shell实现多并发控制

背景&#xff1a; 遇到一个业务需求&#xff0c;一个上位机需要向多个下位机传送文件&#xff0c;当前的实现是for循环遍历所有下位机&#xff0c;传送文件&#xff0c;但是此种方法耗时太久&#xff0c;需要优化。因此可以通过并发的方式向下位机传送文件。 这边写一段测试代…

【Vue3 第二十七章】路由和状态管理

一、路由 1.1 服务端路由 与 客户端路由 服务端路由 服务端路由指的是服务器根据用户访问的 URL 路径返回不同的响应结果。当我们在一个传统的服务端渲染的 web 应用中点击一个链接时&#xff0c;浏览器会从服务端获得全新的 HTML&#xff0c;然后重新加载整个页面。客户端路…

人机交互学习-2 人机交互基础知识

人机交互基础知识 交互框架作用执行/评估活动周期 EEC四个组成部分七个阶段和两个步骤 执行隔阂&评估隔阂扩展EEC模型四个部分两个阶段 交互形式命令行交互菜单驱动界面基于表格的界面直接操纵问答界面隐喻界面自然语言交互交互形式小结 理解用户信息处理模型信号处理机人类…

“秩序与自由”——超详细的低代码开发B端产品前端页面设计规范

Hi&#xff0c;我们是钟茂林和李星潮&#xff0c;来自万应低代码 UI 设计团队。 编辑搜图 编辑搜图 左&#xff1a;钟茂林 右&#xff1a;李星潮 在过去&#xff0c;B 端应用通常只在企业内部员工中使用&#xff0c;与 C 端产品数以千万计的用户相比显得少之…