自定义starter案例——统计独立IP访问次数

自定义starter案例——统计独立IP访问次数

文章目录

  • 自定义starter案例——统计独立IP访问次数
    • ip计数业务功能开发
    • 定时任务报表开发
    • 使用属性配置功能设置功能参数
      • 配置调整
    • 自定义拦截器
    • 开启yml提示功能

在这里插入图片描述
在这里插入图片描述
在这里插入图片描述

ip计数业务功能开发

在这里插入图片描述

public class IpCountService {private Map<String,Integer> ipCountMap = new HashMap<String,Integer>();@Autowired// 当前的request对象的诸如工作由当前的starter的工程提供自动装配private HttpServletRequest httpServletRequest;public void count(){// 每次调用当前操作,就记录当前访问的ip,然后累加访问次数// 1.获取当前操作的ip地址String ip = httpServletRequest.getRemoteAddr();System.out.println("----------------------------------" + ip);// 2.根据ip地址从map取值,并递增ipCountMap.put(ip,ipCountMap.get(ip)==null? 0+1 : ipCountMap.get(ip) + 1);}
}

在这里插入图片描述
使用@import注入bean也可以

public class IpAutoCinfiguration {@Beanpublic IpCountService ipCountService(){return new IpCountService();}
}

在这里插入图片描述

org.springframework.boot.autoconfigure.EnableAutoConfiguration=\
cn.itcast.autoconfig.IpAutoCinfigur

在这里插入图片描述

    @Autowiredprivate IpCountService ipCountService;@GetMapping("/{currentPage}/{pageSize}")public R getPage(@PathVariable int currentPage,@PathVariable int pageSize,Book book){ipCountService.count();IPage<Book> page = bookService.getPage(currentPage, pageSize,book);// 如果当前页码值大于总页码值,那么重新执行查询操作,使用最大页码值作为当前页码值if (currentPage > page.getPages()){page = bookService.getPage((int)page.getPages(), pageSize,book);}return new R(true,page);}

在这里插入图片描述

定时任务报表开发

在这里插入图片描述

@EnableScheduling
public class IpAutoCinfiguration {@Beanpublic IpCountService ipCountService(){return new IpCountService();}
}

在这里插入图片描述

@Scheduled(cron = "0/5 * * * * ?")public void print(){System.out.println("           ip访问监控");System.out.println("+-----ip-address-----+---+");for (Map.Entry<String, Integer> entry : ipCountMap.entrySet()) {String key = entry.getKey();Integer value = entry.getValue();System.out.println(String.format("|%18s  |%5d  |",key,value));}System.out.println("+--------------------+---+");}

在这里插入图片描述

使用属性配置功能设置功能参数

在这里插入图片描述

@ConfigurationProperties(prefix = "tools.ip")
public class IpProperties {/*** 日志的显示周期*/private Long cycle = 5L;/*** 是否周期内重置数据*/private Boolean cycleReset = false;/*** 日志的输出模式  detail:详细模式,simple:极简模式*/private String model = LogModel.DETAIL.value;public enum LogModel{DETAIL("detail"),SIMPLE("simple");private String value;LogModel(String value){this.value = value;}public String getValue(){return value;}}public Long getCycle() {return cycle;}public void setCycle(Long cycle) {this.cycle = cycle;}public Boolean getCycleReset() {return cycleReset;}public void setCycleReset(Boolean cycleReset) {this.cycleReset = cycleReset;}public String getModel() {return model;}public void setModel(String model) {this.model = model;}
}

在这里插入图片描述

@EnableScheduling
@EnableConfigurationProperties(IpProperties.class)
public class IpAutoCinfiguration {@Beanpublic IpCountService ipCountService(){return new IpCountService();}
}

在这里插入图片描述

    @Autowiredprivate IpProperties ipProperties;@Scheduled(cron = "0/5 * * * * ?")public void print(){if(ipProperties.getModel().equals(IpProperties.LogModel.DETAIL.getValue())){System.out.println("           ip访问监控");System.out.println("+-----ip-address-----+--num--+");for (Map.Entry<String, Integer> entry : ipCountMap.entrySet()) {String key = entry.getKey();Integer value = entry.getValue();System.out.println(String.format("|%18s  |%5d  |",key,value));}System.out.println("+--------------------+---+");} else if (ipProperties.getModel().equals(IpProperties.LogModel.SIMPLE.getValue())) {System.out.println("       ip访问监控");System.out.println("+-----ip-address-----+");for (String key : ipCountMap.keySet()) {System.out.println(String.format("|%18s  |",key));}System.out.println("+--------------------+");}if(ipProperties.getCycleReset()){ipCountMap.clear();}}

在这里插入图片描述
在这里插入图片描述

tools:ip:
#    cycle: 1
#    cycle-reset: true
#    model: "simple"

配置调整

在这里插入图片描述
自定义bean名称,原因如下:
因为我们的周期属性是要配置在cron表达式中的,但是如何获取配置的属性,需要读取到bean,但是直接找bean的话,名字特别长,而且这个bean的名字和beanName的生成器生成的名称恰巧与我们的表达式冲突,所以就曲线救国,自己给bean起个名字。
但是自己起个名字就出现了另一个问题,我们的配置类上以前是使用@EnableConfigurationProperties(IpProperties.class)注册的IpProperties的bean,现在IpProperties被注册了两次bean,又有了新的问题,所以我们在IpAutoCinfiguration上把以前的EnableConfigurationProperties的方式换成Import的方式导入bean。
在这里插入图片描述
在这里插入图片描述

自定义拦截器

在这里插入图片描述

public class IpCountInterceptor implements HandlerInterceptor {@Autowiredprivate IpCountService ipCountService;@Overridepublic boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws Exception {ipCountService.count();return true;}}

在这里插入图片描述

@Configuration
public class SpringMvcConfig implements WebMvcConfigurer {@Beanpublic IpCountInterceptor ipCountInterceptor(){return new IpCountInterceptor();}@Overridepublic void addInterceptors(InterceptorRegistry registry) {registry.addInterceptor(ipCountInterceptor()).addPathPatterns("/**");}
}

写完后要在启动类上加上拦截器哟!,使用Import加进去。

@EnableScheduling
//@EnableConfigurationProperties(IpProperties.class)
@Import({IpProperties.class, IpCountInterceptor.class, SpringMvcConfig.class})
public class IpAutoCinfiguration {@Beanpublic IpCountService ipCountService(){return new IpCountService();}
}

开启yml提示功能

在这里插入图片描述

<!--        <dependency>-->
<!--            <groupId>org.springframework.boot</groupId>-->
<!--            <artifactId>spring-boot-configuration-processor</artifactId>-->
<!--        </dependency>-->

用这个坐标生成spring-configuration-metadata,也就是加上这个坐标,然后clean-install,就会生成这个文件,把这个文件从target目录中找到并且提出来,放到我们的配置目录下,这个坐标就可以注释了,因为上线用不到。
在这里插入图片描述

  "hints": [{"name": "tools.ip.model","values": [{"value": "detail","description": "详细模式."},{"value": "simple","description": "极简模式."}]}]

提示功能默认是[],自己照着样子配就行了。
在这里插入图片描述

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

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

相关文章

matplot函数调整子图大小测试

调整subplot()函数的子图间距 import numpy as np import matplotlib.pyplot as plt for i in range(1,7):figsize 10,6plt.subplot(2,3,i)plt.text(0.5,0.5,str((2,3,i)),fontsize18,hacenter) **plt.subplots_adjust(hspace3.3, wspace0.3)** plt.show()import numpy as np…

水果党flstudio用什么midi键盘?哪个版本的FL Studio更适合我

好消息&#xff01;好消息&#xff01;特大好消息&#xff01; 水果党们&#xff01;终于有属于自己的专用MIDI键盘啦&#xff01; 万众期待的Novation FLKEY系列 正式出炉&#xff01; 话有点多话&#xff0c;先分享一份干货&#xff0c;尽快下载 FL Studio 21 Win-安装包&…

2023人工智能和市场营销的融合报告:创造性合作的新时代需要新的原则

今天分享的人工智能系列深度研究报告&#xff1a;《2023人工智能和市场营销的融合报告&#xff1a;创造性合作的新时代需要新的原则》。 &#xff08;报告出品方&#xff1a;M&CSAATCHITHINKS&#xff09; 报告共计&#xff1a;11页 生成型人工智能的兴起和重要性 生成式…

美易投资:股价低于1美元的美股数量激增,低价股会下跌成趋势?

随着疫情的蔓延和股市的波动&#xff0c;越来越多的美股股价低于1美元&#xff0c;这一现象引起了市场的广泛关注。低价股数量的激增是否会逆势下跌成为市场趋势&#xff0c;这是投资者们需要思考的问题。 首先&#xff0c;我们需要了解股价低于1美元的背后原因。一方面&#x…

深入探讨Redis高可用性解决方案:Sentinel与Cluster对比

目录 引言 Redis Sentinel&#xff1a;监控与故障切换 工作原理 关键特点 Redis Cluster&#xff1a;分布式与自动化 工作原理 关键特点 对比与选择 架构差异 配置差异 自动化程度 适用场景 结语 引言 在构建可靠的分布式系统中&#xff0c;Redis作为一种高性能的…

P8 Linux 目录操作

目录 前言 01 mkdir 系统调用 mkdir的代码示例 02 rmdir删除目录 03 打开、读取以及关闭目录 3.1 opendir()函数原型&#xff1a; 04 读取目录 readdir() 05 struct dirent 结构体&#xff1a; 06 rewinddir ()函数重置目录流 07 关闭目录 closedir ()函数 测试:打印…

IT基础监控方案:5台服务器和20台网络设备监控

一、项目背景与目标 随着中小企业业务的快速发展&#xff0c;网络设备数量不断增加&#xff0c;运维工作面临巨大挑战。为了提高网络设备运行稳定性、降低故障风险并实现高效管理&#xff0c;本方案旨在建立一个基础监控与管理的平台&#xff0c;实现对5个服务器和20多个网络设…

基于深度学习的遥感图像变化差异可视化系统

1.研究背景与意义 项目参考AAAI Association for the Advancement of Artificial Intelligence 研究背景与意义 遥感图像变化差异可视化是遥感图像处理和分析的重要研究领域之一。随着遥感技术的快速发展和遥感数据的广泛应用&#xff0c;遥感图像的获取和处理变得越来越容易…

英伟达显卡系列与架构、代表产品

主要系列 1、GeForce系列&#xff1a; GeForce系列是NVIDIA最主要的消费者显卡系列&#xff0c;用于游戏和娱乐。包括不同性能水平的产品&#xff0c;从入门级到高端。 2、Quadro系列&#xff1a; Quadro系列是专业级别的显卡&#xff0c;主要用于专业图形工作站&#xff0c;…

【LeeCode】1.两数之和

给定一个整数数组 nums 和一个整数目标值 target&#xff0c;请你在该数组中找出 和为目标值 target 的那 两个 整数&#xff0c;并返回它们的数组下标。 你可以假设每种输入只会对应一个答案。但是&#xff0c;数组中同一个元素在答案里不能重复出现。 你可以按任意顺序返回…

os.popen()返回值带有换行

merge_base os.popen(git merge-base origin/master HEAD) merge_base_commit_id merge_base.read() print(merge_base_commit_id )输出&#xff1a; xxxxxxxxxxxx所以merge_base_commit_id的真实值其实是‘xxxxxxxxxxxx\n’&#xff0c;如果作为变量被使用应该去掉最后的换…

python-比较Excel两列数据,并分别显示差异

利用 openpyxl 模块&#xff0c;操作Excel&#xff0c;比较Excel两列数据&#xff0c;并分别显示差异 表格数据样例如下图 A&#xff0c;B两列是需要进行比较的数据&#xff08;数据源为某网站公开数据&#xff09;&#xff1b;C&#xff0c;D两列是比较结果的输出列 A&#…

【SA8295P 源码分析】137 - 车载以太网协议学习总结(待更新......)

【SA8295P 源码分析】137 - 车载以太网协议学习总结 一、Ethernet 以太网介绍1.1 实效性:AVB(Audio Video Bridging)/ TSN(Time-Sensitive Networking)1.1.1 Synchronization:同步,协议(802.1AS)1.1.2 Latency:低延迟,协议(802.1Qav、802.1Qbu、802.1Qbv、802.1ch、…

【RabbitMQ高级功能详解以及常用插件实战】

文章目录 队列1 、Classic经典队列2、Quorum仲裁队列 队列 classic经典队列&#xff0c;Quorum仲裁队列&#xff0c;Stream流式队列 1 、Classic经典队列 这是RabbitMQ最为经典的队列类型。在单机环境中&#xff0c;拥有比较高的消息可靠性。 在RabbitMQ中&#xff0c;经典…

小白学习java理解栈手写栈——第四关(青铜挑战)

内容1.理解栈的基本特征2.理解如何使用数组来构造栈3.理解如何使用链表来构造栈 1.栈的基础知识 1.1栈的特征 栈和队列是比较特殊的线性表&#xff0c;又称为访问受限的线性表。栈是很多表达式、符号等运算的基础&#xff0c;也是递归的底层实现&#xff0c;理论上递归能做的…

Linux 防病毒软件:CentOS有哪些付费的防病毒软件

CentOS是一个基于开源的Linux发行版,通常不像Windows那样普遍需要使用付费的防病毒软件。大多数Linux系统侧重于使用开源和免费的安全工具来保护系统。一些常见的免费和开源的防病毒软件和安全工具包括ClamAV、Sophos Antivirus for Linux、rkhunter、chkrootkit等。 如果你非…

python中的map函数

map() 是一个内建函数&#xff0c;用于对一个可迭代对象的每个元素应用指定的函数&#xff0c;返回一个新的可迭代对象&#xff08;通常是一个 map 对象或列表&#xff09;。 map() 函数的基本语法如下&#xff1a; map(function, iterable, ...)function: 用于处理每个元素的…

[数据集][目标检测]拉横幅识别横幅检测数据集VOC+yolo格式1962张1类别

数据集格式&#xff1a;Pascal VOC格式(不包含分割路径的txt文件&#xff0c;仅仅包含jpg图片以及对应的VOC格式xml文件和yolo格式txt文件) 图片数量(jpg文件个数)&#xff1a;1962 标注数量(xml文件个数)&#xff1a;1962 标注数量(txt文件个数)&#xff1a;1962 标注类别数&a…

Redis RedisHelper

1、添加StackExchange.Redis引用 Install-Package StackExchange.Redis -Version 2.0.601 2、封装RedisHelper using StackExchange.Redis; using System; using System.Collections.Generic; using System.IO; using System.Linq; using System.Runtime.Serialization.Form…