• SpringBoot-Mongodb工具类、字段转换


    我使用的版本是SpringBoot 2.6.4
    可以像Mybaits Plus 一样的功能

    <!-- mongodb -->
            <dependency>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-starter-data-mongodb</artifactId>
            </dependency>
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    spring:
      data:
        mongodb:
        # open 自定义 使用aop切面控制开关
          open: true
          host: 127.0.0.1
          port: 27017
          username: test
          password: mongodb
          authentication-database: admin  #认证的库,不加会报错
          database: test_db
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11

    配置类,默认不配置 添加的时候会有一个class字段,_class定义了每一条数据映射的实体类的类型,在使用SpringBoot-MongoDB的api插入数据时,即使引用类型是父类型,_class的值会插入对象的实际类型
    在这里插入图片描述

    转换器的作用一看就能理解 ,只是查询量比较大的时候,转换器会消耗很大的资源,慎用!

    import org.springframework.beans.factory.BeanFactory;
    import org.springframework.context.annotation.Bean;
    import org.springframework.context.annotation.Configuration;
    import org.springframework.core.convert.converter.Converter;
    import org.springframework.data.convert.ReadingConverter;
    import org.springframework.data.convert.WritingConverter;
    import org.springframework.data.mongodb.MongoDatabaseFactory;
    import org.springframework.data.mongodb.core.convert.*;
    import org.springframework.data.mongodb.core.mapping.MongoMappingContext;
    
    import java.util.Date;
    
    /**
     * @description: 使用 spring data mongo 时,默认情况下会向您的集合添加一个 _class 键,
     * 以便能够处理继承。但是如果你的领域模型简单而扁平,你可以通过覆盖默认的 MappingMongoConverter 来移除它
     */
    @Configuration
    public class MongoConfig {
    
        // 注册转换器
        @Bean
        public MongoCustomConversions customConversions() {
            return MongoCustomConversions.create(i -> {
                i.registerConverter(new DateToLongConverter());
                i.registerConverter(new LongToDateConverter());
            });
        }
    
        /**
         * mongo映射转换器
         *
         * @param factory           mongo工厂
         * @param context           映射命名空间
         * @param customConversions 自定义转换器
         * @return org.springframework.data.mongodb.core.convert.MappingMongoConverter
         */
        @Bean
        public MappingMongoConverter mappingMongoConverter(MongoDatabaseFactory factory, MongoMappingContext context, BeanFactory beanFactory, MongoCustomConversions customConversions) {
            DbRefResolver dbRefResolver = new DefaultDbRefResolver(factory);
            MappingMongoConverter mappingConverter = new MappingMongoConverter(dbRefResolver, context);
            //添加自定义的转换器
            mappingConverter.setCustomConversions(customConversions);
            // 去掉默认mapper添加的_class
            mappingConverter.setTypeMapper(new DefaultMongoTypeMapper(null));
            return mappingConverter;
        }
    
        /**
         * mongo时间转换器(Long转Date)
         **/
        @ReadingConverter
        private static class LongToDateConverter implements Converter<Long, Date> {
            @Override
            public Date convert(Long source) {
                // 判断是否为毫秒,兼容之前存的毫秒级时间
                if (source.toString().length() < 11) {
                    return new Date(source * 1000);
                } else return new Date(source);
            }
        }
    
        /**
         * mongo时间转换器(Date转Long)
         **/
        @WritingConverter
        private static class DateToLongConverter implements Converter<Date, Long> {
            @Override
            public Long convert(Date source) {
                return source.getTime() / 1000;
            }
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43
    • 44
    • 45
    • 46
    • 47
    • 48
    • 49
    • 50
    • 51
    • 52
    • 53
    • 54
    • 55
    • 56
    • 57
    • 58
    • 59
    • 60
    • 61
    • 62
    • 63
    • 64
    • 65
    • 66
    • 67
    • 68
    • 69
    • 70
    • 71
    • 72

    Mongodb注解含义

    注解含义
    @Id主键,不可重复,自带索引
    @Document标注在实体类上,类似于Mp的TableName注解,标明由mongo来维护该表
    @Indexed声明该字段需要加索引,加索引后以该字段为条件检索将大大提高速度。唯一索引的话是@Indexed(unique = true)。也可以对数组进行索引,如果被索引的列是数组时,MongoDB会索引这个数组中的每一个元素。也可以对整个Document进行索引,排序是预定义的按插入BSON据的先后升序排列。
    @CompoundIndex复合索引,加复合索引后通过复合索引字段查询将大大提高速度。是类注解@Document@CompoundIndexes({@CompoundIndex(name = “age_idx”, def = “{‘lastName’: 1, ‘age’: -1}”)}),写法如上,lastName和age将作为复合索引,数字参数指定索引的方向,1为正序,-1为倒序。方向对单键索引和随机存不要紧,但如果你要执行分组和排序操作的时候,它就非常重要了。
    @Field代表一个字段,可以不加,不加的话默认以参数名为列名。给映射存储到 mongodb 的字段取别名
    @Transient被该注解标注的,将不会被录入到数据库中。只作为普通的javaBean属性。
    @DBRef关联另一个document对象。类似于mysql的表关联,但并不一样,mongo不会做级联的操作。
    import com.alibaba.fastjson.JSONObject;
    import com.baomidou.mybatisplus.annotation.TableField;
    import com.baomidou.mybatisplus.annotation.TableId;
    import com.baomidou.mybatisplus.annotation.TableName;
    import com.baomidou.mybatisplus.extension.handlers.JacksonTypeHandler;
    import hss.server.handler.DateLongTypeHandler;
    import lombok.Data;
    import org.springframework.data.annotation.Id;
    import org.springframework.data.mongodb.core.mapping.Document;
    
    import java.io.Serializable;
    import java.util.Date;
    @Data
    @TableName(value = "hss_history", autoResultMap = true)
    @Document(collection = "hss_history")
    @CompoundIndexes({@CompoundIndex(name = "age_idx", def = "{‘lastName’: 1, ‘age’: -1}")})
    public class HssHistoryEntity implements Serializable {
        private static final long serialVersionUID = 1L;
        @TableId
        @Id
        private String id;
        private Long equipmentId;
        private Long typeId;
        // 需要开启自动映射
        @TableField(typeHandler = JacksonTypeHandler.class)
        private JSONObject data;
        @TableField(typeHandler = JacksonTypeHandler.class)
        private JSONObject parseData;
        // 运行正常的数据,为1才返回到前端
        private Integer state;
        private Long parseTime;
        // @Field(targetType = FieldType.INT64)
        //@TableField(typeHandler = DateLongTypeHandler.class)
        private Long createTime;
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36

    工具类

    package hss.server.mongodb;
    
    import com.alibaba.fastjson.JSONObject;
    import com.baomidou.mybatisplus.core.metadata.IPage;
    import com.mongodb.BasicDBObject;
    import com.mongodb.DBObject;
    import com.mongodb.client.result.UpdateResult;
    import hss.server.hss.entity.HssHistoryEntity;
    import hss.server.utils.DateUtils;
    import hss.server.utils.PageUtils;
    import lombok.extern.slf4j.Slf4j;
    import org.springframework.beans.factory.annotation.Autowired;
    import org.springframework.data.domain.PageRequest;
    import org.springframework.data.domain.Pageable;
    import org.springframework.data.domain.Sort;
    import org.springframework.data.mongodb.core.MongoTemplate;
    import org.springframework.data.mongodb.core.index.Index;
    import org.springframework.data.mongodb.core.index.IndexOperations;
    import org.springframework.data.mongodb.core.query.*;
    import org.springframework.stereotype.Component;
    import org.springframework.util.Assert;
    import org.springframework.util.CollectionUtils;
    
    import java.io.Serializable;
    import java.lang.reflect.Field;
    import java.lang.reflect.InvocationTargetException;
    import java.lang.reflect.Method;
    import java.util.*;
    
    @Component
    @Slf4j//不注册bean 无法作为aop切入点
    public class MongoDBUtil {
    
        private static final Query EMPTY_QUERY = new BasicQuery("{}");
        private static MongoTemplate template;
    
        @Autowired
        public void setTemplate(MongoTemplate template) {
            MongoDBUtil.template = template;
        }
    
        // 设置索引
        private void setIndex() {
            // HssHistoryEntity实体类,自己去定义
            IndexOperations indexOps = template.indexOps(HssHistoryEntity.class);
            Index index = new Index("equipmentId", Sort.Direction.ASC);
            index.on("typeId", Sort.Direction.ASC);
            indexOps.ensureIndex(index);
        }
    
        private static Query idEqQuery(Serializable id) {
            Criteria criteria = Criteria.where("id").is(id);
            return Query.query(criteria);
        }
    
        private Query idInQuery(Collection<? extends Serializable> idList) {
            Criteria criteria = Criteria.where("id").in(idList);
            return Query.query(criteria);
        }
    
        private Query eqQuery(Map<String, Object> data) {
            if (CollectionUtils.isEmpty(data)) {
                return EMPTY_QUERY;
            } else {
                Criteria criteria = new Criteria();
                data.forEach((k, v) -> criteria.and(k).is(v));
                return Query.query(criteria);
            }
        }
    
        private static <T> Serializable getIdValue(T entity) {
            try {
                Field field = entity.getClass().getDeclaredField("id");
                field.setAccessible(true);
                return (Serializable) field.get(entity);
            } catch (NoSuchFieldException | IllegalAccessException e) {
                e.printStackTrace();
            }
            return null;
        }
    
        private <T> Update getUpdate(T entity) {
            Field[] fields = entity.getClass().getDeclaredFields();
            for (Field field : fields) {
                field.setAccessible(true);
                try {
                    System.out.println(field.getName() + " " + field.get(entity));
                } catch (IllegalAccessException e) {
                    e.printStackTrace();
                }
            }
            return null;
        }
    
        public <T> void save(T entity) {
            template.save(entity);
        }
    
        public <T> void inset(T entity) {
            template.insert(entity);
        }
    
        public <T> void saveBatch(Collection<T> entityList) {
            template.insertAll(entityList);
        }
    
        public void removeById(Serializable id, Class<?> clazz) {
            template.remove(idEqQuery(id.toString()), clazz);
        }
    
        public void removeByMap(Map<String, Object> columnMap, Class<?> clazz) {
            template.remove(eqQuery(columnMap), clazz);
        }
    
        public void removeByIds(Collection<? extends Serializable> idList, Class<?> clazz) {
            template.remove(idInQuery(idList), clazz);
        }
    
        public void remove(Query query, Class<?> clazz) {
            template.remove(query, clazz);
        }
    
        public <T> boolean updateById(T entity) {
            Assert.notNull(entity, "entity must not be null!");
            JSONObject obj = (JSONObject) JSONObject.toJSON(entity);
            DBObject update = new BasicDBObject();
            update.put("$set", obj);
            UpdateResult result = template.updateFirst(idEqQuery(getIdValue(entity)), new BasicUpdate(update.toString()), entity.getClass());
            return result.getModifiedCount() == 1L;
        }
    
        public <T> void updateBatchById(Collection<T> entityList) {
            entityList.forEach(e -> updateById(e));
        }
    
        public void update(Query query, Update update, Class<?> clazz) {
            template.updateMulti(query, update, clazz);
        }
    
        public static <T> void saveOrUpdate(T entity) {
            Assert.notNull(entity, "entity must not be null!");
            String key = JSONObject.toJSONString(entity);
            Update inc = new Update().inc(key, 1);
            template.upsert(idEqQuery(getIdValue(entity)), inc, entity.getClass());
        }
    
        public <T> void saveOrUpdateBatch(Collection<T> entityList) {
            entityList.forEach(MongoDBUtil::saveOrUpdate);
        }
    
        public <T> T getById(Serializable id, Class<T> clazz) {
            return template.findById(id.toString(), clazz);
        }
    
        public <T> T getOne(Query query, Class<T> clazz) {
            return template.findOne(query, clazz);
        }
    
        public <T> List<T> listByIds(Collection<? extends Serializable> idList, Class<T> clazz) {
            return template.find(idInQuery(idList), clazz);
        }
    
        public <T> List<T> listByMap(Map<String, Object> columnMap, Class<T> clazz) {
            return template.find(eqQuery(columnMap), clazz);
        }
    
        public <T> List<T> list(Class<T> clazz) {
            return template.findAll(clazz);
        }
    
        public <T> List<T> list(Query query, Class<T> clazz) {
            return template.find(query, clazz);
        }
    
        public <T> long count(Class<T> clazz) {
            return template.count(EMPTY_QUERY, clazz);
        }
    
        public <T> long count(Query query, Class<T> clazz) {
            return template.count(query, clazz);
        }
    
        public <T> PageUtils page(Map<String, Object> params, Query query, Class<T> clazz) {
            // 设置索引
            //setIndex();
            IPage<T> page = new hss.server.utils.Query<T>().getPage(params);
            page.setTotal(count(query, clazz));
            // 分页索引从0开始,当前页需要减1,这里打断点可以看出 skip跳出多少条数据,数据量大有点影响性能
            Pageable pageable = PageRequest.of((int) page.getCurrent() - 1, (int) page.getSize());
            query.with(pageable);
            List<T> records = template.find(query, clazz);
            page.setPages(page.getPages());
            page.setRecords(records);
            return new PageUtils(page);
        }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43
    • 44
    • 45
    • 46
    • 47
    • 48
    • 49
    • 50
    • 51
    • 52
    • 53
    • 54
    • 55
    • 56
    • 57
    • 58
    • 59
    • 60
    • 61
    • 62
    • 63
    • 64
    • 65
    • 66
    • 67
    • 68
    • 69
    • 70
    • 71
    • 72
    • 73
    • 74
    • 75
    • 76
    • 77
    • 78
    • 79
    • 80
    • 81
    • 82
    • 83
    • 84
    • 85
    • 86
    • 87
    • 88
    • 89
    • 90
    • 91
    • 92
    • 93
    • 94
    • 95
    • 96
    • 97
    • 98
    • 99
    • 100
    • 101
    • 102
    • 103
    • 104
    • 105
    • 106
    • 107
    • 108
    • 109
    • 110
    • 111
    • 112
    • 113
    • 114
    • 115
    • 116
    • 117
    • 118
    • 119
    • 120
    • 121
    • 122
    • 123
    • 124
    • 125
    • 126
    • 127
    • 128
    • 129
    • 130
    • 131
    • 132
    • 133
    • 134
    • 135
    • 136
    • 137
    • 138
    • 139
    • 140
    • 141
    • 142
    • 143
    • 144
    • 145
    • 146
    • 147
    • 148
    • 149
    • 150
    • 151
    • 152
    • 153
    • 154
    • 155
    • 156
    • 157
    • 158
    • 159
    • 160
    • 161
    • 162
    • 163
    • 164
    • 165
    • 166
    • 167
    • 168
    • 169
    • 170
    • 171
    • 172
    • 173
    • 174
    • 175
    • 176
    • 177
    • 178
    • 179
    • 180
    • 181
    • 182
    • 183
    • 184
    • 185
    • 186
    • 187
    • 188
    • 189
    • 190
    • 191
    • 192
    • 193
    • 194
    • 195
    • 196

    分页工具类

    import com.baomidou.mybatisplus.core.metadata.IPage;
    
    import java.io.Serializable;
    import java.util.List;
    
    /**
     * 分页工具类
     */
    public class PageUtils implements Serializable {
    	private static final long serialVersionUID = 1L;
    	/**
    	 * 总记录数
    	 */
    	private int totalCount;
    	/**
    	 * 每页记录数
    	 */
    	private int pageSize;
    	/**
    	 * 总页数
    	 */
    	private int totalPage;
    	/**
    	 * 当前页数
    	 */
    	private int currPage;
    	/**
    	 * 列表数据
    	 */
    	private List<?> list;
    	
    	/**
    	 * 分页
    	 * @param list        列表数据
    	 * @param totalCount  总记录数
    	 * @param pageSize    每页记录数
    	 * @param currPage    当前页数
    	 */
    	public PageUtils(List<?> list, int totalCount, int pageSize, int currPage) {
    		this.list = list;
    		this.totalCount = totalCount;
    		this.pageSize = pageSize;
    		this.currPage = currPage;
    		this.totalPage = (int)Math.ceil((double)totalCount/pageSize);
    	}
    
    	/**
    	 * 分页
    	 */
    	public PageUtils(IPage<?> page) {
    		this.list = page.getRecords();
    		this.totalCount = (int)page.getTotal();
    		this.pageSize = (int)page.getSize();
    		this.currPage = (int)page.getCurrent();
    		this.totalPage = (int)page.getPages();
    	}
    
    	public int getTotalCount() {
    		return totalCount;
    	}
    
    	public void setTotalCount(int totalCount) {
    		this.totalCount = totalCount;
    	}
    
    	public int getPageSize() {
    		return pageSize;
    	}
    
    	public void setPageSize(int pageSize) {
    		this.pageSize = pageSize;
    	}
    
    	public int getTotalPage() {
    		return totalPage;
    	}
    
    	public void setTotalPage(int totalPage) {
    		this.totalPage = totalPage;
    	}
    
    	public int getCurrPage() {
    		return currPage;
    	}
    
    	public void setCurrPage(int currPage) {
    		this.currPage = currPage;
    	}
    
    	public List<?> getList() {
    		return list;
    	}
    
    	public void setList(List<?> list) {
    		this.list = list;
    	}
    	
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43
    • 44
    • 45
    • 46
    • 47
    • 48
    • 49
    • 50
    • 51
    • 52
    • 53
    • 54
    • 55
    • 56
    • 57
    • 58
    • 59
    • 60
    • 61
    • 62
    • 63
    • 64
    • 65
    • 66
    • 67
    • 68
    • 69
    • 70
    • 71
    • 72
    • 73
    • 74
    • 75
    • 76
    • 77
    • 78
    • 79
    • 80
    • 81
    • 82
    • 83
    • 84
    • 85
    • 86
    • 87
    • 88
    • 89
    • 90
    • 91
    • 92
    • 93
    • 94
    • 95
    • 96
    • 97
    • 98
    • 99
    // mongodb 查询对象
    Query query = new Query();
    // 查询条件构造器
    Criteria criteria1 = new Criteria();
    // 就像MP的wrapper
    QueryWrapper<Object> wrapper = new QueryWrapper<>();
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7

    Criteria 方法含义

    方法名释义栗子
    where()whereCriteria.where(“name”).is(“帅哥”)
    andOperator()andCriteria.where(“name”).is(“帅哥”).andOperator(Criteria.where(“age”).is(18)); Criteria.andOperator(Criteria.where(“name”).is(“帅哥”), Criteria.where(“age”).is(25));
    orOperator()orCriteria.where(“name”).is(“美女”).orOperator(Criteria.where(“age”).is(18)); Criteria.orOperator(Criteria.where(“name”).is(“美女”), Criteria.where(“age”).is(25));
    is()==Criteria.where(“name”).is(“帅哥”)
    not()!=Criteria.where(“name”).not(“丑男”)
    regex()likeCriteria.where(“name”).regex(“.**?” +“帅哥”+ “.*”)
    in()inCriteria.where(“age”).in(List))
    gt()>Criteria.where(“age”).gt(18)
    gte()>=Criteria.where(“age”).gte(18)
    lt()<Criteria.where(“age”).lt(18)
    lte()<=Criteria.where(“age”).lte(18)
  • 相关阅读:
    Baichuan 2: Open Large-scale Language Models
    解决C#跨线程调用窗体控件的问题
    使用Jedis远程连接redis
    wy的leetcode刷题记录_Day49
    【Unity3D】UI Toolkit容器
    阿里P8架构师推荐的从Paxos到Zookeeper分布式一致性原理与实践
    微服务sleuth+zipkin——链路追踪
    VMware 虚拟机系统 与 win10 共享文件夹问题的解决
    文件名批量重命名与翻译的实用指南
    Jina AI正式将DocArray捐赠给Linux基金会
  • 原文地址:https://blog.csdn.net/weixin_51216079/article/details/125603387