RuoYi-Vue-Plus (SpringCache、CacheManager、@Cacheable)

一、概述

        1、SpringCache是Spring提供的一个缓存框架,在Spring3.1版本开始支持将缓存添加到现有的spring应用程序中,在4.1开始,缓存已支持JSR-107注释和更多自定义的选项。

        2、SpringCache利用了AOP,实现了基于注解的缓存功能,只需要简单地加一个注解,就能实现缓存功能了,做到了对代码侵入性做小。

        3、SpringCache框架还提供了CacheManager接口,可以实现降低对各种缓存框架的耦合。它不是具体的缓存实现,它只提供一整套的接口和代码规范、配置、注解等,用于整合各种缓存方案,比如Caffeine、Guava Cache、Ehcache。

二、SpringCache概念

接口:


1、Cache接口:缓存接口,定义缓存操作。实现有 如RedisCache、EhCacheCache、ConcurrentMapCache等

2、cacheResolver:指定获取解析器

3、CacheManager:缓存管理器,管理各种缓存(Cache)组件;如:RedisCacheManager,使用redis作为缓存。指定缓存管理器

注解:

1- @Cacheable:在方法执行前查看是否有缓存对应的数据,如果有直接返回数据,如果没有调用方法获取数据返回,并缓存起来。

2- @CacheEvict:将一条或多条数据从缓存中删除。

3- @CachePut:将方法的返回值放到缓存中

4- @EnableCaching:开启缓存注解功能

5- @Caching:组合多个缓存注解;

6- @CacheConfig:统一配置@Cacheable中的value值

三、spring缓存整合redis 

RedisConfig 
类路径: com.ruoyi.framework.config.RedisConfig
1- spring 自动管理缓存机制
@EnableCaching //开启spring缓存,提升性能
@Slf4j
@Configuration
@EnableCaching //1- spring 自动管理缓存机制 ,,提升性能
@EnableConfigurationProperties(RedissonProperties.class)
public class RedisConfig {
 2- 整合自定义缓存管理器
 /*** 2-自定义缓存管理器 整合spring-cache*/@Beanpublic CacheManager cacheManager() {return new PlusSpringCacheManager();}

自定义 管理器PlusSpringCacheManager,实现CacheManager 接口,基于redssion操作缓存

/*** Copyright (c) 2013-2021 Nikita Koksharov** Licensed under the Apache License, Version 2.0 (the "License");* you may not use this file except in compliance with the License.* You may obtain a copy of the License at**    http://www.apache.org/licenses/LICENSE-2.0** Unless required by applicable law or agreed to in writing, software* distributed under the License is distributed on an "AS IS" BASIS,* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.* See the License for the specific language governing permissions and* limitations under the License.*/
package com.ruoyi.framework.manager;import com.ruoyi.common.utils.redis.RedisUtils;
import org.redisson.api.RMap;
import org.redisson.api.RMapCache;
import org.redisson.spring.cache.CacheConfig;
import org.redisson.spring.cache.RedissonCache;
import org.springframework.boot.convert.DurationStyle;
import org.springframework.cache.Cache;
import org.springframework.cache.CacheManager;
import org.springframework.cache.transaction.TransactionAwareCacheDecorator;
import org.springframework.util.StringUtils;import java.util.Collection;
import java.util.Collections;
import java.util.Map;
import java.util.concurrent.ConcurrentHashMap;
import java.util.concurrent.ConcurrentMap;/*** A {@link org.springframework.cache.CacheManager} implementation* backed by Redisson instance.* <p>* 修改 RedissonSpringCacheManager 源码* 重写 cacheName 处理方法 支持多参数** @author Nikita Koksharov**/
@SuppressWarnings("unchecked")
public class PlusSpringCacheManager implements CacheManager {//是否自动配置nameprivate boolean dynamic = true;//是否允许nullprivate boolean allowNullValues = true;//事务提交之后执行private boolean transactionAware = true;// 常用缓存配置 ttl;  maxIdleTime; maxSize; 等Map<String, CacheConfig> configMap = new ConcurrentHashMap<>();// 缓存实例ConcurrentMap<String, Cache> instanceMap = new ConcurrentHashMap<>();/*** Creates CacheManager supplied by Redisson instance*/public PlusSpringCacheManager() {}/*** Defines possibility of storing {@code null} values.* <p>* Default is <code>true</code>** @param allowNullValues stores if <code>true</code>*/public void setAllowNullValues(boolean allowNullValues) {this.allowNullValues = allowNullValues;}/*** Defines if cache aware of Spring-managed transactions.* If {@code true} put/evict operations are executed only for successful transaction in after-commit phase.* <p>* Default is <code>false</code>** @param transactionAware cache is transaction aware if <code>true</code>*/public void setTransactionAware(boolean transactionAware) {this.transactionAware = transactionAware;}/*** Defines 'fixed' cache names.* A new cache instance will not be created in dynamic for non-defined names.* <p>* `null` parameter setups dynamic mode** @param names of caches*/public void setCacheNames(Collection<String> names) {if (names != null) {for (String name : names) {getCache(name);}dynamic = false;} else {dynamic = true;}}/*** Set cache config mapped by cache name** @param config object*/public void setConfig(Map<String, ? extends CacheConfig> config) {this.configMap = (Map<String, CacheConfig>) config;}protected CacheConfig createDefaultConfig() {return new CacheConfig();}@Overridepublic Cache getCache(String name) {// 重写 cacheName 支持多参数/*** 演示案例   :  String DEMO_CACHE = "demo:cache#60s#10m#20";*/String[] array = StringUtils.delimitedListToStringArray(name, "#");name = array[0];Cache cache = instanceMap.get(name);if (cache != null) {return cache;}//2- dynamic=false 不会动态生成if (!dynamic) {//return cache;return null;}CacheConfig config = configMap.get(name);if (config == null) {config = createDefaultConfig();configMap.put(name, config);}//setTTLif (array.length > 1) {config.setTTL(DurationStyle.detectAndParse(array[1]).toMillis());}//setMaxIdleTimeif (array.length > 2) {config.setMaxIdleTime(DurationStyle.detectAndParse(array[2]).toMillis());}//setMaxSizeif (array.length > 3) {config.setMaxSize(Integer.parseInt(array[3]));}if (config.getMaxIdleTime() == 0 && config.getTTL() == 0 && config.getMaxSize() == 0) {return createMap(name, config);}return createMapCache(name, config);}private Cache createMap(String name, CacheConfig config) {//1-获取缓存RMap<Object, Object> map = RedisUtils.getClient().getMap(name);//2-没有过期时间传2个参数Cache cache = new RedissonCache(map, allowNullValues);// 3-事务提交 之后执行if (transactionAware) {cache = new TransactionAwareCacheDecorator(cache);}//4-不存在就添加Cache oldCache = instanceMap.putIfAbsent(name, cache);if (oldCache != null) {cache = oldCache;}return cache;}private Cache createMapCache(String name, CacheConfig config) {//1-获取缓存RMapCache<Object, Object> map = RedisUtils.getClient().getMapCache(name);//2-有过期时间传3个参数 ,config 里面有  ttl、maxIdleTime、maxSizeCache cache = new RedissonCache(map, config, allowNullValues);// 3-事务提交 之后执行if (transactionAware) {cache = new TransactionAwareCacheDecorator(cache);}//4-不存在就添加Cache oldCache = instanceMap.putIfAbsent(name, cache);if (oldCache != null) {cache = oldCache;} else {map.setMaxSize(config.getMaxSize());}return cache;}//返回不可修改的集合@Overridepublic Collection<String> getCacheNames() {return Collections.unmodifiableSet(configMap.keySet());}}
3-@Cacheable

以下Cacheable几个属性分别演示了如何使用:(支持SPEL表达式

  • cacheNames 
  • key 
  • sync
  • condition 
  • sync 
/*** <简述>cacheNames: 指定名称 可以是数组*        key: 支持spel表达式,可以获取参数* @author syf* @date 2024/5/7 11:03* @param id* @param pageQuery* @return java.lang.String*/@Cacheable(cacheNames = "cache1", key = "#id + '_cache' + #pageQuery.pageNum")@GetMapping("test1")public  String test1(String id, PageQuery pageQuery){return "ok";}/*** <简述> condition :符合条件进行缓存*        #id != null :表示传入 id不为空才会缓存进入redis,id为空则不缓存* @author syf* @date 2024/5/7 11:03* @param id* @return java.lang.String*/@Cacheable(cacheNames = "cache2", key = "#id + '_cache'" , condition = "#id != null")@GetMapping("test2")public  String test2(String id){return "ok";}/*** <简述> unless 符合条件不缓存*        #result == null :接口返回结果为空则不进行缓存* @author syf* @date 2024/5/7 11:03* @param id* @return java.lang.String*/@Cacheable(cacheNames = "cache3", key = "#id + '_cache'" , unless = "#result == null")@GetMapping("test3")public  String test3(String id){return null;}/*** <简述> sync = true*       同步阻塞:同时进来多个请求, 等待前面调用返回并缓存,才能回进入下个请求*       作用:防止缓存积存* @author syf* @date 2024/5/7 11:03* @param id* @return java.lang.String*/@Cacheable(cacheNames = "cache4", key = "#id + '_cache'", sync = true)@GetMapping("test4")public  String test4(String id){return null;}/*** <简述> 获取类中参数*         比较繁琐,一般是在实现类中传递登录参数,用spel获取* @author syf* @date 2024/5/7 11:03* @return java.lang.String*/@Cacheable(cacheNames = "cache5", key = "T(com.ruoyi.common.helper.LoginHelper).getLoginUser().getLoginId()")@GetMapping("test5")public  String test5(){LoginUser loginUser = LoginHelper.getLoginUser();return "ok";}
4- @CachePut

缓存更新

执行该方法,并将执行结果以键值对的形式存入指定的缓存中。

  /*** <简述> 结果不为空进行更新* @author syf* @date 2024/5/7 11:03* @param id* @return java.lang.String*/@CachePut(cacheNames = "cache2", key = "#id + '_cache'" , condition = "#result != null")@GetMapping("test2")public  String test2(String id){boolean flag = doUpdate();return flag  ? "ok" : null;}
5- @CacheEvict

缓存删除

执行该方法,并将缓存中结果删除。

allEntries  删除所有cacheNames = "cache4",下面缓存
beforeInvocation  默认false,方法执行之后有异常不执行。true:方法执行之后有异常,也执行
  /*** <简述> 删除缓存* @author syf* @date 2024/5/7 11:03* @param id* @return java.lang.String*/@CacheEvict(cacheNames = "cache4", key = "#id + '_cache'")@GetMapping("test7")public  String test7(String id){boolean flag = doDelete();return flag  ? "ok" : null;}/*** <简述> 删除所有缓存* @author syf* @date 2024/5/7 11:03* @param id* @return java.lang.String*/@CacheEvict(cacheNames = "cache4", allEntries = true)@GetMapping("test8")public  String test8(String id){return null;}/*** <简述> beforeInvocation 无论是否有异常都执行操作* @author syf* @date 2024/5/7 11:03* @param id* @return java.lang.String*/@CacheEvict(cacheNames = "cache4", beforeInvocation = true)@GetMapping("test9")public  String test9(String id){return null;}
 6-@Caching:

指定多个Spring Cache相关的注解

三个属性:cacheable、put和evict,分别用于指定@Cacheable、@CachePut和@CacheEvict。

    @Caching(cacheable = {@Cacheable(value = "uer1",key = "#userName")},put = {@CachePut(value = "uer1", key = "#result.id"),@CachePut(value = "uer1", key = "#result.age")})public User getStuByStr(String userName) {List<User> users= listMapper.selectByList(studentExample);return Optional.ofNullable(users).orElse(null).get(0);}

四、若依框架中缓存使用(自定义SpringCache 源码解读)

CacheNames 常量设置规则:
key 格式为: cacheNames#ttl#maxIdleTime#maxSize
/*** 缓存组名称常量* <p>* key 格式为 cacheNames#ttl#maxIdleTime#maxSize* <p>* ttl 过期时间 如果设置为0则不过期 默认为0* maxIdleTime 最大空闲时间 根据LRU算法清理空闲数据 如果设置为0则不检测 默认为0   (超过maxIdleTime LRU算法自动清理)* maxSize 组最大长度 根据LRU算法清理溢出数据 如果设置为0则无限长 默认为0* <p>* 例子: test#60s、test#0#60s、test#0#1m#1000、test#1h#0#500** @author Lion Li*/

PlusSpringCacheManager 实现 CacheManager 接口,重写 getCache 方法,

就是配置了  :ttl、maxIdleTime、maxSize  三个参数吗,如下:

@Overridepublic Cache getCache(String name) {// 重写 cacheName 支持多参数/*** 1-演示案例   :  String DEMO_CACHE = "demo:cache#60s#10m#20";*/String[] array = StringUtils.delimitedListToStringArray(name, "#");name = array[0];Cache cache = instanceMap.get(name);if (cache != null) {return cache;}//2- dynamic=false 不会动态生成if (!dynamic) {//return cache;return null;}CacheConfig config = configMap.get(name);if (config == null) {config = createDefaultConfig();configMap.put(name, config);}//setTTLif (array.length > 1) {config.setTTL(DurationStyle.detectAndParse(array[1]).toMillis());}//setMaxIdleTimeif (array.length > 2) {config.setMaxIdleTime(DurationStyle.detectAndParse(array[2]).toMillis());}//setMaxSizeif (array.length > 3) {config.setMaxSize(Integer.parseInt(array[3]));}if (config.getMaxIdleTime() == 0 && config.getTTL() == 0 && config.getMaxSize() == 0) {return createMap(name, config);}return createMapCache(name, config);}

 重点:下面就是PlusSpringCacheManager ,操作缓存的地方

上面调用了:createMap、createMapCache 2个方法对比:

1-逻辑:

createMapCache 多了个 setMaxSize判断,其他都一样

else {map.setMaxSize(config.getMaxSize());}

2- 返回类型 

createMap 返回  RMap

createMapCache 返回 RMapCache

对比: RMapCache 继承了 RMap 多了对于ttl、maxIdleTime、maxSize 的配置

相同 :都是基于redisson,缓存到redis

private Cache createMap(String name, CacheConfig config) {//1-获取缓存RMap<Object, Object> map = RedisUtils.getClient().getMap(name);//2-没有过期时间传2个参数Cache cache = new RedissonCache(map, allowNullValues);// 3-事务提交 之后执行if (transactionAware) {cache = new TransactionAwareCacheDecorator(cache);}//4-不存在就添加Cache oldCache = instanceMap.putIfAbsent(name, cache);if (oldCache != null) {cache = oldCache;}return cache;}private Cache createMapCache(String name, CacheConfig config) {//1-获取缓存RMapCache<Object, Object> map = RedisUtils.getClient().getMapCache(name);//2-有过期时间传3个参数 ,config 里面有  ttl、maxIdleTime、maxSizeCache cache = new RedissonCache(map, config, allowNullValues);// 3-事务提交 之后执行if (transactionAware) {cache = new TransactionAwareCacheDecorator(cache);}//4-不存在就添加Cache oldCache = instanceMap.putIfAbsent(name, cache);if (oldCache != null) {cache = oldCache;} else {map.setMaxSize(config.getMaxSize());}return cache;}

 上面  TransactionAwareCacheDecorator:

所执行的put操作,是在事务提交之后执行

 public void put(final Object key, @Nullable final Object value) {if (TransactionSynchronizationManager.isSynchronizationActive()) {TransactionSynchronizationManager.registerSynchronization(new TransactionSynchronization() {public void afterCommit() {TransactionAwareCacheDecorator.this.targetCache.put(key, value);}});} else {this.targetCache.put(key, value);}}

 五、缓存工具类

private static final CacheManager CACHE_MANAGER = SpringUtils.getBean(CacheManager.class);主要是获取 CacheManager 接口,提供对缓存CRUD操作 :
public interface CacheManager {@NullableCache getCache(String name);Collection<String> getCacheNames();
}
 
package com.ruoyi.common.utils.redis;import com.ruoyi.common.utils.spring.SpringUtils;
import lombok.AccessLevel;
import lombok.NoArgsConstructor;
import org.redisson.api.RMap;
import org.springframework.cache.Cache;
import org.springframework.cache.CacheManager;import java.util.Set;/*** 缓存操作工具类 {@link }** @author Michelle.Chung* @date 2022/8/13*/
@NoArgsConstructor(access = AccessLevel.PRIVATE)
@SuppressWarnings(value = {"unchecked"})
public class CacheUtils {private static final CacheManager CACHE_MANAGER = SpringUtils.getBean(CacheManager.class);/*** 获取缓存组内所有的KEY** @param cacheNames 缓存组名称*/public static Set<Object> keys(String cacheNames) {RMap<Object, Object> rmap = (RMap<Object, Object>) CACHE_MANAGER.getCache(cacheNames).getNativeCache();return rmap.keySet();}/*** 获取缓存值** @param cacheNames 缓存组名称* @param key        缓存key*/public static <T> T get(String cacheNames, Object key) {Cache.ValueWrapper wrapper = CACHE_MANAGER.getCache(cacheNames).get(key);return wrapper != null ? (T) wrapper.get() : null;}/*** 保存缓存值** @param cacheNames 缓存组名称* @param key        缓存key* @param value      缓存值*/public static void put(String cacheNames, Object key, Object value) {CACHE_MANAGER.getCache(cacheNames).put(key, value);}/*** 删除缓存值** @param cacheNames 缓存组名称* @param key        缓存key*/public static void evict(String cacheNames, Object key) {CACHE_MANAGER.getCache(cacheNames).evict(key);}/*** 清空缓存值** @param cacheNames 缓存组名称*/public static void clear(String cacheNames) {CACHE_MANAGER.getCache(cacheNames).clear();}}

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

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

相关文章

不走寻常路!酷开科技不断升级酷开系统满足消费者日益增长的需求

在科技日新月异的今天&#xff0c;人们对生活品质的要求越来越高。为此&#xff0c;酷开科技不断升级酷开系统&#xff0c;以满足消费者日益增长的需求。为了让消费者体验更好的服务&#xff0c;在酷开系统中设立了酷开会员&#xff0c;满足消费者的更多需求。丰富的特权和定制…

STL学习笔记

1 基本概念 1.1 STL STL(Standard Template Library,标准模板库)STL从广义上分为: 容器(container) 算法(algorithm) 选代器(iterator)容器和算法之间通过迭代器&#xff08;看作指针&#xff09;进行无缝连接STL 几乎所有的代码都采用了横板类或者模板函数 1.2 容器 STL容器…

图片如何压缩到500kb以下?3步完成图片压缩

在日常生活和工作中&#xff0c;经常需要处理各种图片&#xff0c;而有时候图片文件过大&#xff0c;不仅占用了大量的存储空间&#xff0c;还可能影响文件的传输速度和加载速度。因此&#xff0c;如何将图片压缩到500kb以内成为了许多人的需求&#xff0c;普通的图片压缩可能没…

使用Docker安装Whistle Web Debugging Proxy

大家好&#xff0c;继续给大家分享如何使用docker来安装Whistle Web Debugging Proxy&#xff0c;关于Whistle Web Debugging Proxy的介绍和使用&#xff0c;大家可以参考下面文章&#xff0c;希望本文能够给大家的工作带来一定帮助。 Whistle Web Debugging Proxy介绍及使用 …

vue+lodop实现web端打印标签功能

背景&#xff1a;项目要求在web端连接标签打印机&#xff0c;打印收件人信息 lodop打印插件地址&#xff1a;Lodop和C-Lodop官网主站 在项目中使用 1、去官网下载lodop包下载中心 - Lodop和C-Lodop官网主站 windows系统直接下载windows32版的就可以 2、解压安装 点击CLodop…

SpringCloud Config 分布式配置中心

SpringCloud Config 分布式配置中心 概述分布式系统面临的——配置问题ConfigServer的作用 Config服务端配置Config客户端配置 可以有一个非常轻量级的集中式管理来协调这些服务 概述 分布式系统面临的——配置问题 微服务意味着要将单体应用中的业务拆分成一个个字服务&…

linux不同引号的含义(随手记)

单引号&#xff1a; 所见即所得,单引号里面的内容会原封不动输出. echo test--hostname--$(hostname)--{1..5} test--hostname--$(hostname)--{1..5}双引号&#xff1a; 和单引号类似,对双引号里面的特殊符号会进行解析,对于{}花括号(通配符)没有解析. echo "test--host…

python如何整体缩进

python自带编辑器的缩进和取消缩进快捷键&#xff1a; 整体缩进 Ctrl【 整体取消缩进 Ctrl】 pycharm编辑器的缩进和取消缩进快捷键&#xff1a; 整体缩进&#xff1a; tab 整体取消缩进&#xff1a; tabshift

HDMI ARC功能详解及应用介绍

一、HDMI HDMI(High-Definition Multimedia Interface&#xff0c;高清多媒体接口)&#xff0c;是一种专用的音频/视频接口&#xff0c;用于发送未压缩的视频数据和压缩/未压缩的音频数据。HDMI是模拟视频标准的数字替代品。HDMI视频和音频信号传输通道采用了TMDS&#xff08;T…

【经验总结】Vue2中的全局变量(store

需求场景 需要在vue中存储一个可变的&#xff0c;可读写的全局变量在不同的js、页面中均可调用和读写 技术&#xff1a;使用vue的store 用法总结 一、定义变量 1、找到vue的/src/store路径&#xff0c;在modules文件夹下创建文件&#xff08;这里便于测试创建demo.js&…

51单片机入门:DS1302时钟

51单片机内部含有晶振&#xff0c;可以实现定时/计数功能。但是其缺点有&#xff1a;精度往往不高、不能掉电使用等。 我们可以通过DS1302时钟芯片来解决以上的缺点。 DS1302时钟芯片 功能&#xff1a;DS1302是一种低功耗实时时钟芯片&#xff0c;内部有自动的计时功能&#x…

十二届蓝桥杯Python组3月中/高级试题 第二题

** 十二届蓝桥杯Python组3月中/高级试题 第二题 ** 第二题&#xff08;难度系数 3&#xff0c;20 个计分点&#xff09; 编程实现&#xff1a; 给定一个正整数&#xff0c;判断这个正整数是否能被5整除。 输入描述&#xff1a;输入一个正整数n 输出描述&#xff1a;如果n可以…

SpringBoot启动流程源码解析

目录 一、SpringApplication构造方法解析 1. web应用类型 2. BootstrapRegistryInitializer 3. ApplicationContextInitializer 4. ApplicationListener 5. 推断Main方法所在类 二、SpringApplication.run(String... args)方法解析 1.创建DefaultBootstrapContext 2.获…

订单超时自动取消的实践方案

1、定时任务方案 方案流程&#xff1a; 每隔 30 秒查询数据库&#xff0c;取出最近的 N 条未支付的订单。 遍历查询出来的订单列表&#xff0c;判断当前时间减去订单的创建时间是否超过了支付超时时间&#xff0c;如果超时则对该订单执行取消操作。 定时任务方案工程实现相…

基于AC-YOLO的路面落叶检测方法

基于AC-YOLO的路面落叶检测方法 A Road Leaf Detection Method based on AC-YOLO 完整下载链接:基于AC-YOLO的路面落叶检测方法 文章目录 基于AC-YOLO的路面落叶检测方法摘要第一章 引言1.1 研究背景1.2 研究意义1.3 相关工作 第二章 AC-YOLO算法介绍2.1 目标检测技术综述2.2…

【Vue】vue中将 html 或者 md 导出为 word 文档

原博主 xh-htmlword文档 感谢这位大佬的封装优化和分享&#xff0c;亲测有用&#xff01;可以去看大佬&#x1f447;的说明&#xff01; 前端HTML转word文档&#xff0c;绝对有效&#xff01;&#xff01;&#xff01; 安装 npm install xh-htmlword导入 import handleEx…

远动通讯屏的作用

远动通讯屏的作用 远动通讯屏有时有称为调度数据网柜&#xff0c;远动通讯屏具体干啥作用&#xff1f;远动通讯屏是以计算机为基础的生产过程与调度自动化系统&#xff0c;可以对现场的运行设备进行监视和控制、以实现数据采集、设备测量、参数调节以及各类信号报警等各项功能。…

Spring MVC、Boot、Cloud:一站式对比与解析

Spring MVC、Boot、Cloud&#xff1a;一站式对比与解析 文章目录 Spring MVC、Boot、Cloud&#xff1a;一站式对比与解析一、SpringMVC二、SpringBoot三、SpringCloud四、从多个方面看1、定位和功能&#xff1a;2、依赖管理&#xff1a;3、开发效率&#xff1a;4、项目结构和维…

git--.gitignore--使用/详解/实例

简介 本文介绍git的.gitignore忽略文件的用法。 项目中并不是所有文件都需要保存到版本库中的&#xff0c;例如“target”目录及目录下的文件就可以忽略。 忽略某个文件&#xff08;不提交到版本库的方法&#xff09;&#xff1a;在Git工作区的根目录下创建一个.gitignore文件…

上海市计算机学会竞赛平台2022年4月月赛丙组闰年的判定

题目描述 给定一个正整数 &#x1d466;y 表示一个年份&#xff0c;请判定 &#x1d466;y 年是否为闰年&#xff0c;闰年分普通闰年与世纪闰年&#xff1a; 普通闰年的年份是 44 的倍数&#xff0c;但不能是 100100 的倍数&#xff1b;世纪闰年的年份是 400400 的倍数。 输…