Spring boot使用一个接口实现任意一张表的增删改查

Spring boot使用一个接口实现任意一张表的增删改查

文章目录

  • Spring boot使用一个接口实现任意一张表的增删改查
    • 0、讲解部分
    • 1、准备工作
    • 2、代码实现
      • 前后端对接包装类
      • model部分
      • Controller
      • Service
      • Mapper
      • Mapper的xml部分

本文旨在:

  • (需要做额外的操作创建对应表和再一个配置表里配置相关的表)

  • 使用一个接口的方式,下载任意一个表的Excel模板

  • 使用一个接口的方式,将任意的excel中的数据导入到对应的表里面

  • 使用一个接口的方式,将任意表中的数据查询出来并展示

  • 使用一个接口的方式,将任意表中的数据查询出来并根据表中字段自动生成过滤条件展示

  • 使用一个接口的方式,对于任意表中的数据进行新增

  • 使用一个接口的方式,对任意表中的任意数量数据删除

  • 使用一个接口的方式,对任意表中的任意一条数据进行修改

这个是我之前开发项目的时候遇到自定义数据CRUD时写的解决方案,因为觉得不错,所以把其中的业务部份的逻辑都剔除了,提取出了其中的重要的部分,用于帮助分享

0、讲解部分

首先为了保证数据的唯一性,我默认每一张自动定义的表里面肯定有一个相同的属性名字的属,这个属性一定是主键

另外就是我会单独的存储不同表的过滤条件。这个过滤条件可以手动加,也可以写接口帮助加。在自动创建表提交表单时就可以往过滤的表中存储这样的过滤字段

不过由于时间原因,我并没有写通过一个接口的方式可以创建这样的表的接口,如果大家有空的话可以写一下帮我加上代码

我会把带代码提交到GitHub中,是免费开源的

相应的这个博客解答了我在这个博客中抛给大家的问题《Spring boot结合easy excel实现低代码量的Excel导入导出》

1、准备工作

引入maven依赖

<dependency><groupId>cn.hutool</groupId><artifactId>hutool-all</artifactId><version>5.8.10</version></dependency><dependency><groupId>com.alibaba</groupId><artifactId>fastjson</artifactId><version>1.2.83</version></dependency><dependency><groupId>com.baomidou</groupId><artifactId>mybatis-plus-boot-starter</artifactId><version>3.5.2</version></dependency><dependency><groupId>com.baomidou</groupId><artifactId>mybatis-plus-generator</artifactId><version>3.5.2</version></dependency><dependency><groupId>mysql</groupId><artifactId>mysql-connector-java</artifactId><version>${mysql.version}</version></dependency><dependency><groupId>com.alibaba</groupId><artifactId>druid-spring-boot-starter</artifactId><version>1.2.6</version></dependency><dependency><groupId>com.baomidou</groupId><artifactId>dynamic-datasource-spring-boot-starter</artifactId><version>3.5.1</version></dependency><!--引入Knife4j的官方start包,该指南选择Spring Boot版本<3.0,开发者需要注意--><dependency><groupId>com.github.xiaoymin</groupId><artifactId>knife4j-openapi2-spring-boot-starter</artifactId><version>4.4.0</version></dependency><!-- 参数校验依赖 --><dependency><groupId>org.hibernate.validator</groupId><artifactId>hibernate-validator</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId></dependency><dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-test</artifactId><scope>test</scope></dependency><dependency><groupId>org.projectlombok</groupId><artifactId>lombok</artifactId><scope>provided</scope></dependency><dependency><groupId>cn.hutool</groupId><artifactId>hutool-all</artifactId><version>5.8.25</version><scope>compile</scope></dependency>

其中主要是一下一些配置信息:

druid、knife4j、fastjson、mybatis-plus、动态数据源、MySQL驱动、lombok、hutool

我们使用的是spring boot 是2.5.6版本。

初始化SQL

create schema IF NOT EXISTS report collate utf8mb4_general_ci;
use
report;create table if not exists report.filter_info
(id          bigint            not null comment '主键',table_code  varchar(100)      null comment '表编码',column_code varchar(100)      null comment '字段码',column_name varchar(100)      null comment '字段名称',type        varchar(32)       null comment '类型',dim_class   varchar(100)      null comment '对应维度值',sort        int               null comment '排序',is_required tinyint default 0 null comment '是否必须') comment '表筛选项表';create table if not exists report.meta_info_mapping
(sys_code      varchar(100) null comment '元数据编码',sys_name      varchar(100) null comment '元数据名称',sys_dim_class varchar(100) null comment '元数据类型') comment '元数据<下拉框使用>';

配置文件信息为

spring:application:name: xxxxdatasource:dynamic:# ?????primary: masterdatasource:master:driver-class-name: com.mysql.cj.jdbc.Driverurl: jdbc:mysql://127.0.0.1:3306/report?useUnicode=true&characterEncoding=utf-8&allowMultiQueries=trueusername: rootpassword: 123456druid:initialSize: 10minIdle: 10maxActive: 200max-wait: 60000pool-prepared-statements: truemax-pool-prepared-statement-per-connection-size: 20validation-query: SELECT 'x'test-on-borrow: falsetest-on-return: falsetest-while-idle: truetime-between-eviction-runs-millis: 60000  #???????????????????????????????min-evictable-idle-time-millis: 300000    #??????????????????????filters: stat,wallwall:comment-allow: truemultiStatementAllow: truenoneBaseStatementAllow: true
knife4j:enable: true# mybatis config
mybatis-plus:mapper-locations: mapper/*.xmlconfiguration:log-impl: org.apache.ibatis.logging.stdout.StdOutImpl

2、代码实现

前后端对接包装类

@Getter
@Setter
@SuppressWarnings("ALL")
@Accessors(chain = true)
public class Result<T> {public static final String DEF_ERROR_MESSAGE = "系统繁忙,请稍候再试";public static final String HYSTRIX_ERROR_MESSAGE = "请求超时,请稍候再试";public static final int SUCCESS_CODE = 200;public static final int FAIL_CODE = 500;public static final int TIMEOUT_CODE = 503;/*** 统一参数验证异常*/public static final int VALID_EX_CODE = 400;public static final int OPERATION_EX_CODE = 400;/*** 调用是否成功标识,0:成功,-1:系统繁忙,此时请开发者稍候再试 详情见[ExceptionCode]*/@ApiModelProperty(value = "响应编码:0/200-请求处理成功")private int state;/*** 调用结果*/@ApiModelProperty(value = "响应数据")private T data;/*** 结果消息,如果调用成功,消息通常为空T*/@ApiModelProperty(value = "提示消息")private String msg = "SUCCESS";/*** 附加数据*/// @ApiModelProperty(value = "附加数据")// private Map<Object, Object> extra;/*** 响应时间*/@ApiModelProperty(value = "响应时间戳")private long timestamp = System.currentTimeMillis();/*** 系统报错时,抛出的原生信息*/@ApiModelProperty(value = "异常消息")private String errorMsg = null;private Result() {this.timestamp = System.currentTimeMillis();}public Result(int code, T data, String msg) {this.state = code;this.data = data;this.msg = msg;this.timestamp = System.currentTimeMillis();}public Result(int code, T data, String msg, String errorMsg) {this(code, data, msg);this.errorMsg = errorMsg;}public Result(String message, Object data, String msg) {}public Result(String message, Object data, String message1, String errorMsg) {}public static <E> Result<E> result(int code, E data, String msg) {return new Result<>(code, data, msg);}public static <E> Result<E> result(int code, E data, String msg, String errorMsg) {return new Result<>(code, data, msg, errorMsg);}/*** 请求成功消息** @param data 结果* @return RPC调用结果*/public static <E> Result<E> success(E data) {return new Result<>(SUCCESS_CODE, data, "SUCCESS");}public static Result<Boolean> success() {return new Result<>(SUCCESS_CODE, true, "SUCCESS");}public static <E> Result<E> successDef(E data) {return new Result<>(SUCCESS_CODE, data, "SUCCESS");}public static <E> Result<E> successDef() {return new Result<>(SUCCESS_CODE, null, "SUCCESS");}public static <E> Result<E> successDef(E data, String msg) {return new Result<>(SUCCESS_CODE, data, msg);}/*** 请求成功方法 ,data返回值,msg提示信息** @param data 结果* @param msg  消息* @return RPC调用结果*/public static <E> Result<E> success(E data, String msg) {return new Result<>(SUCCESS_CODE, data, msg);}/*** 请求失败消息** @param msg* @return*/public static <E> Result<E> fail(int code, String msg) {return new Result<>(code, null, (msg == null || msg.isEmpty()) ? DEF_ERROR_MESSAGE : msg);}public static <E> Result<E> fail(int code, String msg, String errorMsg) {return new Result<>(code, null, (msg == null || msg.isEmpty()) ? DEF_ERROR_MESSAGE : msg, errorMsg);}public static <E> Result<E> fail(String msg) {return fail(OPERATION_EX_CODE, msg);}public static <E> Result<E> fail(String msg, Object... args) {String message = (msg == null || msg.isEmpty()) ? DEF_ERROR_MESSAGE : msg;return new Result<>(OPERATION_EX_CODE, null, String.format(message, args));}public static <E> Result<E> fail(Exception exception, String errorMsg) {if (exception == null) {return fail(DEF_ERROR_MESSAGE);}return new Result<>(exception.getMessage(), null, exception.getMessage(), errorMsg);}/*** 请求失败消息,根据异常类型,获取不同的提供消息** @param throwable 异常* @return RPC调用结果*/public static <E> Result<E> fail(Throwable throwable) {String msg = throwable != null ? throwable.getMessage() : DEF_ERROR_MESSAGE;return fail(FAIL_CODE, msg, msg);}public static <E> Result<E> validFail(String msg) {return new Result<>(VALID_EX_CODE, null, (msg == null || msg.isEmpty()) ? DEF_ERROR_MESSAGE : msg);}public static <E> Result<E> validFail(String msg, Object... args) {String message = (msg == null || msg.isEmpty()) ? DEF_ERROR_MESSAGE : msg;return new Result<>(VALID_EX_CODE, null, String.format(message, args));}public static <E> Result<E> validFail(Exception exceptionCode) {return new Result<>(exceptionCode.getMessage(), null,(exceptionCode.getMessage() == null || exceptionCode.getMessage().isEmpty()) ? DEF_ERROR_MESSAGE : exceptionCode.getMessage());}public static <E> Result<E> timeout() {return fail(TIMEOUT_CODE, HYSTRIX_ERROR_MESSAGE);}public Boolean getIsSuccess() {return this.state == SUCCESS_CODE || this.state == 0;}@Overridepublic String toString() {return JSON.toJSONString(this);}
}

model部分

@ApiModel("筛选条件DTO")
@Data
@NoArgsConstructor
@AllArgsConstructor
@Builder
public class FilterDTO {@ApiModelProperty("字段code")private String columnCode;@ApiModelProperty("值")private String value;@ApiModelProperty("类型-INPUT:输入框;TIME:时间选择器;TIMEAREA:时间段选择器;SELECT:下拉选择;NUMBER:数字")private String type;@ApiModelProperty("起始时间(时间、时间段专用)")private String startTime;@ApiModelProperty("结束时间(时间段专用)")private String endTime;
}
@Data
@Builder
@NoArgsConstructor
@ToString(callSuper = true)
@Accessors(chain = true)
@TableName("filter_info")
@AllArgsConstructor
public class FilterInfo {private static final long serialVersionUID = 1L;@ApiModelProperty(value = "主键")@TableId(value = "id")protected Long id;/*** 表编码*/private String tableCode;/*** 字段码*/private String columnCode;/*** 字段名称*/private String columnName;/*** 类型*/private String type;/*** 对应维度值*/private String dimClass;/*** 排序*/private Integer sort;/*** 是否必须*/private String isRequired;
}
@ApiModel("筛选条件VO")
@Data
@NoArgsConstructor
@AllArgsConstructor
@Builder
public class FilterVO {@ApiModelProperty("字段code")private String columnCode;@ApiModelProperty("字段名称")private String columnName;@ApiModelProperty("类型-INPUT:输入框;DATE:日期选择器;DATERANGE:日期段;DATETIME:时间选择器;DATETIMERANGE:时间段;SELECT:下拉选择;NUMBER:数字")private String type;@ApiModelProperty("下拉字典")private List<TupleVO> info;@ApiModelProperty("是否必须")private String isRequired;
}
@ApiModel("表头及筛选条件VO")
@Data
@NoArgsConstructor
@AllArgsConstructor
@Alias("HeaderVO")
public class HeaderVO {@ApiModelProperty("表头")private List<TupleVO> header;@ApiModelProperty("筛选条件")private List<FilterVO> filter;
}
@ApiModel("新增数据DTO")
@Data
@NoArgsConstructor
@AllArgsConstructor
@Builder
public class ReportAddDTO {@ApiModelProperty(value = "表编码", required = true)@NotBlank(message = "表编码不能为空")private String tableCode;@ApiModelProperty(value = "内容", required = true)@NotEmpty(message = "内容不能为空")private LinkedHashMap<String, String> info;}
@ApiModel("删除数据DTO")
@Data
@NoArgsConstructor
@AllArgsConstructor
@Builder
public class ReportDelDTO {@ApiModelProperty(value = "表编码", required = true)@NotBlank(message = "表编码不能为空")private String tableCode;@ApiModelProperty(value = "记录的id值", required = true)@NotEmpty(message = "id不能为空")private List<String> ids;
}
@ApiModel("修改数据DTO")
@Data
@NoArgsConstructor
@AllArgsConstructor
@Builder
public class ReportEditDTO {@ApiModelProperty(value = "表编码", required = true)@NotBlank(message = "表编码不能为空")private String tableCode;@ApiModelProperty(value = "内容", required = true)@NotEmpty(message = "内容不能为空")private LinkedHashMap<String, String> info;
}
@ApiModel("上报分页列表DTO")
@Data
@NoArgsConstructor
@AllArgsConstructor
@Builder
public class ReportListDTO {@ApiModelProperty("页码")private Integer page;@ApiModelProperty("每页数量")private Integer size;public Integer getPage() {return page == null ? 1 : page;}public Integer getSize() {return size == null ? 10 : size;}@ApiModelProperty(value = "表编码", required = true)@NotBlank(message = "表编码不能为空")private String tableCode;@ApiModelProperty("筛选项")private List<FilterDTO> filter;
}
@ApiModel("三元组VO")
@Data
@NoArgsConstructor
@AllArgsConstructor
public class TupleVO {@ApiModelProperty("X轴")private String key;@ApiModelProperty("图例")private String item;@ApiModelProperty("Y轴")private String value;
}

Controller

@Slf4j
@Api(tags = "首页模块")
@RestController
@Validated
public class MyController {@Resourceprivate MyService myService;@ApiOperationSupport(order = 1)@GetMapping("/getHeader")@ApiOperation("获取表头及筛选条件")public Result<HeaderVO> getHeader(@NotBlank(message = "表编码不能为空")@RequestParam("tableCode") String tableCode) {return Result.success(myService.getHeader(tableCode));}@ApiOperationSupport(order = 2)@PostMapping("/getData")@ApiOperation("分页获取表数据")public Result<IPage<LinkedHashMap<String, String>>> getData(@Valid @RequestBody ReportListDTO param) {return Result.success(myService.getData(param));}@ApiOperationSupport(order = 3)@PostMapping("/addOne")public Result<?> addOne(@Valid @RequestBody ReportAddDTO param) {return myService.addOne(param) ? Result.success(null, "操作成功") : Result.fail("操作失败");}@ApiOperation("修改一条数据")@ApiOperationSupport(order = 4)@PostMapping("/edit")public Result<?> edit(@Valid @RequestBody ReportEditDTO param) {return myService.edit(param) ? Result.success(null, "操作成功") : Result.fail("操作失败");}@ApiOperation("删除记录(支持批量)")@ApiOperationSupport(order = 5)@PostMapping("/del")public Result<?> del(@Valid @RequestBody ReportDelDTO param) {return myService.del(param) ? Result.success(null, "操作成功") : Result.fail("操作失败");}@ApiOperation("下载导入模板")@ApiOperationSupport(order = 6)@GetMapping("/getTemplate")public void getTemplate(@ApiParam(value = "表编码", required = true)@NotBlank(message = "表编码不能为空")@RequestParam("tableCode") String tableCode, HttpServletResponse response) {myService.getTemplate(tableCode, response);}@ApiOperation("数据导入")@ApiOperationSupport(order = 7)@PostMapping("/importData")public Result<?> importData(@ApiParam(value = "表编码", required = true)@NotBlank(message = "表编码不能为空")@RequestParam("tableCode") String tableCode,@ApiParam(value = "上传的文件", required = true)@NotNull(message = "上传文件不能为空") MultipartFile file) {return myService.importData(tableCode, file) ? Result.success(null, "导入成功") : Result.fail("导入失败");}
}

Service

public interface FilterService extends IService<FilterInfo> {}
@Slf4j
@Service
public class FilterServiceImpl extends ServiceImpl<FilterMapper, FilterInfo> implements FilterService {}
@Slf4j
@Service
public class MyService {private static final String ONLY_KEY = "only_key";@Resourceprivate MyMapper dao;@Resourceprivate FilterServiceImpl filterInfoService;public void getTemplate(String tableCode, HttpServletResponse response) {try (ExcelWriter writer = ExcelUtil.getWriter(true)) {response.setCharacterEncoding("UTF-8");List<List<String>> data = new ArrayList<>();List<String> result = dao.getTemplate(tableCode);data.add(result);// 一次性写出内容,使用默认样式,强制输出标题writer.write(data, true);ServletOutputStream out = null;response.setContentType("application/vnd.openxmlformats-officedocument.spreadsheetml.sheet;charset=utf-8");response.setHeader("Content-Disposition", "attachment;filename=" + URLEncoder.encode(tableCode, "UTF-8") + ".xlsx");out = response.getOutputStream();writer.flush(out, true);} catch (Exception e) {e.printStackTrace();}}public HeaderVO getHeader(String tableCode) {HeaderVO result = new HeaderVO();List<FilterInfo> headers = filterInfoService.list(new LambdaQueryWrapper<FilterInfo>().eq(FilterInfo::getTableCode, tableCode).orderByAsc(FilterInfo::getSort));List<TupleVO> headList = new ArrayList<>();List<FilterVO> filterList = new ArrayList<>();for (FilterInfo header : headers) {//存放表头信息headList.add(new TupleVO(header.getColumnCode(), header.getIsRequired(), header.getColumnName()));//获取特殊组件字典信息List<TupleVO> dimList = new ArrayList<>();if (header.getType().equals("select")) {dimList = dao.getDimList(header.getDimClass());}filterList.add(FilterVO.builder().columnCode(header.getColumnCode()).columnName(header.getColumnName()).type(header.getType()).isRequired(header.getIsRequired()).info(dimList).build());}result.setHeader(headList);result.setFilter(filterList);return result;}public IPage<LinkedHashMap<String, String>> getData(ReportListDTO param) {return dao.getData(new Page<>(param.getPage(), param.getSize()), param);}public boolean addOne(ReportAddDTO param) {Assert.isTrue(!param.getInfo().isEmpty(), "参数列表不能为空");Assert.isTrue(param.getInfo().containsKey(ONLY_KEY), "主键不存在");param.getInfo().put(ONLY_KEY, IdUtil.simpleUUID());return dao.addOne(param);}@Transactional(rollbackFor = Exception.class)public boolean edit(ReportEditDTO param) {Assert.isTrue(!param.getInfo().isEmpty(), "参数列表不能为空");Assert.isTrue(param.getInfo().containsKey(ONLY_KEY), "主键不存在");String id = param.getInfo().get(ONLY_KEY);param.getInfo().remove(ONLY_KEY);return dao.edit(id, param);}@Transactional(rollbackFor = Exception.class)public boolean del(ReportDelDTO param) {return dao.del(param);}public boolean importData(String tableCode, MultipartFile file) {try {ExcelReader reader = ExcelUtil.getReader(file.getInputStream());List<List<Object>> list = reader.read();int index = -1;for (int k = 0; k < list.get(0).size(); k++) {if (ONLY_KEY.equals(list.get(0).get(k))) {index = k;break;}}Assert.isTrue(index >= 0, "缺少主键");//去掉标题行list.remove(0);for (int i = 0; i < list.size(); i++) {for (int j = 0; j < list.get(i).size(); j++) {if (j == index) {list.get(i).set(j, IdUtil.simpleUUID());break;}}}dao.importData(tableCode, list);} catch (Exception e) {log.info(e.getMessage());return false;}return true;}
}

Mapper

@Mapper
public interface FilterMapper extends BaseMapper<FilterInfo> {}
@Mapper
public interface MyMapper {List<String> getTemplate(@Param("tableCode") String tableCode);List<TupleVO> getDimList(@Param("dimClass") String dimClass);IPage<LinkedHashMap<String, String>> getData(Page<LinkedHashMap<String, String>> objectPage, @Param("param") ReportListDTO param);boolean addOne(@Param("param") ReportAddDTO param);void importData(@Param("tableCode") String tableCode, @Param("list") List<List<Object>> list);boolean edit(@Param("id") String id, @Param("param") ReportEditDTO param);boolean del(@Param("param") ReportDelDTO param);}

Mapper的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.chashugu.lowcodecrud.MyMapper"><select id="getTemplate" resultType="java.lang.String">select column_nameFROM information_schema.columnsWHERE table_schema = 'xxxx'AND table_name = #{tableCode}</select><select id="getDimList" resultType="com.chashugu.lowcodecrud.model.TupleVO">select sys_code `key`, sys_name 'value'from meta_info_mappingwhere sys_dim_class = #{dimClass}order by cast(sys_code as signed)</select><select id="getData" resultType="java.util.LinkedHashMap">select t1.*from ${param.tableCode} t1<where><if test="param.filter != null"><foreach collection="param.filter" item="item" separator=" "><choose><when test="item.columnCode == 'push_flag'"></when><when test="item.columnCode == 'approval_flag'"></when><otherwise><choose><when test="item.type == 'DATE'"><if test="item.startTime != null">and date(t1.${item.columnCode}) = date(#{item.startTime})</if></when><when test="item.type == 'DATERANGE'"><if test="item.startTime != null and item.endTime != null">and date(t1.${item.columnCode}) between date(#{item.startTime}) anddate(#{item.endTime})</if></when><when test="item.type == 'DATETIME'"><if test="item.startTime != null">and str_to_date(t1.${item.columnCode},'%Y%m%d %H%i%s') =timestamp(#{item.startTime})</if></when><when test="item.type == 'DATETIMERANGE'"><if test="item.startTime != null and item.endTime != null">and str_to_date(t1.${item.columnCode},'%Y%m%d %H%i%s') betweentimestamp(#{item.startTime}) and timestamp(#{item.endTime})</if></when><otherwise><if test="item.value != null and item.value != ''">and t1.${item.columnCode}=#{item.value}</if></otherwise></choose></otherwise></choose></foreach></if></where></select><insert id="addOne">insert into ${param.tableCode}(<foreach collection="param.info" index="col" separator=",">${col}</foreach>)values(<foreach collection="param.info" item="value" separator=",">#{value}</foreach>)</insert><update id="edit">update ${param.tableCode}set<foreach collection="param.info" index="key" item="value" separator=",">${key}=#{value}</foreach>where only_key=#{id}</update><delete id="del">delete from ${param.tableCode}where only_key in<foreach collection="param.ids" open="(" close=")" item="item" separator=",">#{item}</foreach></delete><insert id="importData">insert into ${tableCode}values<foreach collection="list" item="item" separator=",">(<foreach collection="item" item="data" separator=",">#{data}</foreach>)</foreach></insert>
</mapper>

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

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

相关文章

Applied Spatial Statistics(五)线性回归 I

Applied Spatial Statistics&#xff08;五&#xff09;线性回归 I 该笔记本演示了&#xff1a; 线性回归系数估计在假设下是无偏的如何围绕系数估计构建 bootstrap 置信区间残差图Q-Q图 1. 线性回归系数估计在假设下是无偏的 import numpy as np import matplotlib.pyplot…

C# 集合(五) —— Dictionary类

总目录 C# 语法总目录 集合五 Dictionary 1. Dictionary 1. Dictionary 字典是键值对集合&#xff0c;通过键值对来查找 Dictionary和Hashtable的区别是Dictionary可以用泛型&#xff0c;而HashTable不能用泛型 OrderedDictionary 是按照添加元素时的顺序的字典&#xff0c;是…

5分钟速通大语言模型(LLM)的发展与基础知识

✍️ 作者&#xff1a;哈哥撩编程&#xff08;视频号同名&#xff09; 博客专家全国博客之星第四名超级个体COC上海社区主理人特约讲师谷歌亚马逊演讲嘉宾科技博主极星会首批签约作者 &#x1f3c6; 推荐专栏&#xff1a; &#x1f3c5; 程序员&#xff1a;职场关键角色通识宝…

N5183B是德科技n5183b信号源

181/2461/8938产品概述&#xff1a; 简  述&#xff1a; N5183B 频率范围&#xff1a;9 kHz 至 20 GHz&#xff0c;具有 AM、FM、相位调制功能。N5183B MXG X 系列微波模拟信号发生器拥有 9 kHz 至 40 GHz 的频率覆盖范围&#xff0c;以及接近 PSG 级别的相位噪声性能&…

3588 pwm android12 的操作

问题&#xff1a; 客户需要在android12 的界面上操作板卡上的 PWM 蜂鸣器设备。 过程&#xff1a; 1 了解一下 3588 android12 源码的 关于PWM 的驱动。 设备树找不到 pwm 但是&#xff0c; 还不知道&#xff0c;android12 最终包含的 设备树是哪个&#xff0c;但是经过我的…

ctfshow SSRF 351-358

做题前,需要先学习关于ssrf漏洞的相关知识 小注意: 当使用 file_get_contents() 函数访问远程 URL 时&#xff0c;它会尝试获取该 URL 指向的资源的内容&#xff0c;并将内容以字符串的形式返回。 如果 b.php 文件是一个 PHP 文件&#xff0c;它包含的内容取决于该 PHP 文件…

素数伴侣最大组合数

若两个正数之和为素数&#xff0c;则这两个数称之为“素数伴侣”。利用此特性找出给定数组中最大的“素数伴侣”对数。 (笔记模板由python脚本于2024年05月11日 18:17:40创建&#xff0c;本篇笔记适合熟悉基本编程且了解素数的coder翻阅) 【学习的细节是欢悦的历程】 Python 官…

阿里云ECS服务器实例挂载数据盘步骤(磁盘自动挂载.、访问挂载点)

阿里云ECS服务器实例挂载数据盘步骤 相关指令 df -h 查看磁盘空间 du -sh * 查看使用内存大小1.磁盘自动挂载 首先登录阿里云ECS服务器&#xff0c;通过 df -h 命令查看当前磁盘挂载情况 通过 fdisk -l 命令查看磁盘情况&#xff0c;可以发现有两个盘&#xff1a; 系统盘 …

绍兴ISO27001认证:信息安全认证的金钥匙

&#x1f308;&#x1f308;绍兴ISO27001认证&#xff1a;✌️信息安全认证的金钥匙&#x1f511; &#x1f498;随着信息技术的飞速发展&#xff0c;&#x1f481;信息安全问题日益凸显。&#x1f510;为了提升信息安全管理水平&#xff0c;&#x1f46e;保障企业数据资产安全…

2024OD机试卷-绘图机器 (java\python\c++)

题目:绘图机器 题目描述 绘图机器的绘图笔初始位置在原点(0,0)机器启动后按照以下规则来进行绘制直线。 尝试沿着横线坐标正向绘制直线直到给定的终点E期间可以通过指令在纵 坐标轴 方向进行偏移,offsetY为正数表示正向偏移,为负数表示负向偏移 给定的横坐标终点值E 以及若…

python使用elasticserch进行混合搜索构建知识库

python使用elasticserch进行混合搜索 基于python使用elasticserch安装elasticsearch连接elasticsearch创建索引写入数据搜索数据关键字搜索KNN搜索向量搜索混合搜索 基于python使用elasticserch 安装elasticsearch pip install elasticsearch连接elasticsearch es_username …

神经网络复习--神经网络算法模型及BP算法

文章目录 神经网络模型的构成BP神经网络 神经网络模型的构成 三种表示方式&#xff1a; 神经网络的三要素&#xff1a; 具有突触或连接&#xff0c;用权重表示神经元的连接强度具有时空整合功能的输入信号累加器激励函数用于限制神经网络的输出 感知神经网络 BP神经网络 …

解释Java中的泛型通配符和泛型方法

泛型通配符&#xff08;Wildcard&#xff09; Java 中的泛型通配符 ? 使用在泛型类型的声明中&#xff0c;表示未知的类型参数。通配符通常用在参数、字段、局部变量或者返回类型上&#xff0c;为泛型带来了更高的灵活性。泛型通配符主要分为三种形式&#xff1a; 无界通配符…

GO: json 处理

需要引入"encoding/json"包 json解析到map jsonStr : "{\"a\":\"test\",\"b\":\"testb\"}" var dat map[string]string err : json.Unmarshal([]byte(jsonStr), &dat) if err nil {fmt.Println(dat) }结果…

内容检索(2024.05.12)

随着创作数量的增加&#xff0c;博客文章所涉及的内容越来越庞杂&#xff0c;为了更为方便地阅读&#xff0c;后续更新发布的文章将陆续在此汇总并附上原文链接&#xff0c;感兴趣的小伙伴们可持续关注文章发布动态&#xff01; 本期更新内容&#xff1a; 1. 信号仿真类话题-…

webpack5基础和配置

初步体验webpack打包 webpack是一个静态资源打包工具。 它会以一个或多个文件作为打包的入口&#xff0c;将我们整个项目所有文件编译组合成一个或多个文件输出出去。 输出的文件就是编译好的文件&#xff0c;就可以在浏览器段运行了。 1.初始化最简单的一个目录文件&#xff…

JavaSE——集合框架一(1/7)-集合体系概述(集合体系结构,Collection集合体系)、Collection的常用方法(介绍,实例演示,代码)

目录 集合体系概述 集合体系结构 Collection集合体系 Collection的常用方法 介绍 实例演示 完整代码 集合体系概述 集合体系结构 集合是一种容器&#xff0c;用来装数据的&#xff0c;类似于数组&#xff0c;但集合的大小可变&#xff0c;开发中也非常常用。 为了满足…

element-ui 中 如何在el-upload的移除文件列表事件 on-remove 中调用后端进行数据库的删除。

问题描述&#xff1a; 刚开始的时候我设置的是实时上传&#xff1a; auto-upload"true", :http-request"uploadResource"绑定的这个方法就去后端进行实时上传附件了&#xff0c;这个时候就已经保存到数据库。 那么问题来了&#xff1a; :on-remove"…

flask+layui显示监控视频

1、flask简介 flask是python中的一个轻量级web框架。 2、layui简介 Layui 是一套开源免费的 Web UI 组件库&#xff0c;采用自身轻量级模块化规范&#xff0c;遵循原生态的 HTML/CSS/JavaScript 开发模式&#xff0c;非常适合网页界面的快速构建。Layui 区别于一众主流的前端…

# ERROR: node with name “rabbit“ already running on “MS-ITALIJUXHAMJ“ 解决方案

ERROR: node with name “rabbit” already running on “MS-ITALIJUXHAMJ” 解决方案 一、问题描述&#xff1a; 1、启动 rabbitmq-server.bat 服务时&#xff0c;出错 Error 2、查询 rabbitmqctl status 状态时&#xff0c;出错 Error 3、停止 rabbitmqctl stop 服务时&a…