File size: 1,705 Bytes
b3509ba
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
53
54
55
56
57
58
59
import threading
from abc import ABC, abstractmethod

from swarmai.utils.task_queue.Task import Task
from swarmai.agents.AgentBase import AgentBase

def synchronized_queue(method):
    timeout_sec = 5
    def wrapper(self, *args, **kwargs):
        with self.lock:
            self.lock.acquire(timeout = timeout_sec)
            try:
                return method(self, *args, **kwargs)
            except Exception as e:
                print(f"Failed to execute {method.__name__}: {e}")
            finally:
                self.lock.release()
    return wrapper


class TaskQueueBase(ABC):
    """Abstract class for the Task Queue object.
    We can have different implementation of the task queues: from simple queue, to the custom priority queue.
    Not every implementatino is inherently thread safe, so we also put the locks here.

    Made a pull queue, just for the ease of implementation.
    """
    def __init__(self):
        self.lock = threading.Lock()

    @synchronized_queue
    @abstractmethod
    def add_task(self, taks: Task) -> bool:
        """Adds a task to the queue.
        """
        raise NotImplementedError

    @synchronized_queue
    @abstractmethod
    def get_task(self, agent: AgentBase) -> Task:
        """Gets the next task from the queue.
        """
        raise NotImplementedError
    
    @synchronized_queue
    @abstractmethod
    def complete_task(self, task_id: str):
        """Sets the task as completed.
        """
        raise NotImplementedError
    
    @synchronized_queue
    @abstractmethod
    def reset_task(self, task_id: str):
        """Resets the task if the agent failed to complete it.
        """
        raise NotImplementedError