RESTful+统一响应体+API自动文档的SprinBoot项目

news2024/11/17 6:01:50

一、项目要求

  • 实验环境:Idea+mysql+JDK+Tomcat+Maven
  • 将上一周个人作业用 RESTful 接口实现;(上周的SpringBoot+Mybatis+CRUD项目)
  • 配置统一响应体;
  • 配置Swagger,生成API自动文档;
  • 对 RESTful 接口用Postman进行测试,并将测试结果截图;

二、RESTful风格

1、前后端分离

随着互联网技术的发展和移动应用的广泛应用,要求前端开发必须与后端开发分离,实施工程化开发模式。Ajax技术使所有服务器端数据都可以通过异步交互获取。只要能从后台取得一个规范定义的RESTful风格接口,前后两端就可以并行完成项目开发任务。网页有网页的处理方式,APP有APP的处理方式,但无论哪种前端,所需的数据基本相同,后端仅需开发一套逻辑对外提供数据即可

2、RESTful风格

统一的接口是RESTful风格的核心内容。RESTful定义了Web API接口的设计风格,非常适用于前后端分离的应用模式中。RESTful接口约束包含的内容有资源识别、请求动作和响应信息,即通过URL表明要操作的资源,通过请求方法表明要执行的操作,通过返回的状态码表明这次请求的结果。

3、设计规范

  • 协议:统一使用HTTPs协议或者HTTP协议其中一种
  • 域名:应该尽量将API部署在专用域名之下,如 https://xxx.xxx.com;
  • 版本:应该将API的版本号放入URL,如http://www.example.com/app/1.1/foo
  • 路径:只能有名词,不能有动词,而且所用的名词往往与数据库的表名对应,名词应该用复数
  • HTTP动词:GET(SELECT)、POST(INSERT)、PUT(UPDATE)、DELETE(DELETE)
  • 过滤信息:补充字段
  • 状态码:
  • 返回结果:code+msg+data(常用)

三、SpringBoot热部署

修改测试代码时,无需手动重启项目
在这里插入图片描述
在这里插入图片描述

四、统一格式的响应体

在前后端分离架构下,后端设计成 RESTful API的数据接口。接口中有时返回数据,有时又没有,还有的会出错,也就是返回结果不一致,客户端调用时非常不方便。实际开发中,一般设置统一响应体返回值格式,通过修改响应返回的JSON数据,让其带上一些固有的字段,如下所示:

{
 "code": 600,
 "msg": "success",
 "data": {
 "id": 1,
 "uname": "cc"
 "password":111
 }
}

五、统一异常处理

请添加图片描述

六、Swagger—API 接口文档自动生成工具

在实际开发中,常用Swagger-API接口文档自动生成工具,帮助项目自动生成和维护接口文档。Swagger是一个规范和完整的框架,用于生成、描述、调用和可视化 RESTful 风格
的 Web 服务,它具有以下特点:

  • 及时性:接口变更后,Api文档同步自动更新;
  • 规范性:遵守RESTful风格,保证接口的规范性,如接口的地址,请求方式,参
    数及响应格式和错误信息;
  • 一致性:接口信息一致,不会因开发人员拿到的文档版本不一致而导致分歧;
  • 可测性:直接在接口文档上进行测试,可以在线测试Api接口,方便理解业务。

在pom.xml中加入Swagger依赖

<dependency>
 	<groupId>io.springfox</groupId>
 	<artifactId>springfox-swagger2</artifactId>
 	<version>2.9.2</version>
 </dependency>
 <dependency>
 	<groupId>io.springfox</groupId>
 	<artifactId>springfox-swagger-ui</artifactId>
 	<version>2.9.2</version>
 </dependency>

@Api注解:标记当前Controller的功能
@ApiOperation注解:用来标记一个方法的作用
@ApiImplicitParam注解:用来描述一个参数

在这里插入图片描述

七、项目完整代码

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.5</version>
        <relativePath/> <!-- lookup parent from repository -->
    </parent>
    <groupId>com.example</groupId>
    <artifactId>week11_20201000000</artifactId>
    <version>0.0.1-SNAPSHOT</version>
    <name>week11_20201000000</name>
    <description>week11_20201000000</description>
    <properties>
        <java.version>1.8</java.version>
    </properties>
    <dependencies>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-web</artifactId>
        </dependency>
        <dependency>
            <groupId>org.mybatis.spring.boot</groupId>
            <artifactId>mybatis-spring-boot-starter</artifactId>
            <version>2.2.2</version>
        </dependency>

        <dependency>
            <groupId>com.mysql</groupId>
            <artifactId>mysql-connector-j</artifactId>
            <scope>runtime</scope>
        </dependency>
        <dependency>
            <groupId>org.projectlombok</groupId>
            <artifactId>lombok</artifactId>
            <optional>true</optional>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>
        <dependency>
            <groupId>io.springfox</groupId>
            <artifactId>springfox-swagger2</artifactId>
            <version>2.9.2</version>
        </dependency>
        <dependency>
            <groupId>io.springfox</groupId>
            <artifactId>springfox-swagger-ui</artifactId>
            <version>2.9.2</version>
        </dependency>
    </dependencies>

    <build>
        <resources>
            <resource>
                <directory>src/main/java</directory>
                <includes>
                    <include>**/*.xml</include>
                </includes>
            </resource>
            <resource>
                <directory>src/main/resources</directory>
                <includes>
                    <include>**.*</include>
                </includes>
            </resource>
        </resources>

        <plugins>
            <plugin>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-maven-plugin</artifactId>
                <configuration>
                    <excludes>
                        <exclude>
                            <groupId>org.projectlombok</groupId>
                            <artifactId>lombok</artifactId>
                        </exclude>
                    </excludes>
                </configuration>
            </plugin>
        </plugins>
    </build>

</project>

application.yml

spring:
  datasource:
    driver-class-name: com.mysql.cj.jdbc.Driver
    url: jdbc:mysql://localhost:3306/myschool?serverTimezone=Hongkong?characterEncoding=utf8&serverTimezone=GMT%2B8
    username: root
    password: 密码
  mvc:
    pathmatch:
      matching-strategy: ant_path_matcher

mybatis:
  mapper-locations: classpath:com/exmaple/mapper/*.xml    #指定sql配置文件的位置
  type-aliases-package: com.example.pojo      #指定实体类所在的包名
  configuration:
    log-impl: org.apache.ibatis.logging.stdout.StdOutImpl   #输出SQL命令

Student.java

package com.example.pojo;

import io.swagger.annotations.ApiModel;
import io.swagger.annotations.ApiModelProperty;
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;

@Data
@NoArgsConstructor //自动生成无参构造函数
@AllArgsConstructor
@ApiModel(description = "学生字段")
public class Student {
    @ApiModelProperty(value = "学生id",name = "id",example = "20201001111")
    private Long id;

    @ApiModelProperty(value = "学生名",name = "sname",example = "张三")
    private String sname;

    @ApiModelProperty(value = "专业",name = "dept",example = "软件工程")
    private String dept;

    @ApiModelProperty(value = "年龄",name = "age",example = "20")
    private int age;
}

StudentMapper.java

package com.example.mapper;

import com.example.pojo.Student;

import java.util.List;
import java.util.Map;

public interface StudentMapper {
    //1
    public List<Student> getAllStudentMap();

    //2
    public Student getStudentById(Long id);

    //3更新用户信息
    public int updateStudentByDynam(Map<Object,Object> mp);

    //4
    public int addStudent(Student student);

    //5
    public int deleteStudentById(Long id);

}

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.example.mapper.StudentMapper">

	<!--1	-->
	<select id="getAllStudentMap" resultType="Student">
		SELECT * FROM student
	</select>

	<!--2	-->
	<select id="getStudentById" resultType="Student" parameterType="Long">
		SELECT * FROM student WHERE id=#{0}
	</select>

	<!--3	-->
	<update id="updateStudentByDynam"  parameterType="Map">
		update student
		<set>
			<if test="sname!=null">
				sname=#{sname},
			</if>
			<if test="dept!=null">
				dept=#{dept},
			</if>
			<if test="age!=null">
				age=#{age},
			</if>
			id=#{id}
		</set>
		where id=#{id}
	</update>

	<!--4	-->
	<insert id="addStudent" parameterType="Student">
		INSERT INTO student SET sname=#{sname},dept=#{dept},age=#{age}
	</insert>

	<!--5	-->
	<delete id="deleteStudentById" parameterType="Long">
		DELETE FROM student
		where id=#{id}
	</delete>


</mapper>


StudentService.java

package com.example.service;

import com.example.pojo.Student;

import java.io.IOException;
import java.util.List;
import java.util.Map;


public interface StudentService {

        //1
        public List<Student> getAllStudentMap();

        //2
        public Student getStudentById(Long id);

        //3更新用户信息
        public int updateStudentByDynam(Map<Object,Object> mp);

        //4
        public int addStudent(Student student);

        //5
        public int deleteStudentById(Long id);

}

StudentServiceImpl.java

package com.example.service.impl;


import com.example.mapper.StudentMapper;
import com.example.pojo.Student;
import com.example.service.StudentService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;

import java.io.IOException;
import java.util.List;
import java.util.Map;

@Service
public class StudentServiceImpl implements StudentService {

    @Autowired
    private StudentMapper studentMapper;

    //根据id查询
    @Override
    public Student getStudentById(Long id){
        return studentMapper.getStudentById(id);
    }

    //根据id修改用户信息
    @Override
    public int updateStudentByDynam(Map<Object,Object> mp) {
        return studentMapper.updateStudentByDynam(mp);
    }

    @Override
    public int deleteStudentById(Long id){
        return studentMapper.deleteStudentById(id);
    }

    //查询用户
    public List<Student> getAllStudentMap() {
        return studentMapper.getAllStudentMap();
    }

    public int addStudent(Student student) {
        return studentMapper.addStudent(student);
    }

}


StudentController.java

package com.example.controller;

import com.example.exception.NotAllowedRegException;
import com.example.pojo.Student;
import com.example.service.StudentService;
import com.example.util.Response;
import com.example.util.ResponseResult;
import io.swagger.annotations.Api;
import io.swagger.annotations.ApiOperation;
import org.apache.ibatis.annotations.Update;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;

import java.io.IOException;
import java.util.List;
import java.util.Map;

@RestController //=@ResponseBody+@Controller
@Api(tags = "学生管理相关接口")
public class StudentController {
    @Autowired
    private StudentService studentService;

//    查找所有学生信息
    @GetMapping("/student")
    @ApiOperation("查询所有学生信息")
    public ResponseResult<List<Student>> selectstudentList(){
        List<Student> studentList = studentService.getAllStudentMap();
        return Response.createOkResp(studentList);
    }


    //根据学生id查找对应学生信息
    @GetMapping("/student/{id}")
    @ApiOperation("根据id查询学生信息")
    public ResponseResult<Student> selectStudentById(@PathVariable("id") Long id) {
        Student student = studentService.getStudentById(id);
        return Response.createOkResp(student);
    }

    //ok
    @PostMapping("/student")
    @ApiOperation("增加学生信息")
    public ResponseResult<Student> addStudent(Student student) {
        try {
            studentService.addStudent(student);
            return Response.createOkResp("添加成功");
        } catch (Exception e) {
            return Response.createFailResp("添加失败");
        }
    }


    @PutMapping("/student")
    @ApiOperation("更新学生信息")
    public ResponseResult<Student> updateStudentByDynam(@RequestBody Map<Object,Object> mp){
        System.out.println("mp: ");
        System.out.println(mp);
        int row = studentService.updateStudentByDynam(mp);
        System.out.println(row);
        try {
            studentService.updateStudentByDynam(mp);
            return Response.createOkResp("更新成功");
        } catch (Exception e) {
            return Response.createFailResp("更新失败");
        }
    }

    //    根据id删除学生记录 okk
    @DeleteMapping("/student/{id}")
    @ApiOperation("删除学生信息")
    public ResponseResult<Student> deleteStudentById(@PathVariable("id") Long id){
        studentService.deleteStudentById(id);
        return Response.createOkResp();

    }

    @PostMapping("/studentException")
    @ApiOperation("异常处理学生信息")
    public ResponseResult addStudentException(Student student) throws NotAllowedRegException {
        //如果添加的用户名是"",则抛出异常
        if(student.getSname().equals("张三"))
            throw new NotAllowedRegException();

        studentService.addStudent(student);
        return Response.createOkResp();
    }

}

GlobalExceptionHandle.java

package com.example.controller;

import com.example.exception.NotAllowedRegException;
import com.example.util.Response;
import com.example.util.ResponseResult;
import com.example.util.StatusCode;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.RestControllerAdvice;

/**定义一个全局处理异常类,来统一处理各种异常
 *
 */

//@RestController+@ControllerAdvice=@RestControllerAdvice
@RestControllerAdvice
public class GlobalExceptionHandler {

    //处理异常的方法1.  并确定接收的是哪种类型的异常
    @ExceptionHandler(Exception.class)
    public ResponseResult exceptionHandler(Exception e)
    {
        // 捕获到某个指定的异常,比如是 NotAllowedRegException 类型
        if(e instanceof  NotAllowedRegException )
           {
              //处理结束后 还是要返回统一相应结果类
              return Response.createFailResp(StatusCode.NOT_ALLOWRD_REG.code,"异常:当前用户不允许注册");
           }
        else
            {
                  //处理其它类型的异常 可以进入到不同的分支
                return Response.createFailResp();
            }
    }

    /*
    @ExceptionHandler(NullPointerException.class)
    public ResponseResult exceptionHandler(NullPointerException e) {

    }
    */
}

SwaggerConfig.java

package com.example.config;


import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import springfox.documentation.builders.ApiInfoBuilder;
import springfox.documentation.builders.PathSelectors;
import springfox.documentation.builders.RequestHandlerSelectors;
import springfox.documentation.service.ApiInfo;
import springfox.documentation.service.Contact;
import springfox.documentation.spi.DocumentationType;
import springfox.documentation.spring.web.plugins.Docket;

/**
 *  Swagger配置类
 */
@Configuration
public class SwaggerConfig {
    public static final String SWAGGER_SCAN_BASE_PACKAGE = "com.example";

    public static final String VERSION = "1.0.0";
    @Bean
    public Docket createRestApi() {
        return new Docket(DocumentationType.SWAGGER_2)
                .apiInfo(apiInfo())
                .select()
                .apis(RequestHandlerSelectors.basePackage(SWAGGER_SCAN_BASE_PACKAGE))
                .paths(PathSelectors.any()) // 可以根据url路径设置哪些请求加入文档,忽略哪些请求
                .build();
    }

    private ApiInfo apiInfo() {
        return new ApiInfoBuilder()
                .title("我的第一个项目")   //设置文档的标题
                .description("*** API 接口文档")   // 设置文档的描述
                .version(VERSION)   // 设置文档的版本
                .contact(new Contact("****", "", "***@qq.com"))
                .termsOfServiceUrl("http://***.***.***")   // 配置服务网站,
                .build();
    }

}

NotAllowedRegException.java

package com.example.exception;

import lombok.Data;
import lombok.NoArgsConstructor;

/**
 *自定义一个异常类:不能注册
 */

@Data
@NoArgsConstructor
public class NotAllowedRegException extends  Exception {

    private int code;

    private String message;

    public NotAllowedRegException(String message)
    {
        super(message);
    }
}

Response.java

package com.example.util;

/**
 * 定义不同情景下,各种响应体返回的具体值
 *
 */
public class Response {

    private static String SUCCESS="success";

    private static String FAIL="fail";

    //创建不同场景下的返回结果对象

    //1.成功执行,没有要返回的数据
    public static <T> ResponseResult<T> createOkResp()
    {
           return new ResponseResult<T>(StatusCode.SUCCESS.code,SUCCESS,null);
    }

    //2.成功执行,需要返回数据
    public static <T> ResponseResult<T> createOkResp(T data)
    {
        return new ResponseResult<T>(StatusCode.SUCCESS.code,SUCCESS,data);
    }

    //3.成功执行,需要返回消息和数据
    public static <T> ResponseResult<T> createOkResp(String msg, T data)
    {
        return new ResponseResult<T>(StatusCode.SUCCESS.code,msg,data);
    }

    //4.成功执行,需要消息参数,无数据
    public static <T> ResponseResult<T> createOkResp(String msg)
    {
        return new ResponseResult<T>(StatusCode.SUCCESS.code,msg,null);
    }

    //1.失败执行
    public static <T> ResponseResult<T> createFailResp()
    {
        return new ResponseResult<T>(StatusCode.SERVER_ERROR.code,FAIL,null);
    }

    //2.失败执行
    public static <T> ResponseResult<T> createFailResp(String msg)
    {
        return new ResponseResult<T>(500,msg,null);
    }

    //3.其它失败执行
    public static <T> ResponseResult<T> createFailResp(int code, String msg)
    {
        return new ResponseResult<T>(code,msg,null);
    }

    //4.其他执行
    public static <T> ResponseResult<T> createResp(int code, String msg, T data)
    {
        return new ResponseResult<T>(code,msg,data);
    }

}

ResponseResult.java

package com.example.util;

import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;

/**
 * 定义响应结果的统一格式,这里定义响应结果由三个要素构成
 *
 */
@Data
@NoArgsConstructor
@AllArgsConstructor
public class ResponseResult<T> {
    //1.状态码
    private int code;
    //2.消息
    private String msg;
    //3.返回数据
    private  T  data;

}

StatusCode.java

package com.example.util;

/**
 *封装各种状态码
 */
public enum StatusCode {

    //定义枚举项,并调用构造函数
    //http定义好的状态码
     SUCCESS(200),
     SERVER_ERROR(500),
     URL_NOT_FOUND(404),

    //自定义的状态码
    NOT_ALLOWRD_REG(1001);

    //定义成员变量
    public int code;
    //构造方法
    private StatusCode(int code)
    {
        this.code=code;
    }

}

Week1120201000000Application.java

package com.example;

import org.mybatis.spring.annotation.MapperScan;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import springfox.documentation.swagger2.annotations.EnableSwagger2;

@EnableSwagger2
@SpringBootApplication
@MapperScan(basePackages ="com.example.mapper")
public class Week1120201000000Application {

    public static void main(String[] args) {
        SpringApplication.run(Week1120201000000Application.class, args);
    }

}

Week1120201000000ApplicationTests.java

package com.example.week11_20201000000;

import org.junit.jupiter.api.Test;
import org.springframework.boot.test.context.SpringBootTest;

@SpringBootTest
class Week1120201000000ApplicationTests {

    @Test
    void contextLoads() {
    }

}

八、运行测试

1、查询所有学生

GET
http://localhost:8080/student

在这里插入图片描述
在这里插入图片描述

在这里插入图片描述

2、根据id查询学生信息

GET
http://localhost:8080/student/20201001111

请添加图片描述
请添加图片描述

3、增加学生信息

POST
http://localhost:8080/student

请添加图片描述
请添加图片描述
请添加图片描述请添加图片描述

4、更新学生信息

PUT
http://localhost:8080/student

请添加图片描述

请添加图片描述
请添加图片描述
请添加图片描述

5、删除学生信息

DELETE
http://localhost:8080/student/20201005590

请添加图片描述
请添加图片描述
请添加图片描述

6、异常处理学生信息(如果添加的用户名是"张三",则抛出异常)

POST
http://localhost:8080/studentException

请添加图片描述

7、启动项目,访问API在线文档页面

访问:http://localhost:8080/swagger-ui.html,即可看到接口文档信息

请添加图片描述
请添加图片描述

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

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

相关文章

同态加密开源框架整理

开放隐私计算 2022-11-16 19:17 发表于浙江 以下文章来源于隐私计算研习社 &#xff0c;作者庄智廉 隐私计算研习社. 开放隐私计算社区 开放隐私计算 开放隐私计算OpenMPC是国内第一个且影响力最大的隐私计算开放社区。社区秉承开放共享的精神&#xff0c;专注于隐私计算行业…

2022年数维杯国际赛D题 极端天气损失评估与应对策略

2022年7月至8月&#xff0c;中国南方许多城市经历了多日的炎热天气&#xff0c;而北方部分地区也出现了大 规模的强降水。此外&#xff0c;许多欧洲国家也经历了历史上罕见的干旱灾害。无论是南部的高温天气 &#xff0c;北方的强降水&#xff0c;还是欧洲的干旱天气&#x…

算法部署经验实操:手把手教你掌握Atlas移植和算法推理

华为Atlas智能边缘解决方案已广泛应用于安防、交通、社区、商超等复杂环境区域的AI需求&#xff0c;在算法部署落地过程中&#xff0c;具备算法异构能力已经成为算法开发者的加分项。 本次特训营由极市平台、昇腾社区联合主办&#xff0c;启用行业专家导师结合算法实际落地应用…

Jekyll 选项(options)和子命令(subcommand)小手册

建议直接通过侧边栏进行跳转查询。 本文将列出并介绍一些常用的 Jekyll 的命令选项&#xff08;options&#xff09;和子命令&#xff08;subcommand&#xff09;&#xff0c;这样方便快速查看。如果你想找的这里没有列出&#xff0c;可以查看官方文档 《Configuration Option…

JPA Buddy指南

1. 概述 JPA Buddy是一个广泛使用的IntelliJ IDEA插件&#xff0c;面向使用JPA数据模型和相关技术&#xff08;如Spring DataJPA&#xff0c;DB版本控制工具&#xff08;Flyway&#xff0c;Liquibase&#xff09;&#xff0c;MapStruct等&#xff09;的新手和有经验的开发人员。…

猿创征文|C++软件开发值得推荐的十大高效软件分析工具

目录 1、概述 2、高效软件工具介绍 2.1、窗口查看工具SPY 2.2、Dependency Walker 2.3、剪切板查看工具Clipbrd 2.4、GDI对象查看工具GDIView 2.5、Process Explorer 2.6、Prcoess Monitor 2.7、API Monitor 2.8、调试器Windbg 2.9、反汇编工具IDA 2.10、抓包工具…

【毕业设计】深度学习试卷批改系统 - opencv python 机器视觉

文章目录0 简介1 项目背景2 项目目的3 系统设计3.1 目标对象3.2 系统架构3.3 软件设计方案4 图像预处理4.1 灰度二值化4.2 形态学处理4.3 算式提取4.4 倾斜校正4.5 字符分割5 字符识别5.1 支持向量机原理5.2 基于SVM的字符识别5.3 SVM算法实现6 算法测试7 系统实现8 最后0 简介…

使用react开发谷歌插件

前言 自己搭架子确实不会&#xff0c;好在github上有已经搭好的架子&#xff0c;具体见&#xff1a;https://github.com/satendra02/react-chrome-extension 项目是基于react16和scss的还是挺不错的。 不过这个是基于v2版本的&#xff0c;现在已经是v3版本了&#xff0c;我们…

【面试题】近期学员被问最多的真实面试题记录(如何分配测试任务?)

问题均由朋友/粉丝提供的真实面试记录&#xff0c;帮大家解答&#xff0c;我义不容辞&#xff0c;但有些问题如果回答的不够仔细和正确&#xff0c;也希望大家能客观的指出改正&#xff0c;轻喷。 问题&#xff1a;发现了线上bug&#xff0c;作为测试&#xff0c;你是如何发挥…

net基于asp.net的二手商品的交易系统-二手网站-计算机毕业设计

项目介绍 基于ASP.NET的二手商品的交易系统是针对目前二手商品交易的实际需求,从实际工作出发,对过去的二手商品交易平台存在的问题进行分析,完善用户的使用体会。采用计算机系统来管理信息,取代人工管理模式,查询便利,信息准确率高,节省了开支,提高了工作的效率。 本系统结合计…

GitHub神坛变动,10W字Spring Cloud Alibaba笔记,30W星标登顶第一

Spring Cloud Alibaba是Spring Cloud下的一个子项目&#xff0c;使用 Spring Cloud Alibaba&#xff0c;只需添加一些注解和少量配置&#xff0c;即可将 Spring Cloud 应用连接到 Alibaba 的分布式解决方案中&#xff0c;并使用 Alibaba 中间件构建分布式应用系统。 ​为了帮助…

高手PM控制项目范围的流程和方法!

​项目的范围、成本与质量相互制约。 如果不能使用合理的手段和方法确定项目范围&#xff0c;不能在项目过程中有效的控制范围&#xff0c;不能让项目范围在各相关方之间达成一致&#xff0c;那么会对项目造成严重的伤害。 如无情消耗项目资源&#xff0c;影响范围内工作的有…

手机怎么把照片转JPG格式?这三种手机小技巧需要知道

怎么用手机把照片的格式转换成JPG格式呢&#xff1f;大家在日常中使用的照片&#xff0c;有的格式可能连自己都不清楚&#xff0c;只有在特定格式的情况下才会才会发现自己的图片格式需要转换才行&#xff0c;最常使用到的就是将照片转换成JPG格式了&#xff0c;那么我们怎么用…

最新解决谷歌翻译无法使用的教程

谷歌翻译无法使用是谷歌官方关闭了中国地区翻译服务。 废话不多说直接上教程&#xff0c;本质就是通过修改hosts文件让translate.googleapis.com域名的IP解析到国内的谷歌服务器IP&#xff0c;网上大部分的教程也是如此。 但是有个问题就是这个IP不稳定可能用了几天就不用了&am…

web前端期末大作业:青岛旅游网页主题网站设计——青岛民俗4页 HTML+CSS 民俗网页设计与制作 web网页设计实例作业 html实训大作业

&#x1f468;‍&#x1f393;静态网站的编写主要是用 HTML DⅣV CSSJS等来完成页面的排版设计&#x1f469;‍&#x1f393;&#xff0c;一般的网页作业需要融入以下知识点&#xff1a;div布局、浮动定位、高级css、表格、表单及验证、js轮播图、音频视频Fash的应用、uli、下拉…

有哪些编辑图片加文字的软件?这些软件值得收藏

大家平时在分享自己拍的照片的时候&#xff0c;会不会觉得照片有点单调&#xff0c;有些空旷呢&#xff1f;其实这时候&#xff0c;我们只需要对图片添加上一些文字描述&#xff0c;就可以大大提高图片的趣味性以及丰富图片的内容&#xff0c;并且我们也可以将这些加文字的图片…

LDO的前世今生

众所周知&#xff0c;开关电源的效率很高&#xff0c;但是输出电压有纹波&#xff0c;噪声很大&#xff0c;不能直接接入单片机控制电路中&#xff0c;而一般选择的方案都是在开关电源的输出端接一级LDO低压差线性稳压电源&#xff0c;可以保证输出到单片机中的电压很稳定&…

C语言知识之字符串

字符串 Problem Description 给你一个长度为l&#xff08;l<150&#xff09;的字符串&#xff0c;字符串包含很多个单词&#xff0c;每2个单词之间用一个或多个空格隔开&#xff0c; 单词内可能包含"?",例如单词"china"可能在字符串中表示为"c?h…

AIGC困局与Web3破圈之道

最近一年&#xff0c;随着 AIGC&#xff08;AI-Generated Content&#xff09; 技术的发展壮大&#xff0c;越来越多的人感受到了它的恐怖之处。AI 降低了创作门槛&#xff0c;使每个普通人都有机会展现自己的创造力&#xff0c;做出不输专业水平的作品。但是就在全民 AI 作图的…

JavaEE——Tomcat和servlet

Tomcat tomcat是一个http的服务器&#xff0c;用来简化我们的网站开发 大家在下载的时候&#xff0c;如果jdk是8&#xff0c;那么tomcat也应该大版本是8 安装解压缩后&#xff0c;可以看到其中的一系列目录 bin 是tomcat的启动脚本&#xff08;start.bat是windows用的&#x…