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.mzph.cn/news/23537.shtml

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

相关文章

车载总线系列——J1939三

我是穿拖鞋的汉子&#xff0c;魔都中坚持长期主义的汽车电子工程师。 老规矩&#xff0c;分享一段喜欢的文字&#xff0c;避免自己成为高知识低文化的工程师&#xff1a; 没有人关注你。也无需有人关注你。你必须承认自己的价值&#xff0c;你不能站在他人的角度来反对自己。人…

Golang之路---04 并发编程——信道/通道

信道/通道 如果说 goroutine 是 Go语言程序的并发体的话&#xff0c;那么 channel&#xff08;信道&#xff09; 就是 它们之间的通信机制。channel&#xff0c;是一个可以让一个 goroutine 与另一个 goroutine 传输信息的通道&#xff0c;我把他叫做信道&#xff0c;也有人将…

PLC4X踩坑记录

plc4x引起的oom 使用Jprofiler查看dump文件 由上可以看出有大量的NioEventLoop对象没有释放 PlcConnection#close 设备断连重连后导致的oom&#xff0c;看源码close方法主要是channel通道关闭。 修改NettyChannelFactory源码 plc4x设计思想是一个设备一个连接&#xff0c;…

k8s ingress获取客户端客户端真实IP

背景 在Kubernetes中&#xff0c;获取客户端真实IP地址是一个常见需求。这是因为在负载均衡架构中&#xff0c;原始请求的源IP地址会被替换成负载均衡器的IP地址。 获取客户端真实IP的需求背景包括以下几点&#xff1a; 安全性&#xff1a;基于客户端IP进行访问控制和认证授…

工厂模式(C++)

定义 定义一个用于创建对象的接口&#xff0c;让子类决定实例化哪一个类。Factory Method使得一个类的实例化延迟(目的:解耦&#xff0c;手段:虚函数)到子类。 应用场景 在软件系统中&#xff0c;经常面临着创建对象的工作;由于需求的变化&#xff0c;需要创建的对象的具体类…

Spring Boot、Spring Cloud、Spring Alibaba 版本对照关系及稳定兼容版本

Spring Boot、Spring Cloud、Spring Alibaba 版本对照关系及稳定兼容版本 引言 在 Java 生态系统中&#xff0c;Spring Boot、Spring Cloud 和 Spring Alibaba 是非常流行的框架&#xff0c;它们提供了丰富的功能和优雅的解决方案。然而&#xff0c;随着不断的发展和更新&…

【ARM Coresight 系列文章 2.3 - Coresight 寄存器】

文章目录 Coresight 寄存器介绍1.1 ITCTRL&#xff0c;integration mode control register1.2 CLAIM寄存器1.3 DEVAFF(Device Affinity Registers)1.4 LSR and LAR1.5 AUTHSTATUS(Authentication Status Register) Coresight 寄存器介绍 Coresight 对于每个 coresight 组件&am…

架构训练营学习笔记:5-3接口高可用

序 架构决定系统质量上限&#xff0c;代码决定系统质量下限&#xff0c;本节课串一下常见应对措施的框架&#xff0c;细节不太多&#xff0c;侧重对于技术本质有深入了解。 接口高可用整体框架 雪崩效应&#xff1a;请求量超过系统处理能力后导致系统性能螺旋快速下降 链式…

STM32CubeMx之FreeRTOS的中断优先级+配置

编译运行即可 例如我编写的是一个灯亮500ms 一个等200ms的亮灭 如果他们的优先级是同等的&#xff0c;那么任务都可以实现&#xff0c;时间片会自动切换 但是如果亮500ms的灯 任务优先级更高 还用HALdelay的话 就会让任务二饿死&#xff0c;从而就会只看到任务一的内容 解…

回归预测 | MATLAB实现SO-CNN-BiGRU蛇群算法优化卷积双向门控循环单元多输入单输出回归预测

回归预测 | MATLAB实现SO-CNN-BiGRU蛇群算法优化卷积双向门控循环单元多输入单输出回归预测 目录 回归预测 | MATLAB实现SO-CNN-BiGRU蛇群算法优化卷积双向门控循环单元多输入单输出回归预测预测效果基本介绍程序设计参考资料 预测效果 基本介绍 MATLAB实现SO-CNN-BiGRU蛇群算法…

Cilium系列-13-启用XDP加速及Cilium性能调优总结

系列文章 Cilium 系列文章 前言 将 Kubernetes 的 CNI 从其他组件切换为 Cilium, 已经可以有效地提升网络的性能. 但是通过对 Cilium 不同模式的切换/功能的启用, 可以进一步提升 Cilium 的网络性能. 具体调优项包括不限于: 启用本地路由(Native Routing)完全替换 KubeProx…

什么是微服务

微服务的架构特征&#xff1a; 单一职责&#xff1a;微服务拆分粒度更小&#xff0c;每一个服务都对应唯一的业务能力&#xff0c;做到单一职责自治&#xff1a;团队独立、技术独立、数据独立&#xff0c;独立部署和交付面向服务&#xff1a;服务提供统一标准的接口&#xff0…

九、pig安装

1.上传pig包 2.解压文件 3.改名 4.赋权 5.配置环境变量 export PIG_HOME/usr/local/pig export PATH$PATH:$JAVA_HOME/bin:$HADOOP_HOME/bin:$HADOOP_HOME/sbin:$HIVE_HOME/bin:$HBASE_HOME/bin:$SQOOP_HOME/bin:$PIG_HOME/bin 6.测试

开发运营监控

DevOps 监控使管理员能够实时了解生产环境中的元素&#xff0c;并有助于确保应用程序平稳运行&#xff0c;同时提供最高的业务价值&#xff0c;对于采用 DevOps 文化和方法的公司来说&#xff0c;这一点至关重要。 什么是开发运营监控 DevOps 通过持续开发、集成、测试、监控…

使用JProfiler进入JVM分析

要评测JVM&#xff0c;必须将JProfiler的评测代理加载到JVM中。这可以通过两种不同的方式发生&#xff1a;在启动脚本中指定-agentpath VM参数&#xff0c;或者使用attach API将代理加载到已经运行的JVM中。 JProfiler支持这两种模式。添加VM参数是评测的首选方式&#xff0c;集…

Maven项目中Lifecycle和Plugins下的install的区别

在Maven中&#xff0c;如果你的web和service在不同的模块下&#xff0c;如果直接用用tomcat插件运行web层&#xff0c;那么运行时会报错 Failed to execute goal org.apache.maven.plugins:maven-install-plugin:2.5.2:install (default-cli) on project springboot: The pack…

常用SQL语句总结

SQL语句 文章目录 SQL语句1 SQL语句简介2 DQL&#xff08;数据查询语句&#xff09;3 DML&#xff08;数据操纵语句&#xff09;4 DDL&#xff08;数据定义语句&#xff09;5 DCL&#xff08;数据控制语句&#xff09;6 TCL&#xff08;事务控制语句&#xff09; 1 SQL语句简介…

nginx网站服务

nginx&#xff1a;是一个高性能&#xff0c;轻量级web软件 1、稳定性高&#xff08;没有Aapache稳定&#xff09; 2、资源消耗比较低&#xff0c;体现在处理http请求的并发能力很高&#xff0c;单台物理服务器可以处理到3万-5万个请求 稳定&#xff1a;一般在企业中为了保持…

SpringBoot+AOP+Redission实战分布式锁

文章目录 前言一、Redission是什么&#xff1f;二、使用场景三、代码实战1.项目结构2.类图3.maven依赖4.yml5.config6.annotation7.aop8.model9.service 四、单元测试总结 前言 在集群环境下非单体应用存在的问题&#xff1a;JVM锁只能控制本地资源的访问&#xff0c;无法控制…

javaAPI(二):String、StringBuffer、StringBuilder

String、StringBuffer、StringBuilder的异同&#xff1f; String&#xff1a;不可变字符序列&#xff1b;底层结构使用char[]存储&#xff1b; StringBuffer&#xff1a;可变字符序列&#xff1b;线程安全的&#xff0c;效率低&#xff1b;底层结构使用char[]存储&#xff1b; …