Python -- 限流 throttle

摘要:
前言:业务服务在打开后遇到并发数据扫描,因此需要进行流量限制操作。窗口电流限制要求是限制Django项目中的电流_框架视图也很容易处理。它直接提供电流限制rest_ Frameworkthrottling可以通过引用文档来设置。无法直接使用这些设置的原因是,项目只负责转发Django创建的服务,然后将其代理到另一个服务。rest_框架提供了比较和错误的概念,这类似于一组虚线记录的实现。片段存储和虚线记录是需要限制的实时条件。

前言
一个业务型的服务,被open接口后,遭遇并发扫数据,于是要做限流操作。一直固执的认为,业务API和OpenAPI要分开处理,或许因为起初接入其他企业ERP系统都是走较为规范的OpenAPI,始终对于这种开发系统业务API的做法感觉不好。

窗口限流
需求是要在Django的一个工程里做限流,倘若是rest_framework的View也好办,直接就提供了限流 rest_framework throttling
可参照文档设置。不能直接使用设置的原因是,面对是Django做的一个服务,然后proxy至别的服务,工程仅仅承担一个转发的职责。如果在LB上限流,无法区分来源IP,只能是总量限流,很可能导致一旦被限流,正常平台访问被拒绝。所以我需要的限流需求非常清晰,首先限流的粒度是需要先知道访问来源的真实IP,在一定窗口时间内的访问次数,诸如 100/min。

rest_framework 提供了比错的实现思路,类似实现一套打点记录的,片段存储,打点记录为需要限制的实时条件。就以上述 100/min为例,首先一分钟之内,IP1没有任何访问,则没有任何限制数据,redis的过期时间,满足了此数据设置,再有,1分钟之内,要满足次数不超过100次,维护一个数组,长度超过100则意味超过访问限制,数组中记录请求每次访问的时刻值,窗口滑动就是淘汰掉连续访问中,以当前时刻后置一分钟之前的访问打点,保证了数组窗口永远都是以当前最近请求进入1min之内的记录点。

# throttle setting
THROTTLE_RATES = {
'resource1': '100/min',
'resource2': '20/second'
}

# throttle class
class WindowAccessThrottle:

cache = Cache()
timer = time.time

def __init__(self, request, view, scope):
self.rate = settings.THROTTLE_RATES[scope]
self.request = request
self.view = view
self.key = self.get_cache_key()

def parse_rate(self):
num, period = self.rate.split('/')
num_requests = int(num)
duration = {'s': 1, 'm': 60, 'h': 3600, 'd': 86400}[period[0]]
return num_requests, duration

def get_cache_key(self):
host = self.request.META['HTTP_X_FORWARDED_FOR']
if self.request.META.get('HTTP_X_FORWARDED_FOR', None) else
self.request.META['REMOTE_ADDR']
return 'throttle:{}:{}'.format(host, self.view.__name__)

def allow_request(self):
history = self.cache.get_value(self.key, [])
now = self.timer()
num_requests, duration = self.parse_rate()

while history and history[-1] <= now - duration:
history.pop()
if len(history) >= num_requests:
return False

history.insert(0, now)
self.cache.set(self.key, history, duration)
return True
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
注意
1,上述示例可根据实际需求修改
2,在做IP级别限定是,如果直接调用request.META[‘REMOTE_ADDR’]获取的是请求直接过来的IP,实际部署服务多数是经过LB,或者nginx反向代理的,REMOTE_ADDR多数就是前置LB的IP,所以取用HTTP_X_FORWARDED_FOR获取发起请求的远端IP。
3,cache = Cache()就是一个redis的封装,稍微实现下cache.get_value(self.key, [])对获取支持默认值
4,使用时类似原生的throttle,在view函数中设置 scope
4,配合Django的中间件,调用判定,大致如下:

from django.urls import resolve

'''
实际下面中间件需要根据需求自定义调试,如果只是rest_framework的View可以直接用原生的设定,因为笔者是自己封装的转发View,
相当于重新自定义一个完全新的通用视图,需要重新实现限流
'''
class ThrottleMiddleware(MiddlewareMixin):
def process_request(self, request):
resolver = resolve(request.path)
throttle_scope = getattr(resolver.func, 'throttle_scope', None)
throttle = WindowAccessThrottle(request, resolver.func, throttle_scope)
if throttle.allow_request():
return
else:
return HttpResponse()
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
漏斗限流
上面窗口限流,一定程度上解决了流量猛增的问题,但是以上面 120/min的限流为例,用户在1分钟的某一瞬间,120的并发,此种场景,上面的限流器基本没有作用了,设想能够在短时间内,既限制访问的总量,也能限制访问的频率至于过高,漏斗限流就非常理想,基本抽象模型:
1,漏斗参数:
- capacity:容量,漏斗大小
- rate:漏斗流出速率,可以用 total和duration计算,一段时间duration内允许通过的总量total
2,当漏斗为空漏斗时:
- 访问进入的速率 < rate,此时漏斗无积压,请求一律通过
- 访问进入的速率 >= rate,此时漏斗中逐渐积压,且漏斗以rate值不断流出
3,当漏斗不为空时:
- 出水口以最大速率流出
- 漏斗未满,会继续纳入
- 漏斗已满,则会直接溢出,拒绝请求
用漏斗限流实现上述IP限流,示例如下:

THROTTLE_RATES = {
'funnel': {
'capacity': 15,
'duration': 60, # seconds
'total': 30,
},
}

class FunnelThrottle:

cache = CusCache()
timer = time.time

def __init__(self, request, view, scope):
config = settings.THROTTLE_RATES[scope]
self.rate = config['total'] / config['duration']
self.capacity = config['capacity']
self.duration = config['duration']
self.request = request
self.view = view
self.key = self.get_cache_key()

def get_cache_key(self):
"""
same as WindowAccessThrottle
"""
pass

def allow_request(self):
history = self.cache.get_value(self.key, [])
now = self.timer()
if not history: # 空漏斗直接放行
history.insert(0, now)
self.cache.set(self.key, history, self.duration)
return True

latest_duration = now - history[0] # 距离最近的一次放行时间间隔
leak_count = int(latest_duration * self.rate) # 由间隔时间和漏斗流速计算此段时间漏斗腾出空间
for i in range(leak_count):
if history:
history.pop()
else:
break

# 在上述漏斗清理流出空间后,漏斗仍旧满量,直接判定不可访问
if len(history) >= self.capacity:
return False

# 如果可访问,请求进入漏斗计量
history.insert(0, now)
self.cache.set(self.key, history, self.duration)
return True
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
Note:
1,漏斗限流方式和之前窗口限流所用的数据结构在cache中基本一致,只因判定算法不同,所达到的限流效果,完全不同
2,漏斗限流,进入漏斗计量的点,表示一律放行通过了,只是,在漏斗中会根据下一次访问进入时间判定该点是否由漏斗的rate失效,而达到容量合理,限制流速的效果

Redis 漏斗限流 (redis-cell)
上述的漏斗限流算法,在Redis的模块中已经内置实现了一个,具体介绍请参见Github redis-cell详细介绍 笔者安装在MacOS上,基本没有问题:

# 下载mac版本安装包
https://github.com/brandur/redis-cell/releases
# 解压
tar -zxf redis-cell-*.tar.gz
# 复制可执行文件
cp libredis_cell.dylib /your_redis_server_localtion
# 重启redis-server,把libredis_cell.dylib加载上
redis-server --loadmodule /path/to/modules/libredis_cell.dylib
1
2
3
4
5
6
7
8
安装重启后,可以在redis中执行 CL.THROTTLE 命令:

# CL.THROTTLE user123 15 30 60 1和实现算法中的配置类似,user123表示限流key,15: capacity,30: total,60: duration,
127.0.0.1:6379> CL.THROTTLE user123 15 30 60 1
1) (integer) 0 # 0表示允许,1表示拒绝
2) (integer) 16 # 漏斗容量 max_burst + 1 = 15 +1 =16
3) (integer) 15 # 漏斗剩余容量
4) (integer) -1 # 如果被拒绝,多少秒后重试
5) (integer) 2 # 多长时间后漏斗完全漏空
1
2
3
4
5
6
7
但是redis-cell没有找到对应的sdk

Python Bound method
# python 3.x
def func():
pass

class A:
@classmethod
def method_cls(cls):
pass
def method_a(self):
pass
class B(A):
pass

a, b = A(), B()
print(func) # <function func at 0x10ee8a1e0>
print(a.method_a) # <bound method A.method_a of <__main__.A object at 0x10ef11978>>
print(b.method_cls) # <bound method A.method_cls of <class '__main__.B'>>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
对于上文中 func就是一个函数对象,而method_a 和 method_cls 是归属类A的所以,是一个bound method,那么如何查看一个 bound method的归属呢?
Python 2.x中提供了 im_func,im_class,im_self三个属性:

im_func is the function object.
im_class is the class the method comes from.
im_self is the self object the method is bound to.
Python3.x中

__func__ replace im_func
__self__ replace im_self
2.x中的 im_class取消
# python 3.x
print(a.method_a.__self__)
print(b.method_cls.__self__)
# print(func.__self__) error func 无 __self__
print(b.method_cls.__self__.__name__)
# print(b.method_cls.__self__.__name__) error b.method_cls.__self__是一个实例,无__name__属性
1
2
3
4
5
6
关于 __name__ 和 __qualname__ 请参见 PEP 3155
————————————————
版权声明:本文为CSDN博主「Inevitable-Neo」的原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接及本声明。
原文链接:https://blog.csdn.net/duxiangwushirenfei/java/article/details/99982959

免责声明:文章转载自《Python -- 限流 throttle》仅用于学习参考。如对内容有疑问,请及时联系本站处理。

上篇【原创】《.net本质论》读书笔记三js 判断 是否在当前页面下篇

宿迁高防,2C2G15M,22元/月;香港BGP,2C5G5M,25元/月 雨云优惠码:MjYwNzM=

相关文章

吴裕雄 python 机器学习——模型选择参数优化随机搜索寻优RandomizedSearchCV模型

import scipy from sklearn.datasets import load_digits from sklearn.metrics import classification_report from sklearn.linear_model import LogisticRegression from sklearn.model_sel...

Python编程软件的安装与使用——Windows、Linux和Mac

Python版本:3.6.2  操作系统:Windows  作者:SmallWZQ        最近,有读者透露:Python软件如何安装?为什么自己安装的软件会有各种“奇怪”的问题?据此,本篇随笔将具体讲述如何安装Python 3.x版本的软件。特别地,篇中所述的不是安装文本编辑器(比如Notepad++,Sublimetext,PyCharm.......

一步一步带你安装史上最难安装的 vim 插件

YouCompleteMe is a fast, as-you-type, fuzzy-search code completion engine for Vim.参考:https://github.com/Valloric/YouCompleteMe#full-installation-guide本篇文章默认读者知道什么是 unix/linux,vim/...

Python-元组(tuple),文件

基础: 1. 元组由简单对象组构成。 2. 元组与列表类似,不过不能在原处修改(它们是不可变的),并且通常写成圆括号(),而不是方框号[]中的一系列项。 ========================================================================== >>> (1,2) + (3,4)...

python爬取网易翻译 和MD5加密

一、程序需要知识 1、python中随机数的生成 #生成 0 ~ 9 之间的随机数 #导入 random(随机数) 模块 importrandom print(random.randint(0,9)) 2、python获取当前时间和时间戳 importtime,datetime #时间戳 print(time.time()) #今天的日期 prin...

python读写excel

Python操作excel表,需要用到两个库:xlrd和xlwt 1、获取excel表Book对象实例:   book = xlrd.open_workbook(filepath) 2、获取excel的Sheet对象   sheet_nums = book.nsheets    获取Sheet对象个数   sheet = book.sheet_by_ind...