当前位置: 首页 > news >正文

vue 实现网站开发wordpress怎么设置访问

vue 实现网站开发,wordpress怎么设置访问,网站开发需要哪些技能,国内人工智能比较厉害的公司SpringBoot第22讲#xff1a;SpringBoot如何实现接口限流之分布式 上文中介绍了单实例下如何在业务接口层做限流#xff0c;本文是SpringBoot第22讲#xff0c;主要介绍分布式场景下限流的方案#xff0c;以及什么样的分布式场景下需要在业务层加限流而不是接入层; 并且结合…SpringBoot第22讲SpringBoot如何实现接口限流之分布式 上文中介绍了单实例下如何在业务接口层做限流本文是SpringBoot第22讲主要介绍分布式场景下限流的方案以及什么样的分布式场景下需要在业务层加限流而不是接入层; 并且结合 开源的ratelimiter-spring-boot-starter 为例作者是kailing 学习思路代码封装starter封装。 文章目录 SpringBoot第22讲SpringBoot如何实现接口限流之分布式1、准备知识点2、实现思路之redislua封装2.1、使用场景为什么有些分布式场景下还会在代码层进行控制限流2.2、源代码的要点1、快速开始1.1、添加组件依赖已上传到maven中央仓库1.2、application.properties 配置1.3、在需要加限流逻辑的方法上添加注解 RateLimit如1.3.1 RateLimit 注解说明1.3.2 限流的粒度限流 key1.3.3 触发限流后的行为 2、进阶用法2.1、自定义限流的 key2.1.1、RateLimitKey 的方式2.1.2、指定 keys 的方式2.1.3、自定义 key 获取函数 2.2、自定义限流后的行为2.2.1、配置响应内容2.2.2、自定义限流触发异常处理器2.2.3、自定义触发限流处理函数限流降级 2.3 动态设置限流大小2.3.1、rateExpression 的使用 3、集成示例、测验3.1、集成测验3.2、压力测试 4、版本更新4.1、v1.1.1版本更新内容4.2、v1.2版本更新内容 3、示例源码 1、准备知识点 上文我们提到了分布式限流的思路 我们需要分布式限流和接入层限流来进行全局限流。 redislua实现中的lua脚本 ✔️使用NginxLua实现的Lua脚本使用 OpenResty 开源的限流方案限流框架比如Sentinel实现降级限流熔断 ✔️ 2、实现思路之redislua封装 redislua是代码层实现较为常见的方案网上有很多的封装 我这里找一个给你分享下。以 gitee开源的ratelimiter-spring-boot-starter为例作者是kailing 值得初学者学习思路代码封装starter封装 2.1、使用场景为什么有些分布式场景下还会在代码层进行控制限流 基于 redis 的偏业务应用的分布式限流组件使得项目拥有分布式限流能力变得很简单。限流的场景有很多常说的限流一般指网关限流控制好洪峰流量以免打垮后方应用。这里突出偏业务应用的分布式限流的原因是因为区别于网关限流业务侧限流可以轻松根据业务性质做到细粒度的流量控制。比如如下场景 案例一 有一个公开的 openApi 接口 openApi 会给接入方派发一个 appId此时如果需要根据各个接入方的 appId 限流网关限流就不好做了只能在业务侧实现 案例二 公司内部的短信接口内部对接了多个第三方的短信通道每个短信通道对流量的控制都不尽相同假设有的第三方根据手机号和短信模板组合限流网关限流就更不好做了 让我们看下作者kailing是如何封装实现 ratelimiter-spring-boot-starter的。 2.2、源代码的要点 Redis 客户端采用redissonAOP拦截方式 使用gradle引入如下包 ext {redisson_Version 3.15.1 }dependencies {compile org.redisson:redisson:${redisson_Version}compile org.springframework.boot:spring-boot-starter-aopcompileOnly org.springframework.boot:spring-boot-starter-webannotationProcessor org.springframework.boot:spring-boot-configuration-processortestImplementation org.springframework.boot:spring-boot-starter-testtestImplementation org.springframework.boot:spring-boot-starter-webtestImplementation org.springdoc:springdoc-openapi-ui:1.5.2 }RateLimit注解 作者考虑了时间表达式限流后的自定义回退后的拒绝逻辑, 用户自定义KeyPS这里其实可以加一些默认的Key生成策略比如按照方法策略 按照方法IP 策略, 按照自定义策略等默认为按照方法 package com.taptap.ratelimiter.annotation;import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target;/*** author kl (http://kailing.pub)* since 2021/3/16*/ Target(value {ElementType.METHOD}) Retention(value RetentionPolicy.RUNTIME) public interface RateLimit {/*** 时间窗口流量数量* return rate*/long rate();/*** 时间窗口流量数量表达式* return rateExpression*/String rateExpression() default ;/*** 时间窗口最小单位秒如 2s2h , 2d* return rateInterval*/String rateInterval();/*** 获取key* return keys*/String [] keys() default {};/*** 限流后的自定义回退后的拒绝逻辑* return fallback*/String fallbackFunction() default ;/*** 自定义业务 key 的 Function* return key*/String customKeyFunction() default ;}AOP拦截 around环绕方式 通过定义 RateLimiterService 获取方法注解的信息存放在为 RateLimiterInfo如果还定义了回调方法被限流后还会执行回调方法回调方法也在RateLimiterService中。 package com.taptap.ratelimiter.core;import com.taptap.ratelimiter.annotation.RateLimit; import com.taptap.ratelimiter.exception.RateLimitException; import com.taptap.ratelimiter.model.LuaScript; import com.taptap.ratelimiter.model.RateLimiterInfo; import org.aspectj.lang.ProceedingJoinPoint; import org.aspectj.lang.annotation.Around; import org.aspectj.lang.annotation.Aspect; import org.redisson.api.RScript; import org.redisson.api.RedissonClient; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.core.annotation.Order; import org.springframework.stereotype.Component; import org.springframework.util.StringUtils; import java.util.ArrayList; import java.util.List;/*** Created by kl on 2017/12/29.* Content : 切面拦截处理器*/ Aspect Component Order(0) public class RateLimitAspectHandler {private static final Logger logger LoggerFactory.getLogger(RateLimitAspectHandler.class);private final RateLimiterService rateLimiterService;private final RuleProvider ruleProvider;public RateLimitAspectHandler(RateLimiterService lockInfoProvider, RuleProvider ruleProvider) {this.rateLimiterService lockInfoProvider;this.ruleProvider ruleProvider;}Around(value annotation(rateLimit))public Object around(ProceedingJoinPoint joinPoint, RateLimit rateLimit) throws Throwable {Rule rule ruleProvider.getRateLimiterRule(joinPoint, rateLimit);Result result rateLimiterService.isAllowed(rule);boolean allowed result.isAllow();if (!allowed) {logger.info(Trigger current limiting,key:{}, rule.getKey());if (StringUtils.hasLength(rule.getFallbackFunction())) {return ruleProvider.executeFunction(rule.getFallbackFunction(), joinPoint);}long extra result.getExtra();throw new RateLimitException(Too Many Requests, extra, rule.getMode());}return joinPoint.proceed();} }Rule getRateLimiterRule(JoinPoint joinPoint, RateLimit rateLimit) {MethodSignature signature (MethodSignature) joinPoint.getSignature();String businessKeyName this.getKeyName(joinPoint, rateLimit);String rateLimitKey this.getKey(signature) businessKeyName;if (StringUtils.hasLength(rateLimit.customKeyFunction())) {try {rateLimitKey this.getKey(signature) this.executeFunction(rateLimit.customKeyFunction(), joinPoint).toString();} catch (Throwable throwable) {logger.info(Gets the custom Key exception and degrades it to the default Key:{}, rateLimit, throwable);}}int rate this.getRate(rateLimit);int bucketCapacity this.getBucketCapacity(rateLimit);long rateInterval DurationStyle.detectAndParse(rateLimit.rateInterval()).getSeconds();Rule rule new Rule(rateLimitKey, rate, rateLimit.mode());rule.setRateInterval(Long.valueOf(rateInterval).intValue());rule.setFallbackFunction(rateLimit.fallbackFunction());rule.setRequestedTokens(rateLimit.requestedTokens());rule.setBucketCapacity(bucketCapacity);return rule; }这里LuaScript加载定义的lua脚本 package com.taptap.ratelimiter.model;import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.util.StreamUtils; import java.io.IOException; import java.io.InputStream; import java.nio.charset.StandardCharsets;/*** author kl (http://kailing.pub)* since 2021/3/18*/ public final class LuaScript {private LuaScript() {}private static final Logger log LoggerFactory.getLogger(LuaScript.class);private static final String timeWindowRateLimiterScript;private static final String tokenBucketRateLimiterScript;static {timeWindowRateLimiterScript getRateLimiterScript(META-INF/timeWindow-rateLimit.lua);tokenBucketRateLimiterScript getRateLimiterScript(META-INF/tokenBucket-rateLimit.lua);}private static String getRateLimiterScript(String scriptFileName) {InputStream inputStream Thread.currentThread().getContextClassLoader().getResourceAsStream(scriptFileName);try {return StreamUtils.copyToString(inputStream, StandardCharsets.UTF_8);} catch (IOException e) {log.error(tokenBucket-rateLimit.lua Initialization failure, e);throw new RuntimeException(e);}}public static String getTimeWindowRateLimiterScript() {return timeWindowRateLimiterScript;}public static String getTokenBucketRateLimiterScript() {return tokenBucketRateLimiterScript;} }lua脚本放在META-INF/timeWindow-rateLimit.lua 如下 -- -- Created by IntelliJ IDEA. -- User: kl -- Date: 2021/3/18 -- Time: 11:17 上午 -- To change this template use File | Settings | File Templates. local rateLimitKey KEYS[1]; local rate tonumber(ARGV[1]); local rateInterval tonumber(ARGV[2]);local allowed 1; local ttlResult 0; local currValue redis.call(incr, rateLimitKey); if (currValue 1) thenredis.call(expire, rateLimitKey, rateInterval);allowed 1; elseif (currValue rate) thenallowed 0;ttlResult redis.call(ttl, rateLimitKey);end end return { allowed, ttlResult }tokenBucket-rateLimit.lua -- https://gist.github.com/ptarjan/e38f45f2dfe601419ca3af937fff574d#file-1-check_request_rate_limiter-rb-L11-L34 redis.replicate_commands()local tokens_key KEYS[1] local timestamp_key KEYS[2]local rate tonumber(ARGV[1]) local capacity tonumber(ARGV[2]) local requested tonumber(ARGV[3]) local now redis.call(TIME)[1]local fill_time capacity/rate local ttl math.floor(fill_time*2)local last_tokens tonumber(redis.call(get, tokens_key)) if last_tokens nil thenlast_tokens capacity endlocal last_refreshed tonumber(redis.call(get, timestamp_key)) if last_refreshed nil thenlast_refreshed 0 endlocal delta math.max(0, now-last_refreshed) local filled_tokens math.min(capacity, last_tokens(delta*rate)) local allowed filled_tokens requested local new_tokens filled_tokens local allowed_num 0 if allowed thennew_tokens filled_tokens - requestedallowed_num 1 endif ttl 0 thenredis.call(setex, tokens_key, ttl, new_tokens)redis.call(setex, timestamp_key, ttl, now) endreturn { allowed_num, new_tokens }starter自动装配 RateLimiterAutoConfiguration RateLimiterProperties spring.factories package com.taptap.ratelimiter.configuration;import com.taptap.ratelimiter.core.BizKeyProvider; import com.taptap.ratelimiter.core.RateLimitAspectHandler; import com.taptap.ratelimiter.core.RateLimiterService; import com.taptap.ratelimiter.web.RateLimitExceptionHandler; import io.netty.channel.nio.NioEventLoopGroup; import org.redisson.Redisson; import org.redisson.api.RedissonClient; import org.redisson.codec.JsonJacksonCodec; import org.redisson.config.Config; import org.springframework.boot.autoconfigure.AutoConfigureAfter; import org.springframework.boot.autoconfigure.condition.ConditionalOnMissingBean; import org.springframework.boot.autoconfigure.condition.ConditionalOnProperty; import org.springframework.boot.autoconfigure.data.redis.RedisAutoConfiguration; import org.springframework.boot.context.properties.EnableConfigurationProperties; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import org.springframework.context.annotation.Import;/*** author kl (http://kailing.pub)* since 2021/3/16*/ Configuration ConditionalOnProperty(prefix RateLimiterProperties.PREFIX, name enabled, havingValue true) AutoConfigureAfter(RedisAutoConfiguration.class) EnableConfigurationProperties(RateLimiterProperties.class) Import({RateLimitAspectHandler.class, RateLimitExceptionHandler.class}) public class RateLimiterAutoConfiguration {private final RateLimiterProperties limiterProperties;public RateLimiterAutoConfiguration(RateLimiterProperties limiterProperties) {this.limiterProperties limiterProperties;}Bean(destroyMethod shutdown)ConditionalOnMissingBeanRedissonClient redisson() {Config config new Config();if (limiterProperties.getRedisClusterServer() ! null) {config.useClusterServers().setPassword(limiterProperties.getRedisPassword()).addNodeAddress(limiterProperties.getRedisClusterServer().getNodeAddresses());} else {config.useSingleServer().setAddress(limiterProperties.getRedisAddress()).setDatabase(limiterProperties.getRedisDatabase()).setPassword(limiterProperties.getRedisPassword());}config.setCodec(new JsonJacksonCodec());config.setEventLoopGroup(new NioEventLoopGroup());return Redisson.create(config);}Beanpublic RateLimiterService rateLimiterInfoProvider() {return new RateLimiterService();}Beanpublic BizKeyProvider bizKeyProvider() {return new BizKeyProvider();}}1、快速开始 来看下作者kailing是如何提供的ratelimiter-spring-boot-starter使用文档。 1.1、添加组件依赖已上传到maven中央仓库 maven dependencygroupIdcom.github.taptap/groupIdartifactIdratelimiter-spring-boot-starter/artifactIdversion1.2/version /dependencygradle implementation com.github.taptap:ratelimiter-spring-boot-starter:1.21.2、application.properties 配置 spring.ratelimiter.enabled truespring.ratelimiter.redis-address redis://127.0.0.1:6379 spring.ratelimiter.redis-password xxx启用 ratelimiter 的配置必须加默认不会加载。redis 相关的连接是非必须的如果你的项目里已经使用了 Redisson 则不用配置限流框架的 redis 连接 1.3、在需要加限流逻辑的方法上添加注解 RateLimit如 RestController RequestMapping(/test) public class TestController {GetMapping(/get)RateLimit(rate 5, rateInterval 10s)public String get(String name) {return hello;} }1.3.1 RateLimit 注解说明 RateLimit 注解可以添加到任意被 spring 管理的 bean 上不局限于 controllerservice 、repository 也可以。在最基础限流功能使用上以上三个步骤就已经完成了。RateLimit 有两个最基础的参数rateInterval 设置了时间窗口rate 设置了时间窗口内允许通过的请求数量 1.3.2 限流的粒度限流 key 限流的粒度是通过限流的 key 来做的在最基础的设置下限流的 key 默认是通过方法名称拼出来的规则如下 key RateLimiter_ 类名 方法名除了默认的 key 策略ratelimiter-spring-boot-starter 充分考虑了业务限流时的复杂性提供了多种方式。结合业务特征达到更细粒度的限流控制。 1.3.3 触发限流后的行为 默认触发限流后 程序会返回一个 http 状态码为 429 的响应响应值如下 {code:429,msg:Too Many Requests }同时响应的 header 里会携带一个 Retry-After 的时间值单位 s用来告诉调用方多久后可以重试。当然这一切都是可以自定义的进阶用法可以继续往下看 2、进阶用法 2.1、自定义限流的 key 自定义限流 key 有三种方式当自定义限流的 key 生效时限流的 key 就变成了默认的 key 自定义的 key。下面依次给出示例 2.1.1、RateLimitKey 的方式 RestController RequestMapping(/test) public class TestController {GetMapping(/get)RateLimit(rate 5, rateInterval 10s)public String get(RateLimitKey String name) {return get;} }RateLimitKey 注解可以放在方法的入参上要求入参是基础数据类型上面的例子如果 name kl。那么最终限流的 key 如下 key RateLimiter_com.taptap.ratelimiter.web.TestController.get-kl2.1.2、指定 keys 的方式 RestController RequestMapping(/test) public class TestController {GetMapping(/get)RateLimit(rate 5, rateInterval 10s, keys {#name})public String get(String name) {return get;}GetMapping(/hello)RateLimit(rate 5, rateInterval 10s, keys {#user.name, user.id})public String hello(User user) {return hello;} }keys 这个参数比 RateLimitKey 注解更智能基本可以包含 RateLimitKey 的能力只是简单场景下使用起来没有 RateLimitKey 那么便捷。keys 的语法来自 spring 的 Spel可以获取对象入参里的属性支持获取多个最后会拼接起来。使用过 spring-cache 的同学可能会更加熟悉 如果不清楚 Spel 的用法可以参考 spring-cache 的注解文档 2.1.3、自定义 key 获取函数 RestController RequestMapping(/test) public class TestController {GetMapping(/get)RateLimit(rate 5, rateInterval 10s, customKeyFunction keyFunction)public String get(String name) {return get;}public String keyFunction(String name) {return keyFunction name;} }当 RateLimitKey 和 keys 参数都没法满足时比如入参的值是一个加密的值需要解密后根据相关明文内容限流。可以通过在同一类里自定义获取 key 的函数这个函数要求和被限流的方法入参一致返回值为 String 类型。返回值不能为空为空时会回退到默认的 key 获取策略。 2.2、自定义限流后的行为 2.2.1、配置响应内容 spring.ratelimiter.enabledtrue spring.ratelimiter.response-bodyToo Many Requests spring.ratelimiter.status-code509添加如上配置后触发限流时http 的状态码就变成了 509 。响应的内容变成了 Too Many Requests 了 2.2.2、自定义限流触发异常处理器 默认的触发限流后限流器会抛出一个异常限流器框架内定义了一个异常处理器来处理。自定义限流触发处理器需要先禁用系统默认的限流触发处理器禁用方式如下 spring.ratelimiter.exceptionHandler.enablefalse然后在项目里添加自定义处理器如下 ControllerAdvice public class RateLimitExceptionHandler {private final RateLimiterProperties limiterProperties;public RateLimitExceptionHandler(RateLimiterProperties limiterProperties) {this.limiterProperties limiterProperties;}ExceptionHandler(value RateLimitException.class)ResponseBodypublic String exceptionHandler(HttpServletResponse response, RateLimitException e){HttpHeaders headers new HttpHeaders();if (e.getMode().equals(Mode.TIME_WINDOW)){headers.add(HttpHeaders.RETRY_AFTER, String.valueOf(e.getExtra()));}else {headers.add(REMAINING_HEADER, String.valueOf(e.getExtra()));}return ResponseEntity.status(limiterProperties.getStatusCode()).headers(headers).contentType(MediaType.APPLICATION_JSON).body(limiterProperties.getResponseBody());} }2.2.3、自定义触发限流处理函数限流降级 RequestMapping(/test) public class TestController {GetMapping(/get)RateLimit(rate 5, rateInterval 10s,fallbackFunction getFallback)public String get(String name) {return get;}public String getFallback(String name){return Too Many Requests name;}}这种方式实现和使用和 2.1.3、自定义 key 获取函数类似。但是多一个要求返回值的类型需要和原限流函数的返回值类型一致当触发限流时框架会调用 fallbackFunction 配置的函数执行并返回达到限流降级的效果 2.3 动态设置限流大小 2.3.1、rateExpression 的使用 从 v1.2 版本开始在 RateLimit 注解里新增了属性 rateExpression。该属性支持 Spel 表达式从 Spring 的配置上下文中获取值。 当配置了 rateExpression 后rate 属性的配置就不生效了。使用方式如下 GetMapping(/get2)RateLimit(rate 2, rateInterval 10s,rateExpression ${spring.ratelimiter.max})public String get2() {return get;}集成 apollo 等配置中心后可以做到限流大小的动态调整在线热更。 3、集成示例、测验 3.1、集成测验 启动 src/test/java/com/taptap/ratelimiter/Application.java 后访问 http://localhost:8080/swagger-ui.html 3.2、压力测试 压测工具 wrk https://github.com/wg/wrk测试环境: 8 核心 cpu jvm 内存给的 -Xms2048m -Xmx2048m 链接的本地的 redis #压测数据 kldeMacBook-Pro-6:ratelimiter-spring-boot-starter kl$ wrk -t16 -c100 -d15s --latency http://localhost:8080/test/wrk Running 15s test http://localhost:8080/test/wrk16 threads and 100 connectionsThread Stats Avg Stdev Max /- StdevLatency 6.18ms 20.70ms 281.21ms 98.17%Req/Sec 1.65k 307.06 2.30k 76.44%Latency Distribution50% 3.57ms75% 4.11ms90% 5.01ms99% 115.48ms389399 requests in 15.03s, 43.15MB read Requests/sec: 25915.91 Transfer/sec: 2.87MB压测下所有流量都过限流器qps 可以达到 2w。 4、版本更新 4.1、v1.1.1版本更新内容 1、触发限流时header 的 Retry-After 值单位由 ms 调整成了 s 4.2、v1.2版本更新内容 1、触发限流时响应的类型从 text/plain 变成了 application/json2、优化了限流的 lua 脚本将原来的两步 lua 脚本请求合并成了一个减少了和 redis 的交互3、限流的时间窗口大小支持 Spel 从 Spring 的配置上下文中获取结合 apollo 等配置中心后支持规则的动态下发热更新 3、示例源码 https://gitee.com/kailing/ratelimiter-spring-boot-starter
http://www.pierceye.com/news/254979/

相关文章:

  • 华强方特网站开发辽宁工程技术大学电子信息网
  • 信誉好的网站建设案例微网站后台录入
  • 网站ui界面设计模板WordPress能连接支付端口吗
  • 网站建设与维护ppt模板下载昆明 网站搭建
  • 手机网站建设浩森宇特摄影作品投稿平台
  • 网站类网站开发犯罪吗肇东网站建设云聚达
  • 云南通耀建设工程有限公司网站少儿编程老师需要具备什么条件
  • 陕西交通建设集团蓝商分公司网站wordpress增加模板
  • 创建网站目录权限建网站域名注册后需要
  • 现在还有企业做网站的吗浏览器登录入口
  • 如何进行目的地网站建设阳江网站建设推广
  • 移动网站搭建如何做高并发网站的架构设计
  • 网站特效网网站制作出租
  • 公司商标设计logo图案优化专业的公司
  • 郑州网站设计见效快微信公众平台小程序入口
  • 自动化毕设题目网站开发自家电脑做网站服务器w7花生壳
  • 网站文件目录结构wordpress 短信发送
  • 合肥专业做网站的公司东莞阳光网投诉电话
  • 网站呢建设英雄联盟更新公告最新
  • 做ps图标什么网站最好免费微网站怎么做
  • 网站建设与网络编辑综合实训课程指导手册pdf软件外包
  • 网站开发规划书怎么写wordpress前端会员中心
  • asp.net网站建设实战 pdfWordpress媒体库途径
  • 开家网站设计公司优化游戏性能的软件
  • php企业网站开发pdfdede5.7网站搬家
  • 珠海建设网站的公司哪家好精品wordpress 模板
  • 企业网站建设和实现 论文沧州最新消息今天
  • 连云港做企业网站公司wordpress小工具上下
  • 新房网站建设公司手机制作app需要什么软件
  • 网站备案登记表网站建设及规划