mybatisJava对象、list和json转换

1. 参考mybatis-plus

mybatis Java对象、list和json转换 网上好多不靠谱,参考mybatis-plus中@TableField,mybatis中自定义实现
这样不需要对象中属性字符串接收,保存到表中,都是转义字符,使用时还要手动转换为对象或者List
使用时直接添加注解,比较方便//对象,也可以JSONObject@TableOperateField(typeHandler = JacksonTypeHandler.class)private SysWarnNotesysWarnNote;//List,泛型也可以是Object,,这样比较随便了@TableOperateField(typeHandler = JacksonListTypeHandler.class)private List<SysWarnNote> sysWarnNote;

2. 仿照mybatis-plus自定义注解TableOperateField

package com.yl.cache.annotation;import org.apache.ibatis.type.TypeHandler;
import org.apache.ibatis.type.UnknownTypeHandler;import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;/*** TableOperateField注解,用于mybatis insert或者update表时自动给字段赋值* <p>使用方法*  <pre>*  @TableOperateField(value=TableOperateField.OperateType.Insert)*   private Date createTime;*  </pre>** @author liuxubo* @date 2023/7/23 14:39*/
@Retention(RetentionPolicy.RUNTIME)
@Target({ElementType.FIELD})
public @interface TableOperateField {/*** 操作字段类型** @return*/OperateType value() default OperateType.None;/*** 类型处理器 (该默认值不代表会按照该值生效)* @return*/Class<? extends TypeHandler> typeHandler() default UnknownTypeHandler.class;/*** 操作sql类型*/public enum OperateType {None,Insert,Delete,Update,Select,InsertOrUpdate,;}}

3. 新增、修改日期自动填充

新增、修改时,创建时间和修改时间,手动填充不优雅,使用数据库默认值时间会和系统时间不一致情况 ,这里模仿mybatis-plus实现

package com.yl.cache.interceptor;import com.yl.cache.annotation.TableOperateField;
import com.yl.cache.annotation.TableOperateField.OperateType;
import lombok.extern.slf4j.Slf4j;
import org.apache.commons.lang3.ArrayUtils;
import org.apache.ibatis.mapping.MappedStatement;
import org.apache.ibatis.mapping.SqlCommandType;
import org.apache.ibatis.plugin.Interceptor;
import org.apache.ibatis.plugin.Intercepts;
import org.apache.ibatis.plugin.Invocation;
import org.apache.ibatis.plugin.Plugin;
import org.apache.ibatis.plugin.Signature;
import org.springframework.stereotype.Component;import java.lang.reflect.Field;
import java.time.LocalDate;
import java.time.LocalDateTime;
import java.util.Date;
import java.util.Properties;/*** 表字段自动填充值拦截类** @author liuxubo* @date 2023/7/23 14:56*/
@Slf4j
@Component //使用 mybatis-spring-boot-starter 会自动注入 识别 mybatis的Interceptor 接口实现类
@Intercepts({@Signature(type = org.apache.ibatis.executor.Executor.class, method = "update", args = {MappedStatement.class, Object.class})})
public class TableOperateInterceptor implements Interceptor {@Overridepublic Object intercept(Invocation invocation) throws Throwable {MappedStatement mappedStatement = (MappedStatement) invocation.getArgs()[0];// 获取 SQL 命令SqlCommandType sqlCommandType = mappedStatement.getSqlCommandType();
//        log.info("{}", sqlCommandType);// 获取参数Object parameter = invocation.getArgs()[1];// 获取私有成员变量Field[] declaredFields = parameter.getClass().getDeclaredFields();if (parameter.getClass().getSuperclass() != null) {Field[] superField = parameter.getClass().getSuperclass().getDeclaredFields();declaredFields = ArrayUtils.addAll(declaredFields, superField);}for (Field field : declaredFields) {TableOperateField tableOperateField = field.getAnnotation(TableOperateField.class);if (tableOperateField == null) {continue;}// insertif (tableOperateField.value().equals(TableOperateField.OperateType.Insert) || tableOperateField.value().equals(OperateType.InsertOrUpdate)) {if (SqlCommandType.INSERT.equals(sqlCommandType)) {setFieldDateValue(parameter, field);}}// updateif (tableOperateField.value().equals(TableOperateField.OperateType.Update) || tableOperateField.value().equals(TableOperateField.OperateType.InsertOrUpdate)) {if (SqlCommandType.UPDATE.equals(sqlCommandType)) {field.setAccessible(true);setFieldDateValue(parameter, field);}}}return invocation.proceed();}/*** 设置时间值** @param parameter bean对象* @param field     field对象* @throws IllegalAccessException*/private static void setFieldDateValue(Object parameter, Field field) throws IllegalAccessException {field.setAccessible(true);if (field.getType().equals(LocalDateTime.class)) {field.set(parameter, LocalDateTime.now());} else if (field.getType().equals(LocalDate.class)) {field.set(parameter, LocalDate.now());} else {field.set(parameter, new Date());}}/*** 生成MyBatis拦截器代理对象*/@Overridepublic Object plugin(Object target) {if (target instanceof org.apache.ibatis.executor.Executor) {return Plugin.wrap(target, this);}return target;}/*** 设置插件属性(直接通过Spring的方式获取属性,所以这个方法一般也用不到)* 项目启动的时候数据就会被加载*/@Overridepublic void setProperties(Properties properties) {}
}

4. 测试新增、修改日期自动填充

@Data
public class User {/*** 创建时间*/@TableOperateField(value = TableOperateField.OperateType.Insert)private LocalDateTime createTime;/*** 更新时间*/@TableOperateField(value = OperateType.InsertOrUpdate)private LocalDateTime updateTime;
}

5. Java实体类、List和表中json转换处理器

package com.yl.cache.handler;import org.apache.commons.lang3.StringUtils;
import org.apache.ibatis.type.BaseTypeHandler;
import org.apache.ibatis.type.JdbcType;import java.sql.CallableStatement;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;/*** mybatis-plus 内置 AbstractJsonTypeHandler** @author liuxubo* @date 2023/8/1 0:08*/
public abstract class AbstractJsonTypeHandler<T> extends BaseTypeHandler<T> {@Overridepublic void setNonNullParameter(PreparedStatement ps, int i, T parameter, JdbcType jdbcType) throws SQLException {ps.setString(i, toJson(parameter));}@Overridepublic T getNullableResult(ResultSet rs, String columnName) throws SQLException {final String json = rs.getString(columnName);return StringUtils.isBlank(json) ? null : parse(json);}@Overridepublic T getNullableResult(ResultSet rs, int columnIndex) throws SQLException {final String json = rs.getString(columnIndex);return StringUtils.isBlank(json) ? null : parse(json);}@Overridepublic T getNullableResult(CallableStatement cs, int columnIndex) throws SQLException {final String json = cs.getString(columnIndex);return StringUtils.isBlank(json) ? null : parse(json);}/*** 将表中字段值为json字符串解析为Java对象** @param json 表中字段值为json字符串* @return:T*/protected abstract T parse(String json);/*** 将Java对象序列化为json字符串保存到表中** @param obj Java对象* @return:java.lang.String*/protected abstract String toJson(T obj);
}
package com.yl.cache.handler;import com.fasterxml.jackson.core.JsonProcessingException;
import com.fasterxml.jackson.databind.ObjectMapper;
import com.yl.cache.annotation.TableOperateField;
import lombok.extern.slf4j.Slf4j;
import org.apache.ibatis.type.JdbcType;
import org.apache.ibatis.type.MappedJdbcTypes;
import org.apache.ibatis.type.MappedTypes;import java.io.IOException;
import java.lang.reflect.Field;
import java.lang.reflect.Type;
import java.util.Arrays;
import java.util.Collections;
import java.util.List;
import java.util.Objects;
import java.util.stream.Collectors;/*** Jackson 实现 JSON 字段类型处理器* <p> List、Map、自定义对象,转换为json字符串存储到数据库,查询出来的时候自动转换为相应的对象** @author hubin* @since 2019-08-25*/
@Slf4j
@MappedTypes({Object.class})
@MappedJdbcTypes({JdbcType.VARCHAR, JdbcType.CHAR, JdbcType.NCHAR, JdbcType.LONGVARCHAR})
public class JacksonTypeHandler extends AbstractJsonTypeHandler<Object> {private static ObjectMapper OBJECT_MAPPER;private final Class<?> type;/*** 构造函数** @param type 指定类型* @date:2023/7/31 17:52*/public JacksonTypeHandler(Class<?> type) {if (log.isTraceEnabled()) {log.trace("JacksonTypeHandler(" + type + ")");}Objects.requireNonNull(type, "Type argument cannot be null");this.type = type;}@Overrideprotected Object parse(String json) {try {return getObjectMapper().readValue(json, type);} catch (IOException e) {throw new RuntimeException(e);}}@Overrideprotected String toJson(Object obj) {try {return getObjectMapper().writeValueAsString(obj);} catch (JsonProcessingException e) {throw new RuntimeException(e);}}public static ObjectMapper getObjectMapper() {if (null == OBJECT_MAPPER) {OBJECT_MAPPER = new ObjectMapper();}return OBJECT_MAPPER;}public static void setObjectMapper(ObjectMapper objectMapper) {Objects.requireNonNull(objectMapper, "ObjectMapper should not be null");JacksonTypeHandler.OBJECT_MAPPER = objectMapper;}/*** 查找实体类中含有注解 @TableOperateField(typeHandler = JacksonTypeHandler.class) 的字段** @param clazz class* @return 实体类中含有注解 @TableOperateField(typeHandler = JacksonTypeHandler.class) 的字段列表*/public static List<Type> findJsonValueFieldName(Class<?> clazz) {if (clazz != null) {return Arrays.stream(clazz.getDeclaredFields()).filter(field -> field.isAnnotationPresent(TableOperateField.class)&& JacksonTypeHandler.class.isAssignableFrom(field.getAnnotation(TableOperateField.class).typeHandler())).map(Field::getGenericType).collect(Collectors.toList());}return Collections.EMPTY_LIST;}}package com.yl.cache.handler;import com.fasterxml.jackson.core.JsonProcessingException;
import com.fasterxml.jackson.databind.ObjectMapper;
import com.yl.cache.annotation.TableOperateField;
import lombok.extern.slf4j.Slf4j;
import org.apache.ibatis.type.JdbcType;
import org.apache.ibatis.type.MappedJdbcTypes;
import org.apache.ibatis.type.MappedTypes;import java.io.IOException;
import java.lang.reflect.Field;
import java.lang.reflect.Type;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.List;
import java.util.Objects;
import java.util.stream.Collectors;/*** Jackson 实现 JSON 字段类型处理器* <p> List、Map、自定义对象,转换为json字符串存储到数据库,查询出来的时候自动转换为相应的对象** @author hubin* @since 2019-08-25*/
@Slf4j
@MappedTypes({List.class})
@MappedJdbcTypes({JdbcType.VARCHAR, JdbcType.CHAR, JdbcType.NCHAR, JdbcType.LONGVARCHAR})
public class JacksonListTypeHandler extends AbstractJsonTypeHandler<List<Object>> {private static ObjectMapper OBJECT_MAPPER;private final Class<?> type;/*** 构造函数** @param type 指定类型* @date:2023/7/31 17:52*/public JacksonListTypeHandler(Class<?> type) {if (log.isTraceEnabled()) {log.trace("JacksonTypeHandler(" + type + ")");}Objects.requireNonNull(type, "Type argument cannot be null");this.type = type;}@Overrideprotected List<Object> parse(String json) {try {return getObjectMapper().readValue(json, List.class);} catch (IOException e) {throw new RuntimeException(e);}}@Overrideprotected String toJson(List<Object> obj) {try {return getObjectMapper().writeValueAsString(obj);} catch (JsonProcessingException e) {throw new RuntimeException(e);}}public static ObjectMapper getObjectMapper() {if (null == OBJECT_MAPPER) {OBJECT_MAPPER = new ObjectMapper();}return OBJECT_MAPPER;}public static void setObjectMapper(ObjectMapper objectMapper) {Objects.requireNonNull(objectMapper, "ObjectMapper should not be null");JacksonListTypeHandler.OBJECT_MAPPER = objectMapper;}/*** 查找实体类中含有注解 @TableOperateField(typeHandler = JacksonTypeHandler.class) 的字段** @param clazz class* @return 实体类中含有注解 @TableOperateField(typeHandler = JacksonTypeHandler.class) 的字段列表*/public static List<Type> findJsonValueFieldName(Class<?> clazz) {if (clazz != null) {return Arrays.stream(clazz.getDeclaredFields()).filter(field -> field.isAnnotationPresent(TableOperateField.class)&& JacksonListTypeHandler.class.isAssignableFrom(field.getAnnotation(TableOperateField.class).typeHandler())).map(Field::getGenericType).collect(Collectors.toList());}return Collections.EMPTY_LIST;}}
package com.yl.cache.handler;import com.alibaba.fastjson.JSON;
import com.alibaba.fastjson.serializer.SerializerFeature;
import com.yl.cache.annotation.TableOperateField;
import lombok.extern.slf4j.Slf4j;
import org.apache.ibatis.type.JdbcType;
import org.apache.ibatis.type.MappedJdbcTypes;
import org.apache.ibatis.type.MappedTypes;import java.lang.reflect.Field;
import java.lang.reflect.Type;
import java.util.Arrays;
import java.util.Collections;
import java.util.List;
import java.util.Objects;
import java.util.stream.Collectors;/*** Fastjson 实现 JSON 字段类型处理器** @author hubin* @since 2019-08-25*/
@Slf4j
@MappedTypes({Object.class})
@MappedJdbcTypes({JdbcType.VARCHAR, JdbcType.CHAR, JdbcType.NCHAR, JdbcType.LONGVARCHAR})
public class FastjsonTypeHandler extends AbstractJsonTypeHandler<Object> {private final Class<?> type;public FastjsonTypeHandler(Class<?> type) {if (log.isTraceEnabled()) {log.trace("FastjsonTypeHandler(" + type + ")");}Objects.requireNonNull(type, "Type argument cannot be null");this.type = type;}@Overrideprotected Object parse(String json) {return JSON.parseObject(json, type);}@Overrideprotected String toJson(Object obj) {return JSON.toJSONString(obj, SerializerFeature.WriteMapNullValue,SerializerFeature.WriteNullListAsEmpty, SerializerFeature.WriteNullStringAsEmpty);}/*** 查找实体类中含有注解 @TableOperateField(typeHandler = FastjsonTypeHandler.class) 的字段** @param clazz class* @return EnumValue字段*/public static List<Type> findJsonValueFieldName(Class<?> clazz) {if (clazz != null) {return Arrays.stream(clazz.getDeclaredFields()).filter(field -> field.isAnnotationPresent(TableOperateField.class)&& FastjsonTypeHandler.class.isAssignableFrom(field.getAnnotation(TableOperateField.class).typeHandler())).map(Field::getGenericType).collect(Collectors.toList());}return Collections.EMPTY_LIST;}
}

6. 注册处理类

自定义配置扫描包type-json-package,指定扫描范围

mybatis:mapper-locations: classpath:mappers/*.xmltype-aliases-package: com.yl.cache.entityconfiguration:map-underscore-to-camel-case: truetype-json-package: com.yl.cache.entity

配置类

package com.yl.cache.config;import com.yl.cache.handler.FastjsonTypeHandler;
import com.yl.cache.handler.JacksonListTypeHandler;
import com.yl.cache.handler.JacksonTypeHandler;
import lombok.extern.slf4j.Slf4j;
import org.apache.ibatis.io.Resources;
import org.apache.ibatis.session.Configuration;
import org.apache.ibatis.type.JdbcType;
import org.apache.ibatis.type.TypeHandlerRegistry;
import org.mybatis.spring.boot.autoconfigure.ConfigurationCustomizer;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.ConfigurableApplicationContext;
import org.springframework.core.io.Resource;
import org.springframework.core.io.support.PathMatchingResourcePatternResolver;
import org.springframework.core.io.support.ResourcePatternResolver;
import org.springframework.core.type.ClassMetadata;
import org.springframework.core.type.classreading.CachingMetadataReaderFactory;
import org.springframework.core.type.classreading.MetadataReaderFactory;
import org.springframework.util.ClassUtils;
import org.springframework.util.StringUtils;
import sun.reflect.generics.reflectiveObjects.ParameterizedTypeImpl;import java.io.IOException;
import java.lang.reflect.Type;
import java.util.Collection;
import java.util.HashSet;
import java.util.Set;
import java.util.stream.Collectors;/*** MyBatis配置自定义 typeHandler 推荐实现ConfigurationCustomizer接口配置方式** @author liuxb* @date 2021/12/19 18:17*/
@Slf4j
@org.springframework.context.annotation.Configuration
public class CommonMyBatisConfig implements ConfigurationCustomizer {private static final ResourcePatternResolver RESOURCE_PATTERN_RESOLVER = new PathMatchingResourcePatternResolver();private static final MetadataReaderFactory METADATA_READER_FACTORY = new CachingMetadataReaderFactory();@Value("${mybatis.type-json-package:}")private String typeJsonPackage;@Overridepublic void customize(Configuration configuration) {// 设置null也返回configuration.setCallSettersOnNulls(true);// 设置一行都为null也返回configuration.setReturnInstanceForEmptyRow(true);configuration.setJdbcTypeForNull(JdbcType.NULL);TypeHandlerRegistry typeHandlerRegistry = configuration.getTypeHandlerRegistry();//如果给定扫描json类包,注册类名为属性含有 @TableOperateField(typeHandler = JacksonTypeHandler.class)的实体类if (StringUtils.hasLength(typeJsonPackage)) {Set<Class<?>> classes = scanClasses(typeJsonPackage, null);if (classes.isEmpty()) {log.warn("Can't find class in '[" + typeJsonPackage + "]' package. Please check your configuration.");return;}Set<Type> jacksonTypes = classes.stream().map(cls -> JacksonTypeHandler.findJsonValueFieldName(cls)).flatMap(types -> types.stream()).collect(Collectors.toSet());registerTypeHandler(typeHandlerRegistry, jacksonTypes, JacksonTypeHandler.class);Set<Type> fastJsonTypes = classes.stream().map(cls -> FastjsonTypeHandler.findJsonValueFieldName(cls)).flatMap(types -> types.stream()).collect(Collectors.toSet());registerTypeHandler(typeHandlerRegistry, fastJsonTypes, FastjsonTypeHandler.class);Set<Type> jacksonListTypes = classes.stream().map(cls -> JacksonListTypeHandler.findJsonValueFieldName(cls)).flatMap(types -> types.stream()).collect(Collectors.toSet());registerTypeHandler(typeHandlerRegistry, jacksonListTypes, JacksonListTypeHandler.class);}}/*** 注册自定义类型处理器** @param typeHandlerRegistry* @param types 类型*/private void registerTypeHandler(TypeHandlerRegistry typeHandlerRegistry, Set<Type> types, Class typeHandlerClass) {if (!types.isEmpty()) {log.info("mybatis register json type handler {}", types);types.forEach(type -> {//集合类String typeName = type.getTypeName();if(typeName.contains("java.util.List<") && typeName.endsWith(">")){Class<?> rawType = ((ParameterizedTypeImpl) type).getRawType();typeHandlerRegistry.register(rawType, typeHandlerClass);}else{//实体类Class<?> clazz = (Class<?>) type;if (org.apache.commons.lang3.ClassUtils.isPrimitiveOrWrapper(clazz) || String.class.equals(clazz)) {throw new RuntimeException("请检查@TableOperateField(typeHandler = JacksonTypeHandler.class)标记的属性类型");}typeHandlerRegistry.register(clazz, typeHandlerClass);}});}}/*** 根据包路径和指定类的子类,获取当前包和子包下的全部类** @param packagePatterns 指定包* @param assignableType  父类* @return*/private Set<Class<?>> scanClasses(String packagePatterns, Class<?> assignableType) {Set<Class<?>> classes = new HashSet<>();try {String[] packagePatternArray = StringUtils.tokenizeToStringArray(packagePatterns, ConfigurableApplicationContext.CONFIG_LOCATION_DELIMITERS);for (String packagePattern : packagePatternArray) {Resource[] resources = RESOURCE_PATTERN_RESOLVER.getResources(ResourcePatternResolver.CLASSPATH_ALL_URL_PREFIX+ ClassUtils.convertClassNameToResourcePath(packagePattern) + "/**/*.class");for (Resource resource : resources) {try {ClassMetadata classMetadata = METADATA_READER_FACTORY.getMetadataReader(resource).getClassMetadata();Class<?> clazz = Resources.classForName(classMetadata.getClassName());if (assignableType == null || assignableType.isAssignableFrom(clazz)) {classes.add(clazz);}} catch (Throwable e) {log.warn("Cannot load the '" + resource + "'. Cause by " + e.toString());}}}} catch (IOException e) {log.warn("scan " + packagePatterns + ", io error");}return classes;}}

7. 测试 保证增删改查接口都能正常

CREATE TABLE `user` (`id` int NOT NULL AUTO_INCREMENT COMMENT '主键id(自增)',`sys_warn_note` varchar(100) DEFAULT NULL COMMENT '系统告警信息',`create_time` datetime NOT NULL,`update_time` datetime NOT NULL COMMENT '更新时间',PRIMARY KEY (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='测试用户表'上送json字符串,JSONObject 接收,表字段为varchar,text,json类型都可以,使用mysql8
http://localhost:8080/jobWarnMessage/add
{"code": "006","sysWarnNote": {"address": "北京大雨了"}}
@Data
public class User{@TableOperateField(typeHandler = JacksonTypeHandler.class)private JSONObject sysWarnNote;
}

在这里插入图片描述
也可以为List

@Data
public class SysWarnNote {private String name;private String content;
}
@Data
public class User{@TableOperateField(typeHandler = JacksonListTypeHandler.class)private List<SysWarnNote> sysWarnNote;
}

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

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

相关文章

【Opencv入门到项目实战】(四):图像梯度计算|Sobel算子|Scharr算子|Laplacian算子

文章目录 0.引言1. Sobel算子2. Scharr算子3. Laplacian算子 0.引言 在图像处理中&#xff0c;梯度是指图像中像素灰度变化的速率或幅度&#xff0c;我们先来看下面这张图 假设我们想要计算出A点的梯度&#xff0c;我们可以发现A点位于边缘点&#xff0c;A点左边为黑色&#x…

骨传导耳机真不伤耳吗?骨传导耳机有什么好处?

骨传导耳机真不伤耳吗&#xff1f;骨传导耳机有什么好处&#xff1f; 我先来说说骨传导耳机的工作原理吧&#xff0c;骨传导是一种传声方式&#xff0c;声波通过颅骨、颌骨等头部骨头的振动&#xff0c;将声音传到内耳。其实骨传导的现象我们很常见&#xff0c;就像我们平时嗑瓜…

Qt5.13引入QtWebApp的模块后报错: error C2440: “reinterpret_cast”: 无法从“int”转换为“quintptr”

1、开发环境 Win10-64 qt5.13 msvc2015-64bit-release 2、报错 新建一个demo工程。 引入QtWebApp的httpserver、logging、templateengine三个模块后。 直接运行&#xff0c;&#xff0c;此时报错如下&#xff1a; E:\Qt5.13.1\install\5.13.1\msvc2015_64\include\QtCore…

测试工程师的工作

目录 1.何为软件测试工程师&#xff1f; 2.软件测试工程师的职责&#xff1f; 3.为什么要做软件测试&#xff1f; 4.软件测试的前途如何&#xff1f; 5.工具和思维谁更重要&#xff1f; 6.测试和开发相差大吗&#xff1f; 7.成为测试工程师的必备条件 8.测试的分类有哪…

【chrome扩展开发】vue-i18n使用问题及解决方案

记录chrome扩展开发时调用vue-i18n的一些问题和解决方法 环境 vue: ^3.3.4vue-i18n: ^9.2.2vite: ^4.4.8 错误1 Uncaught (in promise) EvalError: Refused to evaluate a string as JavaScript because unsafe-eval is not an allowed source of script in the following Con…

阿里云平台注册及基础使用

首先进入阿里云官网&#xff1a; 阿里云-计算&#xff0c;为了无法计算的价值 点击右上角“登录/注册”&#xff0c;如果没有阿里云账号则需要注册。 注册界面&#xff1a; 注册完成后需要开通物联网平台公共实例&#xff1a; 注册成功后的登录&#xff1a; 同样点击右上角的…

python与深度学习(十四):CNN和IKUN模型二

目录 1. 说明2. IKUN模型的CNN模型测试2.1 导入相关库2.2 加载模型2.3 设置保存图片的路径2.4 加载图片2.5 图片预处理2.6 对图片进行预测2.7 显示图片 3. 完整代码和显示结果4. 多张图片进行测试的完整代码以及结果 1. 说明 本篇文章是对上篇文章IKUN模型训练的模型进行测试。…

el-select控制单选还是多选

<el-form :inline"true" :model"form" class"demo-form-inline"><el-form-item><el-select v-model"form.properties_id" placeholder"请选择样品性质" clearable :multiple"multiple_properties"…

Linux 系统编程 开篇/ 文件的打开/创建

从本节开始学习关于Linux系统编程的知识&#xff01; 学习Linux的系统编程有非常多的知识点&#xff0c;在应用层面&#xff0c;很重要的一点就是学习如何“用代码操作文件来实现文件创建&#xff0c;打开&#xff0c;编辑等自动化执行” 那如何自动化实现对文件的创建&#…

GitHub上删除项目后,IDEA分享项目到GitHub提示Remote is already on GitHub

文章目录 一、错误信息二、解决方法1.删除GitHub上的项目2.找到项目里的.git隐藏文件3.找到config文件4.打开config文件&#xff0c;删除[remote "git-test"]及下面两行内容5.继续使用IDEA分享项目到GitHub即可 一、错误信息 二、解决方法 1.删除GitHub上的项目 2.…

整理mongodb文档:collation

文章连接 整理mongodb文档:collation 看前提示 对于mongodb的collation。个人主要用的范围是在createcollection&#xff0c;以及find的时候用&#xff0c;所以本片介绍的时候也是这两个地方入手&#xff0c;对新手个人觉得理解概念就好。不要求强制性掌握&#xff0c;但是要…

Flink CEP(三)pattern动态更新

线上运行的CEP中肯定经常遇到规则变更的情况&#xff0c;如果每次变更时都将任务重启、重新发布是非常不优雅的。尤其在营销或者风控这种对实时性要求比较高的场景&#xff0c;如果规则窗口过长&#xff08;一两个星期&#xff09;&#xff0c;状态过大&#xff0c;就会导致重启…

谈谈新能源技术

目录 1.什么是新能源 2.新能源的发展历程 3.新能源的优势 1.什么是新能源 新能源是指利用自然界可再生资源、无害的高效能资源或者核能等来替代传统能源的能源形式。与传统化石燃料相比&#xff0c;新能源具有更高的可持续性、更低的环境影响和更长久的供应。以下是一些常见的…

C++多线程环境下的单例类对象创建

使用C无锁编程实现多线程下的单例模式 贺志国 2023.8.1 在多线程环境下创建一个类的单例对象&#xff0c;要比单线程环境下要复杂很多。下面介绍在多线程环境下实现单例模式的几种方法。 一、尺寸较小的类单例对象创建 如果待创建的单例类SingletonForMultithread内包含的成…

openwr折腾记7-Frpc使用自主域名解析透传本地服务

FFrpc使用自主域名解析透传本地服务 综述frp透传服务结构流程-http服务域名透传 第一部分openwrt-frpc客户端配置和使用指定服务器指定规则在自己的域名运营商处添加域名解析 第二部分gpt3.5辅助shell编码实现frp自由切换服务器并更新dns解析获取切换服务器参数脚本实现切换 更…

Kubernetes(K8s)从入门到精通系列之十:使用 kubeadm 创建一个高可用 etcd 集群

Kubernetes K8s从入门到精通系列之十&#xff1a;使用 kubeadm 创建一个高可用 etcd 集群 一、etcd高可用拓扑选项1.堆叠&#xff08;Stacked&#xff09;etcd 拓扑2.外部 etcd 拓扑 二、准备工作三、建立集群1.将 kubelet 配置为 etcd 的服务管理器。2.为 kubeadm 创建配置文件…

postgresql表膨胀处理之pgcompacttable部署及使用

环境&#xff1a; 1&#xff09;redhat-release&#xff1a;CentOS Linux release 7.6.1810 (Core) 2&#xff09;database version&#xff1a;postgresql 14.6 一、添加pgstattuple pgcompacttable工具使用过程中需要依赖pgstattuple&#xff0c;因此需先添加pgstattuple…

服务器排查并封禁ip访问

前言 购买的服务器难免会遇到被攻击的情况&#xff0c;当我们发现服务器状态异常时&#xff0c;可以通过连接当前服务器的ip排查一下&#xff0c;并对可疑ip进行封锁禁止。我们可以通过路由跟踪来查看可疑ip。以下是两种解决方案。 解决方案 iptables netstat是一个用于监视…

spring总结

目录 什么是Spring? Spring的优缺点&#xff1f; 优点&#xff1a; 缺点&#xff1a; Spring IOC的理解 Spring AOP的理解 事务的边界为什么放在service层&#xff1f; Spring Bean的生命周期 什么是单例池&#xff1f;作用是什么&#xff1f; 单例Bean的优势 Bean…

企业微信小程序在调用wx.qy.login时返回错误信息qy.login:fail

原因是大概是绑定了多个企业但是在开发者工具中没有选择正确的企业 解决方法&#xff1a; 重新选择企业后即可成功获取code