如何借助AI在20分钟内写一个springboot单表的增删改查

目录

  • 1. AI工具介绍
  • 2. 写代码的正确顺序
    • 2.1 编写 Entity 类:
    • 2.2 编写 Mapper 接口:
    • 2.3 编写 Mapper XML 文件(如果使用 MyBatis):
    • 2.4 编写 Service 接口:
    • 2.5 编写 Service 实现类(ServiceImpl):
    • 2.6 编写 Controller 类:
  • 3. 总结

1. AI工具介绍

在idea的插件市场里:
​​​​​在这里插入图片描述

2. 写代码的正确顺序

2.1 编写 Entity 类:

定义与数据库表对应的领域模型类,包括字段、getter 和 setter 方法。
注意:主要确定各个字段的合理性,sql对于的idea上的类型,例如日期Date类,在Java上需要加注解@DateTimeFormat(value = “yyyy-MM-dd”)来固定格式。

package com.goblin.BIbackend.model.entity;import com.alibaba.excel.annotation.format.DateTimeFormat;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.annotation.TableField;
import com.baomidou.mybatisplus.annotation.TableId;
import com.baomidou.mybatisplus.annotation.TableName;
import java.io.Serializable;
import java.util.Date;
import lombok.Data;/**** @TableName install_requests*/
@TableName(value ="install_requests")
@Data
public class InstallRequests implements Serializable {/****/@TableId(type = IdType.AUTO)private Long id;/****/private Long userId;/****/@DateTimeFormat(value = "yyyy-MM-dd")private Date requestDate;/****/private String status;/****/private String description;@TableField(exist = false)private static final long serialVersionUID = 1L;
}

2.2 编写 Mapper 接口:

创建与数据库操作相关的接口,使用 MyBatis 或 JPA 等 ORM 框架注解来标识数据库操作。

package com.goblin.BIbackend.mapper;import com.goblin.BIbackend.model.entity.InstallationProgress;
import com.baomidou.mybatisplus.core.mapper.BaseMapper;/**
* @author **
* @description 针对表【installation_progress】的数据库操作Mapper
* @createDate 2024-07-07 00:36:01
* @Entity com.goblin.BIbackend.model.entity.InstallationProgress
*/
public interface InstallationProgressMapper extends BaseMapper<InstallationProgress> {public InstallationProgress select1(Long id);public void insert1(InstallationProgress installationProgress);public void delete1(Long id);public void update1(InstallationProgress installationProgress);
}

2.3 编写 Mapper XML 文件(如果使用 MyBatis):

在 XML 文件中编写具体的 SQL 语句和结果映射,与 Mapper 接口中的方法相对应。

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapperPUBLIC "-//mybatis.org//DTD Mapper 3.0//EN""http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.goblin.BIbackend.mapper.InstallRequestsMapper"><resultMap id="BaseResultMap" type="com.goblin.BIbackend.model.entity.InstallRequests"><id property="id" column="id" jdbcType="BIGINT"/><result property="userId" column="user_id" jdbcType="BIGINT"/><result property="requestDate" column="request_date" jdbcType="DATE"/><result property="status" column="status" jdbcType="VARCHAR"/><result property="description" column="description" jdbcType="VARCHAR"/></resultMap><sql id="Base_Column_List">id,user_id,request_date,status,description</sql><select id="select1" resultMap="BaseResultMap">SELECT * FROM install_requests where id = #{id}</select><insert id="insert1" parameterType="com.goblin.BIbackend.model.entity.InstallRequests">INSERT INTO install_requests (user_id,request_date,status,description)VALUES (#{userId},#{requestDate},#{status},#{description})</insert><delete id="delete1" parameterType="com.goblin.BIbackend.model.entity.InstallRequests">DELETE FROM install_requests where id = #{id}</delete><update id="update1" parameterType="com.goblin.BIbackend.model.entity.InstallRequests">UPDATE install_requestsset user_id = #{userId},request_date = #{requestDate},status = #{status},description = #{description}WHERE id = #{id}</update>
</mapper>

2.4 编写 Service 接口:

定义业务逻辑的接口,声明服务层的方法。

package com.goblin.BIbackend.service;import com.goblin.BIbackend.model.entity.InstallRequests;
import com.baomidou.mybatisplus.extension.service.IService;/**
* @author **
* @description 针对表【install_requests】的数据库操作Service
* @createDate 2024-07-07 00:04:57
*/
public interface InstallRequestsService extends IService<InstallRequests> {InstallRequests select2(Long id);InstallRequests insert2(InstallRequests installRequests);void delete2(Long id);InstallRequests update2(InstallRequests installRequests);}

2.5 编写 Service 实现类(ServiceImpl):

实现 Service 接口中定义的方法,调用 Mapper 接口进行数据访问。

package com.goblin.BIbackend.service.impl;import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl;
import com.goblin.BIbackend.model.entity.InstallRequests;
import com.goblin.BIbackend.service.InstallRequestsService;
import com.goblin.BIbackend.mapper.InstallRequestsMapper;
import org.springframework.stereotype.Service;import javax.annotation.Resource;/**
* @author **
* @description 针对表【install_requests】的数据库操作Service实现
* @createDate 2024-07-07 00:04:57
*/@Service
public class InstallRequestsServiceImpl extends ServiceImpl<InstallRequestsMapper, InstallRequests>implements InstallRequestsService{@Resourceprivate InstallRequestsMapper mapper;@Overridepublic InstallRequests select2(Long id) {return mapper.select1(id);}@Overridepublic InstallRequests insert2(InstallRequests installRequests) {mapper.insert1(installRequests);return installRequests;}@Overridepublic void delete2(Long id) {mapper.delete1(id);}@Overridepublic InstallRequests update2(InstallRequests installRequests) {mapper.update1(installRequests);return installRequests;}}

2.6 编写 Controller 类:

创建 RESTful API 或 MVC 控制器,处理 HTTP 请求并调用 Service 层。

package com.goblin.BIbackend.controller;import com.goblin.BIbackend.common.BaseResponse;
import com.goblin.BIbackend.common.ResultUtils;
import com.goblin.BIbackend.model.entity.InstallRequests;
import com.goblin.BIbackend.service.InstallRequestsService;
import lombok.extern.slf4j.Slf4j;
import org.springframework.web.bind.annotation.*;import javax.annotation.Resource;@RestController
@RequestMapping("/installRequests")
@Slf4j
public class InstallRequestsController {@Resourceprivate InstallRequestsService iRS;@GetMapping("/select2")public BaseResponse<InstallRequests> select2(Long id) {log.info("查询电表安装请求: {}", id);InstallRequests installRequests = iRS.select2(id);return ResultUtils.success(installRequests);}@PostMapping("/insert2")public BaseResponse<InstallRequests> insert2(@RequestBody InstallRequests installRequests) {log.info("新增电表安装请求: {}", installRequests);InstallRequests insert = iRS.insert2(installRequests);return ResultUtils.success(insert);}@DeleteMapping("/delete2")public BaseResponse<Boolean> delete2(Long id) {log.info("删除电表安装请求: {}", id);iRS.delete2(id);return ResultUtils.success(true);}@PutMapping("/update2")public BaseResponse<InstallRequests> update2(@RequestBody InstallRequests installRequests) {log.info("更新电表安装请求: {}", installRequests);iRS.update2(installRequests);return ResultUtils.success(installRequests);}
}

3. 总结

这个顺序并不是固定不变的,实际开发过程中可能会根据项目需求和团队习惯进行调整。例如,可以先编写 Controller 层来定义 API 接口,再逆向工程到 Service 层和 Entity 层。over

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

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

相关文章

【pyhton学习】深度理解类和对象

&#x1f3ac; 鸽芷咕&#xff1a;个人主页 &#x1f525; 个人专栏: 《C干货基地》《粉丝福利》 ⛺️生活的理想&#xff0c;就是为了理想的生活! 文章目录 一、一切皆对象1.1 对象的概念1.2 如何创建类对象1.3 类型检测 二、属性与方法2.1 如何查看属性与方法2.2 属性和方法…

postgresql日志的配置

postgresql日志的配置 一 常用日志参数设置 1 在哪里做日志 logging_collector = on/off这个参数启用日志收集器,是否将日志重定向至文件中。默认是off。设置需要重启库 log_directory当logging_collector被启用时,这个参数决定日志文件将被在哪个目录下创建。默认是log。设…

C语言 | Leetcode C语言题解之第220题存在重复元素III

题目&#xff1a; 题解&#xff1a; struct HashTable {int key;int val;UT_hash_handle hh; };int getID(int x, long long w) {return x < 0 ? (x 1ll) / w - 1 : x / w; }struct HashTable* query(struct HashTable* hashTable, int x) {struct HashTable* tmp;HASH_F…

leetcode每日一题-3101 交替子数组计数

暴力遍历&#xff1a;看起来像是回溯,实际上就是递归 class Solution { private:long long _res 0; public:long long countAlternatingSubarrays(vector<int>& nums) {backtrack(nums, 0);return _res;}void backtrack(vector<int>& nums, long long st…

查询某个县区数据,没有的数据用0补充。

加油&#xff0c;新时代打工人&#xff01; 思路&#xff1a; 先查出有数据的县区&#xff0c;用县区编码判断&#xff0c;不存在县区里的数据。然后&#xff0c;用union all进行两个SQL拼接起来。 SELECTt.regionCode,t.regionName,t.testNum,t.sampleNum,t.squareNum,t.crop…

普中51单片机:数码管显示原理与实现详解(四)

文章目录 引言数码管的结构数码管的工作原理静态数码管电路图开发板IO连接图代码演示 动态数码管实现步骤数码管驱动方式电路图开发板IO连接图真值表代码演示1代码演示2代码演示3 引言 数码管&#xff08;Seven-Segment Display&#xff09;是一种常见的显示设备&#xff0c;广…

Java NIO:深入探索非阻塞I/O操作

Java NIO&#xff1a;深入探索非阻塞I/O操作 一、引言 随着网络应用的快速发展&#xff0c;对于高性能I/O操作的需求日益增加。传统的Java I/O模型基于流&#xff08;Stream&#xff09;进行数据传输&#xff0c;采用阻塞式&#xff08;Blocking&#xff09;方式&#xff0c;…

Visual studio 2023下使用 installer projects 打包C#程序并创建 CustomAction 类

Visual studio 2023下使用 installer projects 打包C#程序并创建 CustomAction 类 1 安装Visual studio 20203,并安装插件1.1 下载并安装 Visual Studio1.2 步骤二:安装 installer projects 扩展插件2 创建安装项目2.1 创建Windows安装项目2.2 新建应用程序安装文件夹2.3 添加…

sqlserver 当前时间

sqlserver 当前时间 在 SQL Server 中&#xff0c;获取当前时间有多种方法&#xff0c;以下是一些常用的方法&#xff1a; 使用 GETDATE() 函数&#xff1a; SELECT GETDATE() AS CurrentDateTime 如果你需要更精确的时间&#xff08;包括毫秒&#xff09;&#xff0c;可以使…

数据库SQL Server常用操作:增删改查

文章目录 SQL Server主要特点 常见数据库操作假设tmall_scapler_item_pk是一个主键约束临时表表的连接 SQL Server SQL Server 是由微软&#xff08;Microsoft&#xff09;公司开发的一个关系数据库管理系统&#xff08;RDBMS&#xff09;。它允许企业或组织存储、检索、修改和…

力扣刷题练习 七【34. 在排序数组中查找元素的第一个和最后一个位置】

前言 数组类型题目练习。 练习题 七【34. 在排序数组中查找元素的第一个和最后一个位置】 一、题目阅读 给你一个按照非递减顺序排列的整数数组 nums&#xff0c;和一个目标值 target。请你找出给定目标值在数组中的开始位置和结束位置。 如果数组中不存在目标值 target&…

A Threat Actors 出售 18 万名 Shopify 用户信息

BreachForums 论坛成员最近发布了涉及 Shopify 的重大数据泄露事件。 据报道&#xff0c;属于近 180,000 名用户的敏感数据遭到泄露。 Shopify Inc. 是一家总部位于安大略省渥太华的加拿大公司。 开发和营销同名电子商务平台、Shopify POS 销售点系统以及专用于企业的营销工…

SQL脚本初始化数据

创建或选择某个数据库&#xff0c;运行窗口输入&#xff1a;source,再拖入文件&#xff0c;回车即可&#xff1b; 虽然也可以使用图形化工具初始化数据&#xff0c;但是他会有内存限制&#xff0c;也就是较大的sql文件不可以初始化&#xff0c;而运行窗口没有sql文件大小限制&…

本周23个Github有趣项目llama-agents等

23个Github有趣的项目、工具和库 1、Positron 下一代数据科学 IDE。 您使用 VS Code 进行数据科学&#xff08;Python 或 R&#xff09;&#xff0c;但希望它包含专用控制台、变量窗格、数据浏览器和其他用于特定数据工作的功能。您使用 Jupyterlab 进行数据科学&#xff08;…

python读取csv出错怎么解决

Python用pandas的read_csv函数读取csv文件。 首先&#xff0c;导入pandas包后&#xff0c;直接用read_csv函数读取报错OSError&#xff0c;如下&#xff1a; 解决方案是加上参数&#xff1a;enginepython。 运行之后没有报错&#xff0c;正在我欣喜之余&#xff0c;输出一下d…

数据结构第04节:数组

线性数据结构 - 数组 线性数据结构中的数组是一种基础且广泛使用的数据存储方式&#xff0c;它存储一系列相同类型的元素&#xff0c;这些元素在内存中连续存放。数组可以是静态的或动态的。 静态数组&#xff08;Static Arrays&#xff09; 静态数组在声明时需要指定大小&a…

如何度量信息的大小

信息这个词让我们感到熟悉而又陌生。熟悉是因为我们所处在一个信息时代&#xff0c;与生活密切相关的就有大量的各种信息&#xff0c;比如书籍、手机、电脑等。而陌生是因为很难精确说明信息是什么并且如何量化信息&#xff0c;比如“地球是圆的”一句话包含了多少信息呢&#…

Java:多态

文章目录 一、概念二、使用前提三、实例四、优缺点4.1 优点4.2 缺点 五、动态绑定和静态绑定5.1 动态绑定5.2 静态绑定 一、概念 多态是指类的多种形态&#xff0c;同一个接口&#xff0c;使用不同的实例而执行不同操作。 二、使用前提 有继承/实现关系有父类引用指向子类对象…

centos7部署mysql8.0

1.安装MySQL的话会和MariaDB的文件冲突&#xff0c;所以需要先卸载掉MariaDB。查看是否安装mariadb rpm -qa | grep mariadb 2. 卸载mariadb rpm -e --nodeps 查看到的文件名 3.下载MySQL安装包 MySQL官网下载地址: MySQL :: Download MySQL Community Serverhttps://dev.mys…

19.JWT

1►JWT博客推荐 阮老师讲得很好了&#xff0c;网址如下&#xff1a; http://www.ruanyifeng.com/blog/2018/07/json_web_token-tutorial.html 2►ry是怎么践行JWT的呢&#xff1f; 问题一&#xff1a;不登录的时候有token吗&#xff1f; 答&#xff1a;没有&#xff0c;所…