IT评测·应用市场-qidao123.com

标题: 缓存监控治理在游戏业务的实践和探索 [打印本页]

作者: 汕尾海湾    时间: 2025-3-20 16:29
标题: 缓存监控治理在游戏业务的实践和探索
作者:来自 vivo 互联网服务器团队- Wang Zhi
 
通过对 Redis 和 Caffeine 的缓存监控快速发现和定位问题降低故障的影响面。
一、缓存监控的背景

二、远程缓存的监控介绍

2.1 监控的方案

2.1.1 监控目的

2.1.2 监控方案

2.1.3 监控大盘


【Redis Server系统监控指标】
说明:
http://doc.redisfans.com/server/info.html
 

【Redis 业务维度前缀监控指标】
说明:
2.2 监控的实现

 
2.2.1 前缀 key 计划

Redis Key 的计划
 
  1. public class RedisKeyConstants {
  2.     public static final String    REDIS_GAMEGROUP_NEW_KEY              = "newgamegroup";
  3.     public static final String    REDIS_GAMEGROUP_DETAIL_KEY          = "gamegroup:detail";
  4.     public static final String    REDIS_KEY_IUNIT_STRATEGY_COUNT      = "activity:ihandler:strategy:count";
  5.     public static final String    CONTENT_DISTRIBUTE_CURRENT          = "content:distribute:current";
  6.     public static final String    RECOMMEND_NOTE                      = "recommend:note";
  7. }
  8. public class RedisUtils {
  9.     public static final String    COMMON_REDIS_KEY_SPLIT    = ":";
  10.     public static String buildRedisKey(String key, Object... params) {
  11.         if (params == null || params.length == 0) {
  12.             return key;
  13.         }
  14.         for (Object param : params) {
  15.             key += COMMON_REDIS_KEY_SPLIT + param;
  16.         }
  17.         return key;
  18.     }
  19. }
复制代码
 
说明:
2.2.2 监控实现

 
  1. @Slf4j
  2. @Aspect
  3. @Order(0)
  4. @Component
  5. public class RedisMonitorAspect {
  6.     private static final String PREFIX_CONFIG = "redis.monitor.prefix";
  7.     private static final Set<String> PREFIX_SET = new HashSet<>();
  8.     @Resource
  9.     private MonitorComponent monitorComponent;
  10.     static {
  11.         // 更新前缀匹配的名单
  12.         String prefixValue = VivoConfigManager.getString(PREFIX_CONFIG, "");
  13.         refreshConf(prefixValue);
  14.         // 增加配置变更的回调
  15.         VivoConfigManager.addListener(new VivoConfigListener() {
  16.             @Override
  17.             public void eventReceived(PropertyItem propertyItem, ChangeEventType changeEventType) {
  18.                 if (StringUtils.equalsIgnoreCase(propertyItem.getName(), PREFIX_CONFIG)) {
  19.                     refreshConf(propertyItem.getValue());
  20.                 }
  21.             }
  22.         });
  23.     }
  24.     /**
  25.      * 更新前缀匹配的名单
  26.      * @param prefixValue
  27.      */
  28.     private static void refreshConf(String prefixValue) {
  29.         if (StringUtils.isNotEmpty(prefixValue)) {
  30.             String[] prefixArr = StringUtils.split(prefixValue, ",");
  31.             Arrays.stream(prefixArr).forEach(item -> PREFIX_SET.add(item));
  32.         }
  33.     }
  34.     @Pointcut("execution(* com.vivo.joint.dal.common.redis.dao.RedisDao.set*(..))")
  35.     public void point() {
  36.     }
  37.     @Around("point()")
  38.     public Object around(ProceedingJoinPoint pjp) throws Throwable {
  39.         //业务逻辑异常情况直接抛到业务层处理
  40.         Object result = pjp.proceed();
  41.         try {
  42.             if (VivoConfigManager.getBoolean("joint.center.redis.monitor.switch", true)) {
  43.                 Object[] args = pjp.getArgs();
  44.                 if (null != args && args.length > 0) {
  45.                     String redisKey = String.valueOf(args[0]);
  46.                     if (VivoConfigManager.getBoolean("joint.center.redis.monitor.send.log.switch", true)) {
  47.                         LOGGER.info("更新redis的缓存 {}", redisKey);
  48.                     }
  49.                     String monitorKey = null;
  50.                     // 先指定前缀匹配
  51.                     if (!PREFIX_SET.isEmpty()) {
  52.                         for (String prefix : PREFIX_SET) {
  53.                             if (StringUtils.startsWithIgnoreCase(redisKey, prefix)) {
  54.                                 monitorKey = prefix;
  55.                                 break;
  56.                             }
  57.                         }
  58.                     }
  59.                     if (StringUtils.isEmpty(monitorKey) && StringUtils.contains(redisKey, ":")) {
  60.                         // 需要考虑前缀的格式,保证数据写入不能膨胀
  61.                         monitorKey = StringUtils.substringBeforeLast(redisKey, ":");
  62.                     }
  63.                     monitorComponent.sendRedisMonitorData(monitorKey);
  64.                 }
  65.             }
  66.         } catch (Exception e) {
  67.         }
  68.         return result;
  69.     }
  70. }
复制代码
 
  1. printf("hello world!");
复制代码
说明:
2.3 监控的案例
  1. public static final String REDISKEY_USER_POPUP_PLAN = "popup:user:plan";
  2.   
  3.     public PopupWindowPlan findPlan(FindPlanParam param) {
  4.         String openId = param.getOpenId();
  5.         String imei = param.getImei();
  6.         String gamePackage = param.getGamePackage();
  7.         Integer planType = param.getPlanType();
  8.         String appId = param.getAppId();
  9.         // 1、获取缓存的数据
  10.         PopupWindowPlan cachedPlan = getPlanFromCache(openId, imei, gamePackage, planType);
  11.         if (cachedPlan != null) {
  12.             monitorPopWinPlan(cachedPlan);
  13.         
  14.             return cachedPlan;
  15.         }
  16.         // 2、未命中换成后从持久化部分获取对应的 PopupWindowPlan 对象
  17.         // 3、保存到Redis换成
  18.       setPlanToCache(openId, imei, gamePackage, plan);
  19.         return cachedPlan;
  20.     }
  21.     // 从缓存中获取数据的逻辑
  22.     private PopupWindowPlan getPlanFromCache(String openId, String imei, String gamePackage, Integer planType) {
  23.         String key = RedisUtils.buildRedisKey(RedisKeyConstants.REDISKEY_USER_POPUP_PLAN, openId, imei, gamePackage, planType);
  24.         String cacheValue = redisDao.get(key);
  25.         if (StringUtils.isEmpty(cacheValue)) {
  26.             return null;
  27.         }
  28.         try {
  29.             PopupWindowPlan plan = objectMapper.readValue(cacheValue, PopupWindowPlan.class);
  30.             return plan;
  31.         } catch (Exception e) {
  32.         }
  33.         return null;
  34.     }
  35.     // 保存数据到缓存当中
  36.     private void setPlanToCache(String openId, String imei, String gamePackage, PopupWindowPlan plan, Integer planType) {
  37.         String key = RedisUtils.buildRedisKey(RedisKeyConstants.REDISKEY_USER_POPUP_PLAN, openId, imei, gamePackage, planType);
  38.         try {
  39.             String serializedStr = objectMapper.writeValueAsString(plan);
  40.             redisDao.set(key, serializedStr, VivoConfigManager.getInteger(ConfigConstants.POPUP_PLAN_CACHE_EXPIRE_TIME, 300));
  41.         } catch (Exception e) {
  42.         }
  43.     }
复制代码
说明:
三、本地缓存的监控介绍

3.1 监控的方案

3.1.1 监控目的

3.1.2 监控方案

3.1.3 监控大盘


 

【Caffeine 系统监控指标】
说明:
3.2 监控的实现

 
  1. public final class Caffeine<K, V> {
  2.   /**
  3.    * caffeine的实例名称
  4.    */
  5.   String instanceName;
  6.   /**
  7.    * caffeine的实例维护的Map信息
  8.    */
  9.   static Map<String, Cache> cacheInstanceMap = new ConcurrentHashMap<>();
  10.   @NonNull
  11.   public <K1 extends K, V1 extends V> Cache<K1, V1> build() {
  12.     requireWeightWithWeigher();
  13.     requireNonLoadingCache();
  14.     @SuppressWarnings("unchecked")
  15.     Caffeine<K1, V1> self = (Caffeine<K1, V1>) this;
  16.     Cache localCache =  isBounded() ? new BoundedLocalCache.BoundedLocalManualCache<>(self) : new UnboundedLocalCache.UnboundedLocalManualCache<>(self);
  17.     if (null != localCache && StringUtils.isNotEmpty(localCache.getInstanceName())) {
  18.       cacheInstanceMap.put(localCache.getInstanceName(), localCache);
  19.     }
  20.     return localCache;
  21.   }
  22. }
  23. static Cache<String, List<String>> accountWhiteCache = Caffeine.newBuilder().applyName("accountWhiteCache")
  24.             .expireAfterWrite(VivoConfigManager.getInteger("trade.account.white.list.cache.ttl", 10), TimeUnit.MINUTES)
  25.             .recordStats().maximumSize(VivoConfigManager.getInteger("trade.account.white.list.cache.size", 100)).build();
复制代码
左右滑动检察完整代码
 
说明:
 
  1. public static StatsData getCacheStats(String instanceName) {
  2.     Cache cache = Caffeine.getCacheByInstanceName(instanceName);
  3.     CacheStats cacheStats = cache.stats();
  4.     StatsData statsData = new StatsData();
  5.     statsData.setInstanceName(instanceName);
  6.     statsData.setTimeStamp(System.currentTimeMillis()/1000);
  7.     statsData.setMemoryUsed(String.valueOf(cache.getMemoryUsed()));
  8.     statsData.setEstimatedSize(String.valueOf(cache.estimatedSize()));
  9.     statsData.setRequestCount(String.valueOf(cacheStats.requestCount()));
  10.     statsData.setHitCount(String.valueOf(cacheStats.hitCount()));
  11.     statsData.setHitRate(String.valueOf(cacheStats.hitRate()));
  12.     statsData.setMissCount(String.valueOf(cacheStats.missCount()));
  13.     statsData.setMissRate(String.valueOf(cacheStats.missRate()));
  14.     statsData.setLoadCount(String.valueOf(cacheStats.loadCount()));
  15.     statsData.setLoadSuccessCount(String.valueOf(cacheStats.loadSuccessCount()));
  16.     statsData.setLoadFailureCount(String.valueOf(cacheStats.loadFailureCount()));
  17.     statsData.setLoadFailureRate(String.valueOf(cacheStats.loadFailureRate()));
  18.     Optional<Eviction> optionalEviction = cache.policy().eviction();
  19.     optionalEviction.ifPresent(eviction -> statsData.setMaximumSize(String.valueOf(eviction.getMaximum())));
  20.     Optional<Expiration> optionalExpiration = cache.policy().expireAfterWrite();
  21.     optionalExpiration.ifPresent(expiration -> statsData.setExpireAfterWrite(String.valueOf(expiration.getExpiresAfter(TimeUnit.SECONDS))));
  22.     optionalExpiration = cache.policy().expireAfterAccess();
  23.     optionalExpiration.ifPresent(expiration -> statsData.setExpireAfterAccess(String.valueOf(expiration.getExpiresAfter(TimeUnit.SECONDS))));
  24.     optionalExpiration = cache.policy().refreshAfterWrite();
  25.     optionalExpiration.ifPresent(expiration -> statsData.setRefreshAfterWrite(String.valueOf(expiration.getExpiresAfter(TimeUnit.SECONDS))));
  26.     return statsData;
  27. }
复制代码
左右滑动检察完整代码
 
说明:
 
  1. public static void sendReportData() {
  2.     try {
  3.         if (!VivoConfigManager.getBoolean("memory.caffeine.data.report.switch", true)) {
  4.             return;
  5.         }
  6.         // 1、获取所有的cache实例对象
  7.         Method listCacheInstanceMethod = HANDLER_MANAGER_CLASS.getMethod("listCacheInstance", null);
  8.         List<String> instanceNames = (List)listCacheInstanceMethod.invoke(null, null);
  9.         if (CollectionUtils.isEmpty(instanceNames)) {
  10.             return;
  11.         }
  12.         String appName = System.getProperty("app.name");
  13.         String localIp = getLocalIp();
  14.         String localPort = String.valueOf(NetPortUtils.getWorkPort());
  15.         ReportData reportData = new ReportData();
  16.         InstanceData instanceData = new InstanceData();
  17.         instanceData.setAppName(appName);
  18.         instanceData.setIp(localIp);
  19.         instanceData.setPort(localPort);
  20.         // 2、遍历cache实例对象获取缓存监控数据
  21.         Method getCacheStatsMethod = HANDLER_MANAGER_CLASS.getMethod("getCacheStats", String.class);
  22.         Map<String, StatsData> statsDataMap = new HashMap<>();
  23.         instanceNames.stream().forEach(instanceName -> {
  24.             try {
  25.                 StatsData statsData = (StatsData)getCacheStatsMethod.invoke(null, instanceName);
  26.                 statsDataMap.put(instanceName, statsData);
  27.             } catch (Exception e) {
  28.             }
  29.         });
  30.         // 3、构建上报对象
  31.         reportData.setInstanceData(instanceData);
  32.         reportData.setStatsDataMap(statsDataMap);
  33.         // 4、发送Http的POST请求
  34.         HttpPost httpPost = new HttpPost(getReportDataUrl());
  35.         httpPost.setConfig(requestConfig);
  36.         StringEntity stringEntity = new StringEntity(JSON.toJSONString(reportData));
  37.         stringEntity.setContentType("application/json");
  38.         httpPost.setEntity(stringEntity);
  39.         HttpResponse response = httpClient.execute(httpPost);
  40.         String result = EntityUtils.toString(response.getEntity(),"UTF-8");
  41.         EntityUtils.consume(response.getEntity());
  42.         logger.info("Caffeine 数据上报成功 URL {} 参数 {} 结果 {}", getReportDataUrl(), JSON.toJSONString(reportData), result);
  43.     } catch (Throwable throwable) {
  44.         logger.error("Caffeine 数据上报失败 URL {} ", getReportDataUrl(), throwable);
  45.     }
  46. }
复制代码
左右滑动检察完整代码
 
说明:
3.3 监控的案例

 

说明:
四、竣事语


免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。




欢迎光临 IT评测·应用市场-qidao123.com (https://dis.qidao123.com/) Powered by Discuz! X3.4