Get Progress From Async Python Celery Chain By Chain Id
I'm trying to get the progress of a task chain by querying each task status. But when retrieving the chain by it's id, I get some object that behaves differently. In tasks.py from
Solution 1:
Like @Hernantz said, you can't recover the parent chain from just the task ID, you'd have to iterate over your queue which may or may not be possible depending on what you use as a broker.
But if you have the last task id to do the lookup then you have the chain, you just need to store all the task ids and rebuild the chain when you need to examine their status. You can use the following functions:
defstore(node):
id_chain = []
while node.parent:
id_chain.append(node.id)
node = node.parent
id_chain.append(node.id)
return id_chain
defrestore(id_chain):
id_chain.reverse()
last_result = Nonefor tid in id_chain:
result = celery.AsyncResult(tid)
result.parent = last_result
last_result = result
return last_result
Call store when you first get a AsyncResult from chain. Calling restore on that will give you a linked list of AsyncResult
s like chain gives you.
Post a Comment for "Get Progress From Async Python Celery Chain By Chain Id"