我们的项目
proj/__init__.py
/celery.py
/tasks.py
1 # celery.py
2 from celery import Celery
3
4 app = Celery('proj',
5 broker='amqp://', # 消息中介(我更喜欢叫消息枢纽)
6 backend='rpc://', # 后端,跟踪任务状态和结果
7 include=['proj.tasks']) # 引入指定的任务,即tasks.py
8
9 # Optional configuration, see the application user guide.
10 app.conf.update(
11 result_expires=3600, # 设置结果超时为1小时
12 )
13
14 if __name__ == '__main__':
15 app.start()
1 # tasks.py
2 from .celery import app
3
4
5 @app.task
6 def add(x, y):
7 return x + y
8
9
10 @app.task
11 def mul(x, y):
12 return x * y
13
14
15 @app.task
16 def xsum(numbers):
17 return sum(numbers)
注意:如果有多个修饰器的话,@app.task要放在最上面
启动worker
$ celery -A proj worker -l INFO
--------------- celery@halcyon.local v4.0 (latentcall)
--- ***** -----
-- ******* ---- [Configuration]
Celery支持进程池、Eventlet、Gevent以及运行一个简单的线程
重试、访问有关当前任务请求的信息以及添加到自定义任务基类的任何附加功能都需要绑定任务。
1 logger = get_task_logger(__name__) # 创建一个公共的日志对象
2
3 @app.task(bind=True)
4 def add(self, x, y): # 这里的self时app.Task类
5 logger.info(self.request.id) # 任务请求包含id,组,参数等属性
@app.task()的参数
bind=True:绑定任务
base=XXX:任务继承某类
name='xxx':设置任务名称
typing=True:参数需要检查
argsrepr/kwargsrepr=repr('xxxx'):隐藏敏感信息
autoretry_for=(XXXError,):当遇到某异常时,自动重新执行
retry_kwargs={‘’}:重新执行的操作选项,比如max_retries:最大重试次数
trows=XXX:抛出异常
ignore_result=True:忽略结果
apply_async()
delay():不支持操作选项
calling(__call__):直接使用()
1 add.apply_async((2,2),queue='lori',countdown=10)
2 # 第一个参数是个元组,是用来向add这个方法传值的
3 # queue:任务将会发送到名为‘lori’的队列中
4 # countdown:倒计时秒
5 # delay()只能传add方法的参数,而apply_async()不仅为add传参,还可以对消息做相关处理
delay()和apply_async()都会返回一个AsyncResult对象,用于任务执行的状态,但是必须另结果后台可用,从而将数据保存到某处(结果默认是不保存的)
1 res = add.delay(2,2)
2 res.get(timeout=1) # 获取任务执行结果,超时为1秒
3 res.id # 任务的ID
4 res.get(propagate=False) # 屏蔽掉具体的异常展示
5 res.failed() # 任务执行失败返回True,成功返回False
6 res.successful() # 任务执行成功返回True,失败返回False
7 res.state # 返回任务的当前状态
8 # 启动状态是一种特殊的状态,只有当task_track_started设置是启用的,或者为任务设置了@task(track_started=True)选项时,才会记录该状态。
9 # 实际上PENDING状态不会被记录,所以
10 from proj.celery import app
11 res = app.AyncResult('this-id-does-not-exist') # 这样在任务ID不存在的情况下,显示默认的状态
12 res.state
13 # 'PENDING'
link和link_error
1 # 定义错误处理的任务
2 @app.task
3 def error_handler(request, exc, traceback):
4 print('Task {0} raised exception: {1!r}\n{2!r}'.format(
5 request.id, exc, traceback))
6 # 任务发生异常时,执行错误处理任务,相当于时捕获异常
7 add.apply_async((2, 2), link_error=error_handler.s())
8
9 # link和link_error都可以是列表,顺序执行列表中的任务(任务结果作为值传递给下一个任务)
10 add.apply_async((2, 2), link=[add.s(16), other_task.s()])
on_message:常用于跟踪任务的执行进度
1 @app.task(bind=True)
2 def hello(self, a, b): # 任务一般都是需要执行一段时间的
3 time.sleep(1) # 一般是根据条件判断
4 self.update_state(state="PROGRESS", meta={'progress': 50})
5 time.sleep(1)
6 self.update_state(state="PROGRESS", meta={'progress': 90})
7 time.sleep(1)
8 return 'hello world: %i' % (a+b)
9
10 def on_raw_message(body):
11 print(body)
12
13 a, b = 1, 1
14 r = hello.apply_async(args=(a, b))
15 print(r.get(on_message=on_raw_message, propagate=False))
16 """
17 以下信息会会根据状态的变化逐步输出
18 {'task_id': '5660d3a3-92b8-40df-8ccc-33a5d1d680d7',
19 'result': {'progress': 50},
20 'children': [],
21 'status': 'PROGRESS',
22 'traceback': None}
23 {'task_id': '5660d3a3-92b8-40df-8ccc-33a5d1d680d7',
24 'result': {'progress': 90},
25 'children': [],
26 'status': 'PROGRESS',
27 'traceback': None}
28 {'task_id': '5660d3a3-92b8-40df-8ccc-33a5d1d680d7',
29 'result': 'hello world: 10',
30 'children': [],
31 'status': 'SUCCESS',
32 'traceback': None}
33 hello world: 10
34 """
eta、countdown、expiration
eta是定时,countdown是倒计时,expiration就是任务到期时长(相当于timeout)
1 from datetime import datetime, timedelta
2
3 tomorrow = datetime.utcnow() + timedelta(days=1)
4 # 定时到明天执行
5 add.apply_async((2, 2), eta=tomorrow)
6 # 3秒后执行
7 result = add.apply_async((2, 2), countdown=3)
8 # 60秒内执行完,否则会将任务标记成REVOKED(TaskRevokeError)对象(撤回对象)
9 add.apply_async((10, 10), expires=60)
retry:连接失败时,重发消息
max_retires:最大重发次数
interval_start:间隔开始,第一次重发需要等待的时间
interval_step:间隔步长,每次重发间隔的时间
interval_max:间隔最大值
1 add.apply_async((2, 2), retry=True, retry_policy={
2 'max_retries': 3,
3 'interval_start': 0,
4 'interval_step': 0.2,
5 'interval_max': 0.2,
6 })
7
8 # 重试全都结束后会法伤OperationalError,一般这种情况就打到日志里,使用try去捕捉而不是用link_error
serializer:消息序列化
序列化类型:
json(常用)
pickle
yaml
maspack
compression:压缩
压缩类型:
brotli
bzip2
gzip
lzma
zlib
zstd
queue:指定消息队列(路由)
ignore_result:控制是否忽视结果,True为忽视,False为不忽视
exchange
routing_key
priority:优先级(0~255,0是最高优先级)
PENDING->STARTED->SUCCESS/FAILURE->RETRY->REVOKED
自定义状态
1 @app.task(bind=True)
2 def upload_files(self, filenames):
3 for i, file in enumerate(filenames):
4 if not self.request.called_directly:
5 self.update_state(state='PROGRESS',
6 meta={'current': i, 'total': len(filenames)})
是用来封装任务的参数以及执行选项
与delay()和apply_async不同,签名不会运行,就像为任务对象添加了属性而已
s()是signature()的简写,但是不能控制执行选项
1 s1 = add.signature((2,2),countdown=10) # 或者简写s1 = add.s(2,2)
2 res = s1.delay() # 运行最后还是要用过delay()和apply_async()或者使用()
3 # add(2,2) = add.s(2,2)() = add.s(2,2).delay()
4 # add.signature((2,2),countdown=10).apply_async() = add.apply_async((2,2),countdown=10)
部分参数
为了串联任务使用,将一个任务的结果传到下一个任务中做参数
拼接args
1 s1 = add.s(2) # s() 是signature() 的快捷方式,快捷方式没有操作选项的参数
2 res = s1.deplay(8) # 实际执行的是s1.deplay(8,2)
参数覆盖kwargs
1 s2 = add.s(2,2,debug=True)
2 s2.delay(debuy=False)
永久性
部分参数用于回调,任何链接的任务,或和弦回调将应用于父任务的结果。有时需要指定一个回调函数,它不接受额外的参数,可以将签名设置为不可变的
主要是应对串联执行任务的时候,当前任务不受上一任务的结果影响
1 add.apply_async((2, 2), link=reset_buffers.signature(immutable=True))
2 # 缩写用si()
3 add.apply_async((2, 2), link=reset_buffers.si())
4 add.si(2,2)
回调
使用link参数,将一个任务的结果传到下一个任务中做参数(也可以叫链接)
1 add.apply_async((2, 2), link=add.s(8))
2 # 2+2=4, add.delay(8,4)=>8+4=12
Groups:组,多个任务并行执行,返回一组结果
1 from celery import group
2 from proj.tasks import add
3
4 g = group(add.s(2, 2), add.s(4, 4))
5 res = g().get()
6 >>> [4, 8]
7 group(add.s(i, i) for i in range(10))().get()
8 >>> [0, 2, 4, 6, 8, 10, 12, 14, 16, 18]
9 # 部分组,与部分签名一样
10 g = group(add.s(i) for i in range(10))
11 g(10).get()
12 >>>[10, 11, 12, 13, 14, 15, 16, 17, 18, 19]
Chains:链,使多个任务按顺序执行,且将父任务的执行结果作为参数传给子任务(chain括号内从左往右顺序执行)
1 from celery import chain
2 from proj.tasks import add, mul
3
4 # (4 + 4) * 8
5 chain(add.s(4, 4) | mul.s(8))().get() # 使用| 可以将上一个任务的结果作为参数,传到下一个任务签名中
6 >>> 64
7 # (? + 4) * 8
8 g = chain(add.s(4) | mul.s(8))
9 g(4).get()
10 >>> 64
11 (add.s(4, 4) | mul.s(8))().get() # 简写可以去掉chain
12 >>> 64
13 # 若像使子任务的参数不变,则使用si()
14 res = (add.si(2, 2) | add.si(4, 4) | add.si(8, 8))()
15 res.get() # 16
16 res.parent.get() # 8
17 res.parent.parent.get() # 4
Chords:和弦,得出组得所有结果(待所有组中的任务执行完),并作为参数传到子任务
1 from celery import chord
2 from proj.tasks import add, xsum
3
4 chord((add.s(i, i) for i in xrange(10)), xsum.s())().get() # 将并行的结果实例传到串行的方法中执行
5 >>> 90
6 (group(add.s(i, i) for i in xrange(10)) | xsum.s())().get() # 链接到其他任务的组将自动转换为和弦
7 >>> 90
8 upload_document.s(file) | group(apply_filter.s() for filter in filters)
错误处理
组中的任务若有一个出现了错误,会报异常,但是其他的任务仍旧会继续执行,唯一显示首先失败的任务
map & starmap:图和星图
与组的区别是:
只发送一个任务消息
操作是顺序的
map和starmap的区别:
chunks:块,就是将大量的任务分成若干块
1 # 将100个元组,分成每10个一块,得出二维数组的结果
2 res = add.chunks(zip(range(100), range(100)), 10)()
3 res.get()
4 >>>[[0, 2, 4, 6, 8, 10, 12, 14, 16, 18],
5 [20, 22, 24, 26, 28, 30, 32, 34, 36, 38],
6 [40, 42, 44, 46, 48, 50, 52, 54, 56, 58],
7 [60, 62, 64, 66, 68, 70, 72, 74, 76, 78],
8 [80, 82, 84, 86, 88, 90, 92, 94, 96, 98],
9 [100, 102, 104, 106, 108, 110, 112, 114, 116, 118],
10 [120, 122, 124, 126, 128, 130, 132, 134, 136, 138],
11 [140, 142, 144, 146, 148, 150, 152, 154, 156, 158],
12 [160, 162, 164, 166, 168, 170, 172, 174, 176, 178],
13 [180, 182, 184, 186, 188, 190, 192, 194, 196, 198]]
14 # 还可以在执行前继续分组
15 add.chunks(zip(range(100), range(100)), 10).group()
16 """
17 场景:
18 将100个用例分配到10台执行机并行执行10个用例
19 """
graphs:画出节点图
方便追踪任务中发生异常的节点,一般这些节点都是临时节点,使用的是uuid
1 res = chain(add.s(4, 4), mul.s(8), mul.s(10))()
2
3 res.parent.parent.graph
4 """
5 872c3995-6fa0-46ca-98c2-5a19155afcf0(2)
6 285fa253-fcf8-42ef-8b95-0078897e83e6(1)
7 463afec2-5ed4-4036-b22d-ba067ec64f52(0)
8 """
9 # 将节点序列写入文件,为了生成图片
10 with open('graph.dot', 'w') as fh:
11 res.parent.parent.graph.to_dot(fh)
$ dot -Tpng graph.dot -o graph.png
celery -A proj worker -l INFO # 启动任务名为proj的worker
celery worker --help # 查看帮助
pkill -9 -f "celery worker"
ps auxww | awk '/celery worker/ {print $2}' | xargs kill -9
celery multi start 1 -A proj -l INFO -c4 --pidfile=/var/run/celery/%n.pid
celery multi restart 1 --pidfile=/var/run/celery/%n.pid
Celery支持RabbitMQ的所有路由,可将消息发送到指定的任务队列
1 # rabbitMQ路由的配置
2 app.conf.update(
3 task_routes = {
4 'proj.tasks.add': {'queue': 'hipri'},
5 },
6 )
7 ------------------------------
8 # celery发送消息到指定队列
9 from proj.tasks import add
10 add.apply_async((2, 2), queue='hipri')
可以使用celery -Q指定队列
$ celery -A proj worker -Q hipri # 可以在运行worker的时候指定
$ celery -A proj worker -Q hipri,celery # 用逗号分割指定多个
检查
# celery -A proj inspect --help 检查
celery -A proj inspect active
celery -A proj inspect active --destination=celery@example.com # 指定worker
celery -A proj status # 显示所有worker的状态列表
控制
# celery -A proj control --help 控制
celery -A proj control enable_events # 远程启用事件
celery -A proj events --dump # 启动事件后,可以启动事件转储程序,并行查看woker执行状况
celery -A proj control disable_events # 远程禁用事件
app.conf.timezone = 'Europe/London'
1 from celery import Celery
2 from celery.schedules import crontab
3
4 app = Celery()
5
6 @app.on_after_configure.connect # 在应用配置后发送
7 def setup_periodic_tasks(sender, **kwargs):
8 """
9 可以看到以下使用的都是签名
10 """
11 # 每10秒调用一次 test('hello')
12 sender.add_periodic_task(10.0, test.s('hello'), name='add every 10')
13
14 # 每30秒调用一次 test('world'),10秒内执行完
15 sender.add_periodic_task(30.0, test.s('world'), expires=10)
16
17 # 每周一上午7点30分执行
18 sender.add_periodic_task(
19 crontab(hour=7, minute=30, day_of_week=1),
20 test.s('Happy Mondays!'),
21 )
22
23 @app.task
24 def test(arg):
25 print(arg)
26
27 @app.task
28 def add(x, y):
29 z = x + y
30 print(z)
crontab
(minute='*', hour='*', day_of_week='*', day_of_month='*', month_of_year='*', **kwargs)
*:表示所有
*/n:表示每间隔n个时刻
n:表示每次到n时刻时开始
按照日出、日落、黎明、黄昏来执行
1 from celery.schedules import solar
2
3 app.conf.beat_schedule = {
4 # Executes at sunset in Melbourne
5 'add-at-melbourne-sunset': {
6 'task': 'tasks.add',
7 'schedule': solar('sunset', -37.81753, 144.96715),
8 'args': (16, 16),
9 },
10 }
solar(event, latitude, longitude)
标志
争论
意义
+
latitude
北
-
latitude
南
+
longitude
东
-
longitude
西
事件
意义
dawn_astronomical
在天空不再完全黑暗的那一刻执行。这是太阳在地平线以下 18 度的时候。
dawn_nautical
当有足够的阳光让地平线和一些物体可以区分时执行;正式地,当太阳在地平线以下 12 度时。
dawn_civil
当有足够的光线可以区分物体时执行,以便开始户外活动;正式地,当太阳在地平线以下 6 度时。
sunrise
当早晨太阳的上边缘出现在东部地平线时执行。
solar_noon
当当天太阳位于地平线上方时执行。
sunset
当傍晚太阳的后缘消失在西部地平线上时执行。
dusk_civil
在民用暮光结束时执行,此时物体仍可区分并且一些恒星和行星可见。正式地,当太阳在地平线以下 6 度时。
dusk_nautical
当太阳在地平线以下 12 度时执行。物体不再可区分,地平线不再是肉眼可见的。
dusk_astronomical
在天空变得完全黑暗的那一刻执行;正式地,当太阳在地平线以下 18 度时。
celery -A proj beat
celery -A proj beat -s # 将任务的上次运行时间存储在本地数据库中
启动task_create_missing_queues配置(默认启动),会自动创建尚未定义的命名队列
1 app.conf.task_routes = ([
2 ('feed.tasks.*', {'queue': 'feeds'}), # ('任务名称正则',{'queue':'队列名'})
3 ('web.tasks.*', {'queue': 'web'}),
4 (re.compile(r'(video|image)\.tasks\..*'), {'queue': 'media'}),
5 ],)
# 可以在启动时指定队列
celery -A proj worker -Q feeds,celery
1 from kombu import Queue
2
3 app.conf.task_default_queue = 'default' # 默认队列名称
4 # 任务队列实例
5 app.conf.task_queues = (
6 Queue('feed_tasks', routing_key='feed.#'), # 在默认交换机
7 Queue('regular_tasks', routing_key='task.#'), # 在默认交换机
8 Queue('image_tasks', exchange=Exchange('mediatasks', type='direct'), # 在mediatasks交换机
9 routing_key='image.compress'),
10 )
11 app.conf.task_default_exchange = 'tasks' # 默认交换机
12 app.conf.task_default_exchange_type = 'topic' # 默认交换类型
13 app.conf.task_default_routing_key = 'task.default' # 路由关键字
14
15 app.conf.task_routes = {
16 'feeds.tasks.import_feed': {
17 'queue': 'feed_tasks',
18 'routing_key': 'feed.import',
19 },
20 }
RabbitMQ
1 from kombu import Exchange, Queue
2 # 为指定队列设置x-max-priority参数将队列配置为支持优先级
3 app.conf.task_queues = [
4 Queue('tasks', Exchange('tasks'), routing_key='tasks',
5 queue_arguments={'x-max-priority': 10}),
6 ]
7 # 为所有队列设置优先级
8 app.conf.task_queue_max_priority = 10
9 # 使用task_default_priority设置指定所有任务的默认优先级
10 app.conf.task_default_priority = 5
Redis
Redis本身没有优先级概念,所以需要如下配置
1 app.conf.broker_transport_options = {
2 'queue_order_strategy': 'priority',
3 }
4
5 """
6 通过为每个队列创建 n 个列表来实现优先级支持。这意味着即使有 10 (0-9) 个优先级,默认情况下它们也被合并为 4 个级别以节省资源。这意味着一个名为 celery 的队列将真正分为 4 个队列:
7 ['celery0', 'celery3', 'celery6', 'celery9']
8 """
路由器是决定任务的路由选项的功能
1 def route_task(name, args, kwargs, options, task=None, **kw):
2 if name == 'myapp.tasks.compress_video':
3 return {'exchange': 'video',
4 'exchange_type': 'topic',
5 'routing_key': 'video.compress'}
1 from kombu.common import Broadcast
2 from celery.schedules import crontab
3
4 app.conf.task_queues = (Broadcast('broadcast_tasks'),) # 使用的时Broadcast而不是Queue
5
6 app.conf.beat_schedule = {
7 'test-task': {
8 'task': 'tasks.reload_cache',
9 'schedule': crontab(minute=0, hour='*/3'),
10 'options': {'exchange': 'broadcast_tasks'}
11 },
12 }
celery
命令
用法
手机扫一扫
移动阅读更方便
你可能感兴趣的文章