celery worker集群搭建

举个小栗子,在生产环境下,我们有两个异步任务需求,需要分别部署在两台服务器上,并用不同的队列实现

  1. 用户邮件发送
  2. pageview统计

主要的注意点,在任务执行时需指定queue,routing_key

文件结构

celery_demo                    # 项目根目录
    ├── celery_app             # 存放 celery 相关文件
    │   ├── __init__.py
    │   ├── celeryconfig.py    # 配置文件
    │   ├── task1.py           # 任务文件 1
    │   └── task2.py           # 任务文件 2
    └── client.py              # 应用程序

init.py

from celery import Celery
 
app = Celery('demo')                                # 创建 Celery 实例
app.config_from_object('celery_app.celeryconfig')   # 通过 Celery 实例加载配置模块


__all__ = ['app']

celeryconfig.py

from kombu import Queue
from kombu import Exchange


BROKER_URL = 'redis://192.168.31.45:6379/0'               # 指定 Broker
CELERY_RESULT_BACKEND = 'redis://192.168.31.45:6379/1'  # 指定 Backend
 
CELERY_TIMEZONE='Asia/Shanghai'                     # 指定时区,默认是 UTC
# CELERY_TIMEZONE='UTC'                            
 
CELERY_IMPORTS = (                                  # 指定导入的任务模块
    'celery_app.task1',
    'celery_app.task2'
)

task_queues = (
    Queue('default', exchange=Exchange('default'), routing_key='default'),
    Queue('email', exchange=Exchange('email'), routing_key='email'),
    Queue('pageview', exchange=Exchange('pageview'), routing_key='pageview'),
)

task_routes = {
    'celery_app.task1.add': {'queue': 'email', 'routing_key': 'email'},
    'celery_app.task2.multiply': {'queue': 'pageview', 'routing_key': 'pageview'},
}

task1.py

import time
from celery_app import app
 
@app.task
def add(x, y):
    time.sleep(2)
    return x + y

task2.py

import time
from celery_app import app
 
@app.task
def multiply(x, y):
    time.sleep(2)
    return x * y

client.py

from celery_app import task1
from celery_app import task2

task1.add.apply_async(args=[2, 8],queue="email",routing_key="email")
task2.multiply.apply_async(args=[3, 7],queue="pageview",routing_key="pageview")

print('hello world')

启动woker

server1:

$ celery worker -A celery_app -l info -Q email

server2:

$ celery worker -A celery_app -l info -Q pageview

猜你喜欢

转载自www.cnblogs.com/zenan/p/11082476.html