아직 처리되지 않은 대기열의 작업 목록을 어떻게 검색합니까?
아직 처리되지 않은 대기열의 작업 목록을 어떻게 검색합니까?
답변:
편집 : 대기열에서 작업 목록을 얻는 다른 답변을 참조하십시오.
현재 같아야합니다 셀러리 가이드 -의 검사 노동자
기본적으로 이것은 :
from celery.app.control import Inspect
# Inspect all nodes.
i = Inspect()
# Show the items that have an ETA or are scheduled for later processing
i.scheduled()
# Show tasks that are currently active.
i.active()
# Show tasks that have been claimed by workers
i.reserved()
원하는 것에 따라
i.reserved()
대기중인 작업 목록을 얻는 데 사용 합니다.
inspect(['celery@Flatty'])
. 이상으로 빠른 속도 개선 inspect()
.
rabbitMQ를 사용하는 경우 터미널에서 이것을 사용하십시오.
sudo rabbitmqctl list_queues
대기중인 작업 수가 많은 대기열 목록을 인쇄합니다. 예를 들면 다음과 같습니다.
Listing queues ...
0b27d8c59fba4974893ec22d478a7093 0
0e0a2da9828a48bc86fe993b210d984f 0
10@torob2.celery.pidbox 0
11926b79e30a4f0a9d95df61b6f402f7 0
15c036ad25884b82839495fb29bd6395 1
celerey_mail_worker@torob2.celery.pidbox 0
celery 166
celeryev.795ec5bb-a919-46a8-80c6-5d91d2fcf2aa 0
celeryev.faa4da32-a225-4f6c-be3b-d8814856d1b6 0
오른쪽 열의 숫자는 대기열의 작업 수입니다. 위의 셀러리 큐에는 166 개의 보류중인 작업이 있습니다.
grep -e "^celery\s" | cut -f2
를 추출 할 166
수 있습니다.
우선 순위가 지정된 작업을 사용하지 않으면 Redis를 사용하는 경우 실제로 매우 간단 합니다. 작업 수를 얻으려면 :
redis-cli -h HOST -p PORT -n DATABASE_NUMBER llen QUEUE_NAME
그러나 우선 순위가 지정된 작업 은 redis에서 다른 키를 사용 하므로 전체 그림이 약간 더 복잡합니다. 전체 그림은 모든 작업 우선 순위에 대해 redis를 쿼리해야한다는 것입니다. 파이썬과 꽃 프로젝트에서 다음과 같이 보입니다.
PRIORITY_SEP = '\x06\x16'
DEFAULT_PRIORITY_STEPS = [0, 3, 6, 9]
def make_queue_name_for_pri(queue, pri):
"""Make a queue name for redis
Celery uses PRIORITY_SEP to separate different priorities of tasks into
different queues in Redis. Each queue-priority combination becomes a key in
redis with names like:
- batch1\x06\x163 <-- P3 queue named batch1
There's more information about this in Github, but it doesn't look like it
will change any time soon:
- https://github.com/celery/kombu/issues/422
In that ticket the code below, from the Flower project, is referenced:
- https://github.com/mher/flower/blob/master/flower/utils/broker.py#L135
:param queue: The name of the queue to make a name for.
:param pri: The priority to make a name with.
:return: A name for the queue-priority pair.
"""
if pri not in DEFAULT_PRIORITY_STEPS:
raise ValueError('Priority not in priority steps')
return '{0}{1}{2}'.format(*((queue, PRIORITY_SEP, pri) if pri else
(queue, '', '')))
def get_queue_length(queue_name='celery'):
"""Get the number of tasks in a celery queue.
:param queue_name: The name of the queue you want to inspect.
:return: the number of items in the queue.
"""
priority_names = [make_queue_name_for_pri(queue_name, pri) for pri in
DEFAULT_PRIORITY_STEPS]
r = redis.StrictRedis(
host=settings.REDIS_HOST,
port=settings.REDIS_PORT,
db=settings.REDIS_DATABASES['CELERY'],
)
return sum([r.llen(x) for x in priority_names])
실제 작업을 원하면 다음과 같이 사용할 수 있습니다.
redis-cli -h HOST -p PORT -n DATABASE_NUMBER lrange QUEUE_NAME 0 -1
거기에서 반환 된 목록을 직렬화 해제해야합니다. 제 경우에는 다음과 같은 방법으로 이것을 달성 할 수있었습니다.
r = redis.StrictRedis(
host=settings.REDIS_HOST,
port=settings.REDIS_PORT,
db=settings.REDIS_DATABASES['CELERY'],
)
l = r.lrange('celery', 0, -1)
pickle.loads(base64.decodestring(json.loads(l[0])['body']))
역 직렬화에는 다소 시간이 걸릴 수 있으므로 위의 명령을 조정하여 다양한 우선 순위로 작업해야합니다.
DATABASE_NUMBER
기본값은에 의해 사용 0
하고 QUEUE_NAME
있다 celery
, 그래서 redis-cli -n 0 llen celery
대기중인 메시지의 수를 반환합니다.
'{{{0}}}{1}{2}'
대신입니다 '{0}{1}{2}'
. 그 외에는 완벽하게 작동합니다!
백엔드에서 작업을 검색하려면 다음을 사용하십시오.
from amqplib import client_0_8 as amqp
conn = amqp.Connection(host="localhost:5672 ", userid="guest",
password="guest", virtual_host="/", insist=False)
chan = conn.channel()
name, jobs, consumers = chan.queue_declare(queue="queue_name", passive=True)
당신이 사용하는 경우 셀러리 + 장고 작업을 당신의 터미널에서 직접 명령을 사용하여 검사하는 간단한 방법을 가상 환경 또는 사용하여 전체 경로 셀러리로를 :
문서 : http://docs.celeryproject.org/en/latest/userguide/workers.html?highlight=revoke#inspecting-workers
$ celery inspect reserved
$ celery inspect active
$ celery inspect registered
$ celery inspect scheduled
또한 Celery + RabbitMQ 를 사용하는 경우 다음 명령을 사용하여 큐 목록을 검사 할 수 있습니다 .
자세한 정보 : https://linux.die.net/man/1/rabbitmqctl
$ sudo rabbitmqctl list_queues
celery -A my_proj inspect reserved
json 직렬화를 사용하는 Redis 용 복사-붙여 넣기 솔루션 :
def get_celery_queue_items(queue_name):
import base64
import json
# Get a configured instance of a celery app:
from yourproject.celery import app as celery_app
with celery_app.pool.acquire(block=True) as conn:
tasks = conn.default_channel.client.lrange(queue_name, 0, -1)
decoded_tasks = []
for task in tasks:
j = json.loads(task)
body = json.loads(base64.b64decode(j['body']))
decoded_tasks.append(body)
return decoded_tasks
장고와 함께 작동합니다. 변경하는 것을 잊지 마십시오 yourproject.celery
.
body =
회선을로 변경할 수 있습니다 body = pickle.loads(base64.b64decode(j['body']))
.
셀러리 검사 모듈은 작업자 관점에서의 작업 만 인식하는 것으로 보입니다. 대기열에있는 메시지를 보려면 (워커가 가져 오려고하지만) pyrabbit 을 사용하는 것이 좋습니다 . pyrabbit는 rabbitmq http api와 인터페이스하여 대기열에서 모든 종류의 정보를 검색 할 수 있습니다.
예는 여기에서 찾을 수 있습니다 : 셀러리 (RabbitMQ, 장고)와 큐 길이를 검색
대기중인 작업을 얻는 유일한 방법은 시작한 작업 목록을 유지하고 작업이 시작될 때 목록에서 작업을 제거하는 것입니다.
rabbitmqctl 및 list_queues를 사용하면 대기중인 태스크 수에 대한 개요를 볼 수 있지만 태스크 자체는 아닙니다. http://www.rabbitmq.com/man/rabbitmqctl.1.man.html
원하는 작업이 처리되고 있지만 아직 완료되지 않은 경우 작업 목록을 유지하고 상태를 확인할 수 있습니다.
from tasks import add
result = add.delay(4, 4)
result.ready() # True if finished
또는 Celery가 CELERY_RESULT_BACKEND로 결과를 저장하도록하고 거기에없는 작업을 확인하십시오.
이것은 내 응용 프로그램에서 나를 위해 일했습니다.
def get_celery_queue_active_jobs(queue_name):
connection = <CELERY_APP_INSTANCE>.connection()
try:
channel = connection.channel()
name, jobs, consumers = channel.queue_declare(queue=queue_name, passive=True)
active_jobs = []
def dump_message(message):
active_jobs.append(message.properties['application_headers']['task'])
channel.basic_consume(queue=queue_name, callback=dump_message)
for job in range(jobs):
connection.drain_events()
return active_jobs
finally:
connection.close()
active_jobs
대기열의 작업에 해당하는 문자열 목록이됩니다.
CELERY_APP_INSTANCE를 자신의 것으로 바꾸는 것을 잊지 마십시오.
https://stackoverflow.com/a/19465670/9843399 여기에 그의 대답으로 올바른 방향으로 나를 가리켜 주신 @ashish에게 감사드립니다.
jobs
에는 항상 제로입니다 ... 어떤 생각입니까?
대기열에서 작업 수를 얻는 가장 좋은 방법 rabbitmqctl
은 여러 번 제안 된대로 사용 하는 것입니다. 선택한 사용자가 명령을 실행할 수 있도록 여기sudo
지침을 따랐습니다 (명령 전에 sudo를 입력해도 상관 없습니다).
또한 jamesc grep
와 cut
snippet을 잡고 하위 프로세스 호출로 마무리했습니다.
from subprocess import Popen, PIPE
p1 = Popen(["sudo", "rabbitmqctl", "list_queues", "-p", "[name of your virtula host"], stdout=PIPE)
p2 = Popen(["grep", "-e", "^celery\s"], stdin=p1.stdout, stdout=PIPE)
p3 = Popen(["cut", "-f2"], stdin=p2.stdout, stdout=PIPE)
p1.stdout.close()
p2.stdout.close()
print("number of jobs on queue: %i" % int(p3.communicate()[0]))
작업 코드를 제어하는 경우 작업이 처음 실행될 때 사소한 재 시도를 트리거 한 다음 확인하여 문제를 해결할 수 있습니다 inspect().reserved()
. 재 시도는 결과 백엔드에 태스크를 등록하고 셀러리는이를 확인할 수 있습니다. 재시도 횟수에 액세스하려면 작업이 self
또는 context
첫 번째 매개 변수로 수락해야합니다 .
@task(bind=True)
def mytask(self):
if self.request.retries == 0:
raise self.retry(exc=MyTrivialError(), countdown=1)
...
이 솔루션은 브로커에 구애받지 않습니다. RabbitMQ를 사용하는지 또는 Redis를 사용하여 작업을 저장하는지에 대해 걱정할 필요가 없습니다.
편집 : 테스트 후 나는 이것이 부분적인 해결책이라는 것을 알았습니다. 예약 된 크기는 작업자의 프리 페치 설정으로 제한됩니다.
로 subprocess.run
:
import subprocess
import re
active_process_txt = subprocess.run(['celery', '-A', 'my_proj', 'inspect', 'active'],
stdout=subprocess.PIPE).stdout.decode('utf-8')
return len(re.findall(r'worker_pid', active_process_txt))
변경주의 my_proj
로your_proj