Logo

Multi-Agent Orchestration is incredibly painful swarms is making it simple, seamless, and reliable.

Python Version

🐦 Twitter   β€’   πŸ“’ Discord   β€’   Swarms Platform   β€’   πŸ“™ Documentation

[![GitHub issues](https://img.shields.io/github/issues/kyegomez/swarms)](https://github.com/kyegomez/swarms/issues) [![GitHub forks](https://img.shields.io/github/forks/kyegomez/swarms)](https://github.com/kyegomez/swarms/network) [![GitHub stars](https://img.shields.io/github/stars/kyegomez/swarms)](https://github.com/kyegomez/swarms/stargazers) [![GitHub license](https://img.shields.io/github/license/kyegomez/swarms)](https://github.com/kyegomez/swarms/blob/main/LICENSE)[![GitHub star chart](https://img.shields.io/github/stars/kyegomez/swarms?style=social)](https://star-history.com/#kyegomez/swarms)[![Dependency Status](https://img.shields.io/librariesio/github/kyegomez/swarms)](https://libraries.io/github/kyegomez/swarms) [![Downloads](https://static.pepy.tech/badge/swarms/month)](https://pepy.tech/project/swarms) [![Join the Agora discord](https://img.shields.io/discord/1110910277110743103?label=Discord&logo=discord&logoColor=white&style=plastic&color=d7b023)![Share on Twitter](https://img.shields.io/twitter/url/https/twitter.com/cloudposse.svg?style=social&label=Share%20%40kyegomez/swarms)](https://twitter.com/intent/tweet?text=Check%20out%20this%20amazing%20AI%20project:%20&url=https%3A%2F%2Fgithub.com%2Fkyegomez%2Fswarms) [![Share on Facebook](https://img.shields.io/badge/Share-%20facebook-blue)](https://www.facebook.com/sharer/sharer.php?u=https%3A%2F%2Fgithub.com%2Fkyegomez%2Fswarms) [![Share on LinkedIn](https://img.shields.io/badge/Share-%20linkedin-blue)](https://www.linkedin.com/shareArticle?mini=true&url=https%3A%2F%2Fgithub.com%2Fkyegomez%2Fswarms&title=&summary=&source=) [![Share on Reddit](https://img.shields.io/badge/-Share%20on%20Reddit-orange)](https://www.reddit.com/submit?url=https%3A%2F%2Fgithub.com%2Fkyegomez%2Fswarms&title=Swarms%20-%20the%20future%20of%20AI) [![Share on Hacker News](https://img.shields.io/badge/-Share%20on%20Hacker%20News-orange)](https://news.ycombinator.com/submitlink?u=https%3A%2F%2Fgithub.com%2Fkyegomez%2Fswarms&t=Swarms%20-%20the%20future%20of%20AI) [![Share on Pinterest](https://img.shields.io/badge/-Share%20on%20Pinterest-red)](https://pinterest.com/pin/create/button/?url=https%3A%2F%2Fgithub.com%2Fkyegomez%2Fswarms&media=https%3A%2F%2Fexample.com%2Fimage.jpg&description=Swarms%20-%20the%20future%20of%20AI) [![Share on WhatsApp](https://img.shields.io/badge/-Share%20on%20WhatsApp-green)](https://api.whatsapp.com/send?text=Check%20out%20Swarms%20-%20the%20future%20of%20AI%20%23swarms%20%23AI%0A%0Ahttps%3A%2F%2Fgithub.com%2Fkyegomez%2Fswarms) Swarms is an enterprise grade and production ready multi-agent collaboration framework that enables you to orchestrate many agents to work collaboratively at scale to automate real-world activities. | **Feature** | **Description** | **Performance Impact** | **Documentation Link** | |------------------------------|-----------------------------------------------------------------------------------------------------------------------------------------------------------------------|------------------------|-------------------------------| | Models | Pre-trained models that can be utilized for various tasks within the swarm framework. | ⭐⭐⭐ | [Documentation](https://docs.swarms.world/en/latest/swarms/models/) | | Models APIs | APIs to interact with and utilize the models effectively, providing interfaces for inference, training, and fine-tuning. | ⭐⭐⭐ | [Documentation](https://docs.swarms.world/en/latest/swarms/models/) | | Agents with Tools | Agents equipped with specialized tools to perform specific tasks more efficiently, such as data processing, analysis, or interaction with external systems. | ⭐⭐⭐⭐ | [Documentation](https://medium.com/@kyeg/the-swarms-tool-system-functions-pydantic-basemodels-as-tools-and-radical-customization-c2a2e227b8ca) | | Agents with Memory | Mechanisms for agents to store and recall past interactions, improving learning and adaptability over time. | ⭐⭐⭐⭐ | [Documentation](https://github.com/kyegomez/swarms/blob/master/playground/structs/agent/agent_with_longterm_memory.py) | | Multi-Agent Orchestration | Coordination of multiple agents to work together seamlessly on complex tasks, leveraging their individual strengths to achieve higher overall performance. | ⭐⭐⭐⭐⭐ | [Documentation]() | The performance impact is rated on a scale from one to five stars, with multi-agent orchestration being the highest due to its ability to combine the strengths of multiple agents and optimize task execution. ---- ## Install πŸ’» ```bash $ pip3 install -U swarms ``` --- # Usage Examples πŸ€– ### Google Collab Example Run example in Collab: Open In Colab --- ## `Agents` A fully plug-and-play autonomous agent powered by an LLM extended by a long-term memory database, and equipped with function calling for tool usage! By passing in an LLM, you can create a fully autonomous agent with extreme customization and reliability, ready for real-world task automation! Features: βœ… Any LLM / Any framework βœ… Extremely customize-able with max loops, autosaving, import docs (PDFS, TXT, CSVs, etc), tool usage, etc etc βœ… Long term memory database with RAG (ChromaDB, Pinecone, Qdrant) ```python import os from dotenv import load_dotenv # Import the OpenAIChat model and the Agent struct from swarms import Agent, OpenAIChat # Load the environment variables load_dotenv() # Get the API key from the environment api_key = os.environ.get("OPENAI_API_KEY") # Initialize the language model llm = OpenAIChat( temperature=0.5, openai_api_key=api_key, max_tokens=4000 ) ## Initialize the workflow agent = Agent(llm=llm, max_loops=1, autosave=True, dashboard=True) # Run the workflow on a task agent.run("Generate a 10,000 word blog on health and wellness.") ``` ### `Agent` + Long Term Memory `Agent` equipped with quasi-infinite long term memory. Great for long document understanding, analysis, and retrieval. ```python import os from dotenv import load_dotenv from swarms import Agent, OpenAIChat from playground.memory.chromadb_example import ChromaDB import logging import os import uuid from typing import Optional import chromadb from swarms.utils.data_to_text import data_to_text from swarms.utils.markdown_message import display_markdown_message from swarms.memory.base_vectordb import BaseVectorDatabase # Load environment variables load_dotenv() # Results storage using local ChromaDB class ChromaDB(BaseVectorDatabase): """ ChromaDB database Args: metric (str): The similarity metric to use. output (str): The name of the collection to store the results in. limit_tokens (int, optional): The maximum number of tokens to use for the query. Defaults to 1000. n_results (int, optional): The number of results to retrieve. Defaults to 2. Methods: add: _description_ query: _description_ Examples: >>> chromadb = ChromaDB( >>> metric="cosine", >>> output="results", >>> llm="gpt3", >>> openai_api_key=OPENAI_API_KEY, >>> ) >>> chromadb.add(task, result, result_id) """ def __init__( self, metric: str = "cosine", output_dir: str = "swarms", limit_tokens: Optional[int] = 1000, n_results: int = 3, docs_folder: str = None, verbose: bool = False, *args, **kwargs, ): self.metric = metric self.output_dir = output_dir self.limit_tokens = limit_tokens self.n_results = n_results self.docs_folder = docs_folder self.verbose = verbose # Disable ChromaDB logging if verbose: logging.getLogger("chromadb").setLevel(logging.INFO) # Create Chroma collection chroma_persist_dir = "chroma" chroma_client = chromadb.PersistentClient( settings=chromadb.config.Settings( persist_directory=chroma_persist_dir, ), *args, **kwargs, ) # Create ChromaDB client self.client = chromadb.Client() # Create Chroma collection self.collection = chroma_client.get_or_create_collection( name=output_dir, metadata={"hnsw:space": metric}, *args, **kwargs, ) display_markdown_message( "ChromaDB collection created:" f" {self.collection.name} with metric: {self.metric} and" f" output directory: {self.output_dir}" ) # If docs if docs_folder: display_markdown_message( f"Traversing directory: {docs_folder}" ) self.traverse_directory() def add( self, document: str, *args, **kwargs, ): """ Add a document to the ChromaDB collection. Args: document (str): The document to be added. condition (bool, optional): The condition to check before adding the document. Defaults to True. Returns: str: The ID of the added document. """ try: doc_id = str(uuid.uuid4()) self.collection.add( ids=[doc_id], documents=[document], *args, **kwargs, ) print("-----------------") print("Document added successfully") print("-----------------") return doc_id except Exception as e: raise Exception(f"Failed to add document: {str(e)}") def query( self, query_text: str, *args, **kwargs, ): """ Query documents from the ChromaDB collection. Args: query (str): The query string. n_docs (int, optional): The number of documents to retrieve. Defaults to 1. Returns: dict: The retrieved documents. """ try: docs = self.collection.query( query_texts=[query_text], n_results=self.n_results, *args, **kwargs, )["documents"] return docs[0] except Exception as e: raise Exception(f"Failed to query documents: {str(e)}") def traverse_directory(self): """ Traverse through every file in the given directory and its subdirectories, and return the paths of all files. Parameters: - directory_name (str): The name of the directory to traverse. Returns: - list: A list of paths to each file in the directory and its subdirectories. """ added_to_db = False for root, dirs, files in os.walk(self.docs_folder): for file in files: file_path = os.path.join(root, file) # Change this line _, ext = os.path.splitext(file_path) data = data_to_text(file_path) added_to_db = self.add(str(data)) print(f"{file_path} added to Database") return added_to_db # Get the API key from the environment api_key = os.environ.get("OPENAI_API_KEY") # Initilaize the chromadb client chromadb = ChromaDB( metric="cosine", output_dir="scp", docs_folder="artifacts", ) # Initialize the language model llm = OpenAIChat( temperature=0.5, openai_api_key=api_key, max_tokens=1000, ) ## Initialize the workflow agent = Agent( llm=llm, name = "Health and Wellness Blog", system_prompt="Generate a 10,000 word blog on health and wellness.", max_loops=4, autosave=True, dashboard=True, long_term_memory=chromadb, memory_chunk_size=300, ) # Run the workflow on a task agent.run("Generate a 10,000 word blog on health and wellness.") ``` ### `Agent` ++ Long Term Memory ++ Tools! An LLM equipped with long term memory and tools, a full stack agent capable of automating all and any digital tasks given a good prompt. ```python import logging import os import uuid from typing import Optional import chromadb from dotenv import load_dotenv from swarms.utils.data_to_text import data_to_text from swarms.utils.markdown_message import display_markdown_message from swarms.memory.base_vectordb import BaseVectorDatabase from swarms import Agent, OpenAIChat # Load environment variables load_dotenv() # Results storage using local ChromaDB class ChromaDB(BaseVectorDatabase): """ ChromaDB database Args: metric (str): The similarity metric to use. output (str): The name of the collection to store the results in. limit_tokens (int, optional): The maximum number of tokens to use for the query. Defaults to 1000. n_results (int, optional): The number of results to retrieve. Defaults to 2. Methods: add: _description_ query: _description_ Examples: >>> chromadb = ChromaDB( >>> metric="cosine", >>> output="results", >>> llm="gpt3", >>> openai_api_key=OPENAI_API_KEY, >>> ) >>> chromadb.add(task, result, result_id) """ def __init__( self, metric: str = "cosine", output_dir: str = "swarms", limit_tokens: Optional[int] = 1000, n_results: int = 3, docs_folder: str = None, verbose: bool = False, *args, **kwargs, ): self.metric = metric self.output_dir = output_dir self.limit_tokens = limit_tokens self.n_results = n_results self.docs_folder = docs_folder self.verbose = verbose # Disable ChromaDB logging if verbose: logging.getLogger("chromadb").setLevel(logging.INFO) # Create Chroma collection chroma_persist_dir = "chroma" chroma_client = chromadb.PersistentClient( settings=chromadb.config.Settings( persist_directory=chroma_persist_dir, ), *args, **kwargs, ) # Create ChromaDB client self.client = chromadb.Client() # Create Chroma collection self.collection = chroma_client.get_or_create_collection( name=output_dir, metadata={"hnsw:space": metric}, *args, **kwargs, ) display_markdown_message( "ChromaDB collection created:" f" {self.collection.name} with metric: {self.metric} and" f" output directory: {self.output_dir}" ) # If docs if docs_folder: display_markdown_message( f"Traversing directory: {docs_folder}" ) self.traverse_directory() def add( self, document: str, *args, **kwargs, ): """ Add a document to the ChromaDB collection. Args: document (str): The document to be added. condition (bool, optional): The condition to check before adding the document. Defaults to True. Returns: str: The ID of the added document. """ try: doc_id = str(uuid.uuid4()) self.collection.add( ids=[doc_id], documents=[document], *args, **kwargs, ) print("-----------------") print("Document added successfully") print("-----------------") return doc_id except Exception as e: raise Exception(f"Failed to add document: {str(e)}") def query( self, query_text: str, *args, **kwargs, ): """ Query documents from the ChromaDB collection. Args: query (str): The query string. n_docs (int, optional): The number of documents to retrieve. Defaults to 1. Returns: dict: The retrieved documents. """ try: docs = self.collection.query( query_texts=[query_text], n_results=self.n_results, *args, **kwargs, )["documents"] return docs[0] except Exception as e: raise Exception(f"Failed to query documents: {str(e)}") def traverse_directory(self): """ Traverse through every file in the given directory and its subdirectories, and return the paths of all files. Parameters: - directory_name (str): The name of the directory to traverse. Returns: - list: A list of paths to each file in the directory and its subdirectories. """ added_to_db = False for root, dirs, files in os.walk(self.docs_folder): for file in files: file_path = os.path.join(root, file) # Change this line _, ext = os.path.splitext(file_path) data = data_to_text(file_path) added_to_db = self.add(str(data)) print(f"{file_path} added to Database") return added_to_db # Making an instance of the ChromaDB class memory = ChromaDB( metric="cosine", n_results=3, output_dir="results", docs_folder="docs", ) # Initialize a tool def search_api(query: str): # Add your logic here return query # Initializing the agent with the Gemini instance and other parameters agent = Agent( agent_name="Covid-19-Chat", agent_description=( "This agent provides information about COVID-19 symptoms." ), llm=OpenAIChat(), max_loops="auto", autosave=True, verbose=True, long_term_memory=memory, stopping_condition="finish", tools=[search_api], ) # Defining the task and image path task = ("What are the symptoms of COVID-19?",) # Running the agent with the specified task and image out = agent.run(task) print(out) ``` ### Devin Implementation of Devin in less than 90 lines of code with several tools: terminal, browser, and edit files. ```python from swarms import Agent, Anthropic import subprocess # Model llm = Anthropic( temperature=0.1, ) # Tools def terminal( code: str, ): """ Run code in the terminal. Args: code (str): The code to run in the terminal. Returns: str: The output of the code. """ out = subprocess.run( code, shell=True, capture_output=True, text=True ).stdout return str(out) def browser(query: str): """ Search the query in the browser with the `browser` tool. Args: query (str): The query to search in the browser. Returns: str: The search results. """ import webbrowser url = f"https://www.google.com/search?q={query}" webbrowser.open(url) return f"Searching for {query} in the browser." def create_file(file_path: str, content: str): """ Create a file using the file editor tool. Args: file_path (str): The path to the file. content (str): The content to write to the file. Returns: str: The result of the file creation operation. """ with open(file_path, "w") as file: file.write(content) return f"File {file_path} created successfully." def file_editor(file_path: str, mode: str, content: str): """ Edit a file using the file editor tool. Args: file_path (str): The path to the file. mode (str): The mode to open the file in. content (str): The content to write to the file. Returns: str: The result of the file editing operation. """ with open(file_path, mode) as file: file.write(content) return f"File {file_path} edited successfully." # Agent agent = Agent( agent_name="Devin", system_prompt=( "Autonomous agent that can interact with humans and other" " agents. Be Helpful and Kind. Use the tools provided to" " assist the user. Return all code in markdown format." ), llm=llm, max_loops="auto", autosave=True, dashboard=False, streaming_on=True, verbose=True, stopping_token="", interactive=True, tools=[terminal, browser, file_editor, create_file], code_interpreter=True, # streaming=True, ) # Run the agent out = agent("Create a new file for a plan to take over the world.") print(out) ``` ### `Agent`with Pydantic BaseModel as Output Type The following is an example of an agent that intakes a pydantic basemodel and outputs it at the same time: ```python from pydantic import BaseModel, Field from swarms import Anthropic, Agent # Initialize the schema for the person's information class Schema(BaseModel): name: str = Field(..., title="Name of the person") agent: int = Field(..., title="Age of the person") is_student: bool = Field(..., title="Whether the person is a student") courses: list[str] = Field( ..., title="List of courses the person is taking" ) # Convert the schema to a JSON string tool_schema = Schema( name="Tool Name", agent=1, is_student=True, courses=["Course1", "Course2"], ) # Define the task to generate a person's information task = "Generate a person's information based on the following schema:" # Initialize the agent agent = Agent( agent_name="Person Information Generator", system_prompt=( "Generate a person's information based on the following schema:" ), # Set the tool schema to the JSON string -- this is the key difference tool_schema=tool_schema, llm=Anthropic(), max_loops=3, autosave=True, dashboard=False, streaming_on=True, verbose=True, interactive=True, # Set the output type to the tool schema which is a BaseModel output_type=tool_schema, # or dict, or str metadata_output_type="json", # List of schemas that the agent can handle list_tool_schemas=[tool_schema], function_calling_format_type="OpenAI", function_calling_type="json", # or soon yaml ) # Run the agent to generate the person's information generated_data = agent.run(task) # Print the generated data print(f"Generated data: {generated_data}") ``` ### Multi Modal Autonomous Agent Run the agent with multiple modalities useful for various real-world tasks in manufacturing, logistics, and health. ```python # Description: This is an example of how to use the Agent class to run a multi-modal workflow import os from dotenv import load_dotenv from swarms import GPT4VisionAPI, Agent # Load the environment variables load_dotenv() # Get the API key from the environment api_key = os.environ.get("OPENAI_API_KEY") # Initialize the language model llm = GPT4VisionAPI( openai_api_key=api_key, max_tokens=500, ) # Initialize the task task = ( "Analyze this image of an assembly line and identify any issues such as" " misaligned parts, defects, or deviations from the standard assembly" " process. IF there is anything unsafe in the image, explain why it is" " unsafe and how it could be improved." ) img = "assembly_line.jpg" ## Initialize the workflow agent = Agent( llm=llm, max_loops="auto", autosave=True, dashboard=True, multi_modal=True ) # Run the workflow on a task agent.run(task=task, img=img) ``` ---- ### `ToolAgent` ToolAgent is an agent that can use tools through JSON function calling. It intakes any open source model from huggingface and is extremely modular and plug in and play. We need help adding general support to all models soon. ```python from pydantic import BaseModel, Field from transformers import AutoModelForCausalLM, AutoTokenizer from swarms import ToolAgent from swarms.utils.json_utils import base_model_to_json # Load the pre-trained model and tokenizer model = AutoModelForCausalLM.from_pretrained( "databricks/dolly-v2-12b", load_in_4bit=True, device_map="auto", ) tokenizer = AutoTokenizer.from_pretrained("databricks/dolly-v2-12b") # Initialize the schema for the person's information class Schema(BaseModel): name: str = Field(..., title="Name of the person") agent: int = Field(..., title="Age of the person") is_student: bool = Field( ..., title="Whether the person is a student" ) courses: list[str] = Field( ..., title="List of courses the person is taking" ) # Convert the schema to a JSON string tool_schema = base_model_to_json(Schema) # Define the task to generate a person's information task = ( "Generate a person's information based on the following schema:" ) # Create an instance of the ToolAgent class agent = ToolAgent( name="dolly-function-agent", description="Ana gent to create a child data", model=model, tokenizer=tokenizer, json_schema=tool_schema, ) # Run the agent to generate the person's information generated_data = agent.run(task) # Print the generated data print(f"Generated data: {generated_data}") ``` ### `Task` For deeper control of your agent stack, `Task` is a simple structure for task execution with the `Agent`. Imagine zapier like LLM-based workflow automation. βœ… Task is a structure for task execution with the Agent. βœ… Tasks can have descriptions, scheduling, triggers, actions, conditions, dependencies, priority, and a history. βœ… The Task structure allows for efficient workflow automation with LLM-based agents. ```python import os from dotenv import load_dotenv from swarms import Agent, OpenAIChat, Task # Load the environment variables load_dotenv() # Define a function to be used as the action def my_action(): print("Action executed") # Define a function to be used as the condition def my_condition(): print("Condition checked") return True # Create an agent agent = Agent( llm=OpenAIChat(openai_api_key=os.environ["OPENAI_API_KEY"]), max_loops=1, dashboard=False, ) # Create a task task = Task( description=( "Generate a report on the top 3 biggest expenses for small" " businesses and how businesses can save 20%" ), agent=agent, ) # Set the action and condition task.set_action(my_action) task.set_condition(my_condition) # Execute the task print("Executing task...") task.run() # Check if the task is completed if task.is_completed(): print("Task completed") else: print("Task not completed") # Output the result of the task print(f"Task result: {task.result}") ``` --- ---- # Multi-Agent Orchestration: Swarms was designed to facilitate the communication between many different and specialized agents from a vast array of other frameworks such as langchain, autogen, crew, and more. In traditional swarm theory, there are many types of swarms usually for very specialized use-cases and problem sets. Such as Hiearchical and sequential are great for accounting and sales, because there is usually a boss coordinator agent that distributes a workload to other specialized agents. | **Name** | **Description** | **Code Link** | **Use Cases** | |-------------------------------|-------------------------------------------------------------------------------------------------------------------------------------------------------------------------|-----------------------------|---------------------------------------------------------------------------------------------------| | Hierarchical Swarms | A system where agents are organized in a hierarchy, with higher-level agents coordinating lower-level agents to achieve complex tasks. | [Code Link](#) | Manufacturing process optimization, multi-level sales management, healthcare resource coordination | | Agent Rearrange | A setup where agents rearrange themselves dynamically based on the task requirements and environmental conditions. | [Code Link](https://docs.swarms.world/en/latest/swarms/structs/agent_rearrange/) | Adaptive manufacturing lines, dynamic sales territory realignment, flexible healthcare staffing | | Concurrent Workflows | Agents perform different tasks simultaneously, coordinating to complete a larger goal. | [Code Link](#) | Concurrent production lines, parallel sales operations, simultaneous patient care processes | | Sequential Coordination | Agents perform tasks in a specific sequence, where the completion of one task triggers the start of the next. | [Code Link](https://docs.swarms.world/en/latest/swarms/structs/sequential_workflow/) | Step-by-step assembly lines, sequential sales processes, stepwise patient treatment workflows | | Parallel Processing | Agents work on different parts of a task simultaneously to speed up the overall process. | [Code Link](#) | Parallel data processing in manufacturing, simultaneous sales analytics, concurrent medical tests | ### `SequentialWorkflow` Sequential Workflow enables you to sequentially execute tasks with `Agent` and then pass the output into the next agent and onwards until you have specified your max loops. `SequentialWorkflow` is wonderful for real-world business tasks like sending emails, summarizing documents, and analyzing data. βœ… Save and Restore Workflow states! βœ… Multi-Modal Support for Visual Chaining βœ… Utilizes Agent class ```python from swarms import Agent, SequentialWorkflow, Anthropic # Initialize the language model agent (e.g., GPT-3) llm = Anthropic() # Initialize agents for individual tasks agent1 = Agent( agent_name="Blog generator", system_prompt="Generate a blog post like stephen king", llm=llm, max_loops=1, dashboard=False, tools=[], ) agent2 = Agent( agent_name="summarizer", system_prompt="Sumamrize the blog post", llm=llm, max_loops=1, dashboard=False, tools=[], ) # Create the Sequential workflow workflow = SequentialWorkflow( agents=[agent1, agent2], max_loops=1, verbose=False ) # Run the workflow workflow.run( "Generate a blog post on how swarms of agents can help businesses grow." ) ``` ### `ConcurrentWorkflow` `ConcurrentWorkflow` runs all the tasks all at the same time with the inputs you give it! ```python import os from dotenv import load_dotenv from swarms import Agent, ConcurrentWorkflow, OpenAIChat, Task # Load environment variables from .env file load_dotenv() # Load environment variables llm = OpenAIChat(openai_api_key=os.getenv("OPENAI_API_KEY")) agent = Agent(llm=llm, max_loops=1) # Create a workflow workflow = ConcurrentWorkflow(max_workers=5) # Create tasks task1 = Task(agent, "What's the weather in miami") task2 = Task(agent, "What's the weather in new york") task3 = Task(agent, "What's the weather in london") # Add tasks to the workflow workflow.add(tasks=[task1, task2, task3]) # Run the workflow workflow.run() ``` ### `RecursiveWorkflow` `RecursiveWorkflow` will keep executing the tasks until a specific token like is located inside the text! ```python import os from dotenv import load_dotenv from swarms import Agent, OpenAIChat, RecursiveWorkflow, Task # Load environment variables from .env file load_dotenv() # Load environment variables llm = OpenAIChat(openai_api_key=os.getenv("OPENAI_API_KEY")) agent = Agent(llm=llm, max_loops=1) # Create a workflow workflow = RecursiveWorkflow(stop_token="") # Create tasks task1 = Task(agent, "What's the weather in miami") task2 = Task(agent, "What's the weather in new york") task3 = Task(agent, "What's the weather in london") # Add tasks to the workflow workflow.add(task1) workflow.add(task2) workflow.add(task3) # Run the workflow workflow.run() ``` ### `SwarmNetwork` `SwarmNetwork` provides the infrasturcture for building extremely dense and complex multi-agent applications that span across various types of agents. βœ… Efficient Task Management: SwarmNetwork's intelligent agent pool and task queue management system ensures tasks are distributed evenly across agents. This leads to efficient use of resources and faster task completion. βœ… Scalability: SwarmNetwork can dynamically scale the number of agents based on the number of pending tasks. This means it can handle an increase in workload by adding more agents, and conserve resources when the workload is low by reducing the number of agents. βœ… Versatile Deployment Options: With SwarmNetwork, each agent can be run on its own thread, process, container, machine, or even cluster. This provides a high degree of flexibility and allows for deployment that best suits the user's needs and infrastructure. ```python import os from dotenv import load_dotenv # Import the OpenAIChat model and the Agent struct from swarms import Agent, OpenAIChat, SwarmNetwork # Load the environment variables load_dotenv() # Get the API key from the environment api_key = os.environ.get("OPENAI_API_KEY") # Initialize the language model llm = OpenAIChat( temperature=0.5, openai_api_key=api_key, ) ## Initialize the workflow agent = Agent(llm=llm, max_loops=1, agent_name="Social Media Manager") agent2 = Agent(llm=llm, max_loops=1, agent_name=" Product Manager") agent3 = Agent(llm=llm, max_loops=1, agent_name="SEO Manager") # Load the swarmnet with the agents swarmnet = SwarmNetwork( agents=[agent, agent2, agent3], ) # List the agents in the swarm network out = swarmnet.list_agents() print(out) # Run the workflow on a task out = swarmnet.run_single_agent( agent2.id, "Generate a 10,000 word blog on health and wellness." ) print(out) # Run all the agents in the swarm network on a task out = swarmnet.run_many_agents("Generate a 10,000 word blog on health and wellness.") print(out) ``` ### Majority Voting Multiple-agents will evaluate an idea based off of an parsing or evaluation function. From papers like "[More agents is all you need](https://arxiv.org/pdf/2402.05120.pdf) ```python from swarms import Agent, MajorityVoting, ChromaDB, Anthropic # Initialize the llm llm = Anthropic() # Agents agent1 = Agent( llm = llm, system_prompt="You are the leader of the Progressive Party. What is your stance on healthcare?", agent_name="Progressive Leader", agent_description="Leader of the Progressive Party", long_term_memory=ChromaDB(), max_steps=1, ) agent2 = Agent( llm=llm, agent_name="Conservative Leader", agent_description="Leader of the Conservative Party", long_term_memory=ChromaDB(), max_steps=1, ) agent3 = Agent( llm=llm, agent_name="Libertarian Leader", agent_description="Leader of the Libertarian Party", long_term_memory=ChromaDB(), max_steps=1, ) # Initialize the majority voting mv = MajorityVoting( agents=[agent1, agent2, agent3], output_parser=llm.majority_voting, autosave=False, verbose=True, ) # Start the majority voting mv.run("What is your stance on healthcare?") ``` ### Real-World Deployment ### Multi-Agent Swarm for Logistics Here's a production grade swarm ready for real-world deployment in a factory and logistics settings like warehouses. This swarm can automate 3 costly and inefficient workflows, safety checks, productivity checks, and warehouse security. ```python import os from dotenv import load_dotenv from swarms.models import GPT4VisionAPI from swarms.prompts.logistics import ( Efficiency_Agent_Prompt, Health_Security_Agent_Prompt, Productivity_Agent_Prompt, Quality_Control_Agent_Prompt, Safety_Agent_Prompt, Security_Agent_Prompt, Sustainability_Agent_Prompt, ) from swarms.structs import Agent # Load ENV load_dotenv() api_key = os.getenv("OPENAI_API_KEY") # GPT4VisionAPI llm = GPT4VisionAPI(openai_api_key=api_key) # Image for analysis factory_image = "factory_image1.jpg" # Initialize agents with respective prompts health_security_agent = Agent( llm=llm, sop=Health_Security_Agent_Prompt, max_loops=1, multi_modal=True, ) # Quality control agent quality_control_agent = Agent( llm=llm, sop=Quality_Control_Agent_Prompt, max_loops=1, multi_modal=True, ) # Productivity Agent productivity_agent = Agent( llm=llm, sop=Productivity_Agent_Prompt, max_loops=1, multi_modal=True, ) # Initiailize safety agent safety_agent = Agent(llm=llm, sop=Safety_Agent_Prompt, max_loops=1, multi_modal=True) # Init the security agent security_agent = Agent( llm=llm, sop=Security_Agent_Prompt, max_loops=1, multi_modal=True ) # Initialize sustainability agent sustainability_agent = Agent( llm=llm, sop=Sustainability_Agent_Prompt, max_loops=1, multi_modal=True, ) # Initialize efficincy agent efficiency_agent = Agent( llm=llm, sop=Efficiency_Agent_Prompt, max_loops=1, multi_modal=True, ) # Run agents with respective tasks on the same image health_analysis = health_security_agent.run( "Analyze the safety of this factory", factory_image ) quality_analysis = quality_control_agent.run( "Examine product quality in the factory", factory_image ) productivity_analysis = productivity_agent.run( "Evaluate factory productivity", factory_image ) safety_analysis = safety_agent.run( "Inspect the factory's adherence to safety standards", factory_image, ) security_analysis = security_agent.run( "Assess the factory's security measures and systems", factory_image, ) sustainability_analysis = sustainability_agent.run( "Examine the factory's sustainability practices", factory_image ) efficiency_analysis = efficiency_agent.run( "Analyze the efficiency of the factory's manufacturing process", factory_image, ) ``` --- ## Build your own LLMs, Agents, and Swarms! ### Swarms Compliant Model Interface ```python from swarms import BaseLLM class vLLMLM(BaseLLM): def __init__(self, model_name='default_model', tensor_parallel_size=1, *args, **kwargs): super().__init__(*args, **kwargs) self.model_name = model_name self.tensor_parallel_size = tensor_parallel_size # Add any additional initialization here def run(self, task: str): pass # Example model = vLLMLM("mistral") # Run the model out = model("Analyze these financial documents and summarize of them") print(out) ``` ### Swarms Compliant Agent Interface ```python from swarms import Agent class MyCustomAgent(Agent): Β  Β  def __init__(self, *args, **kwargs): Β  Β  Β  Β  super().__init__(*args, **kwargs) Β  Β  Β  Β  # Custom initialization logic Β  Β  def custom_method(self, *args, **kwargs): Β  Β  Β  Β  # Implement custom logic here Β  Β  Β  Β  pass Β  Β  def run(self, task, *args, **kwargs): Β  Β  Β  Β  # Customize the run method Β  Β  Β  Β  response = super().run(task, *args, **kwargs) Β  Β  Β  Β  # Additional custom logic Β  Β  Β  Β  return response` # Model agent = MyCustomAgent() # Run the agent out = agent("Analyze and summarize these financial documents: ") print(out) ``` ### Compliant Interface for Multi-Agent Collaboration ```python from swarms import AutoSwarm, AutoSwarmRouter, BaseSwarm # Build your own Swarm class MySwarm(BaseSwarm): def __init__(self, name="kyegomez/myswarm", *args, **kwargs): super().__init__(*args, **kwargs) self.name = name def run(self, task: str, *args, **kwargs): # Add your multi-agent logic here # agent 1 # agent 2 # agent 3 return "output of the swarm" # Add your custom swarm to the AutoSwarmRouter router = AutoSwarmRouter( swarms=[MySwarm] ) # Create an AutoSwarm instance autoswarm = AutoSwarm( name="kyegomez/myswarm", description="A simple API to build and run swarms", verbose=True, router=router, ) # Run the AutoSwarm autoswarm.run("Analyze these financial data and give me a summary") ``` ## `AgentRearrange` Inspired by Einops and einsum, this orchestration techniques enables you to map out the relationships between various agents. For example you specify linear and sequential relationships like `a -> a1 -> a2 -> a3` or concurrent relationships where the first agent will send a message to 3 agents all at once: `a -> a1, a2, a3`. You can customize your workflow to mix sequential and concurrent relationships. [Docs Available:](https://swarms.apac.ai/en/latest/swarms/structs/agent_rearrange/) ```python from swarms import Agent, AgentRearrange, rearrange, Anthropic # Initialize the director agent director = Agent( agent_name="Director", system_prompt="Directs the tasks for the workers", llm=Anthropic(), max_loops=1, dashboard=False, streaming_on=True, verbose=True, stopping_token="", state_save_file_type="json", saved_state_path="director.json", ) # Initialize worker 1 worker1 = Agent( agent_name="Worker1", system_prompt="Generates a transcript for a youtube video on what swarms are", llm=Anthropic(), max_loops=1, dashboard=False, streaming_on=True, verbose=True, stopping_token="", state_save_file_type="json", saved_state_path="worker1.json", ) # Initialize worker 2 worker2 = Agent( agent_name="Worker2", system_prompt="Summarizes the transcript generated by Worker1", llm=Anthropic(), max_loops=1, dashboard=False, streaming_on=True, verbose=True, stopping_token="", state_save_file_type="json", saved_state_path="worker2.json", ) # Create a list of agents agents = [director, worker1, worker2] # Define the flow pattern flow = "Director -> Worker1 -> Worker2" # Using AgentRearrange class agent_system = AgentRearrange(agents=agents, flow=flow) output = agent_system.run( "Create a format to express and communicate swarms of llms in a structured manner for youtube" ) print(output) # Using rearrange function output = rearrange( agents, flow, "Create a format to express and communicate swarms of llms in a structured manner for youtube", ) print(output) ``` ## `HierarhicalSwarm` Coming soon... ## `AgentLoadBalancer` Coming soon... ## `GraphSwarm` Coming soon... ## `MixtureOfAgents` This is an implementation from the paper: "Mixture-of-Agents Enhances Large Language Model Capabilities" by together.ai, it achieves SOTA on AlpacaEval 2.0, MT-Bench and FLASK, surpassing GPT-4 Omni. Great for tasks that need to be parallelized and then sequentially fed into another loop ```python from swarms import Agent, OpenAIChat, MixtureOfAgents # Initialize the director agent director = Agent( agent_name="Director", system_prompt="Directs the tasks for the accountants", llm=OpenAIChat(), max_loops=1, dashboard=False, streaming_on=True, verbose=True, stopping_token="", state_save_file_type="json", saved_state_path="director.json", ) # Initialize accountant 1 accountant1 = Agent( agent_name="Accountant1", system_prompt="Prepares financial statements", llm=OpenAIChat(), max_loops=1, dashboard=False, streaming_on=True, verbose=True, stopping_token="", state_save_file_type="json", saved_state_path="accountant1.json", ) # Initialize accountant 2 accountant2 = Agent( agent_name="Accountant2", system_prompt="Audits financial records", llm=OpenAIChat(), max_loops=1, dashboard=False, streaming_on=True, verbose=True, stopping_token="", state_save_file_type="json", saved_state_path="accountant2.json", ) # Create a list of agents agents = [director, accountant1, accountant2] # Swarm swarm = MixtureOfAgents( name="Mixture of Accountants", agents=agents, layers=3, final_agent=director, ) # Run the swarm out = swarm.run("Prepare financial statements and audit financial records") print(out) ``` --- ## Documentation Documentation is located here at: [swarms.apac.ai](https://swarms.apac.ai) ---- ## Folder Structure The swarms package has been meticlously crafted for extreme use-ability and understanding, the swarms package is split up into various modules such as `swarms.agents` that holds pre-built agents, `swarms.structs`Β that holds a vast array of structures like `Agent` and multi agent structures. The 3 most important are `structs`, `models`, and `agents`. ```sh β”œβ”€β”€ __init__.py β”œβ”€β”€ agents β”œβ”€β”€ artifacts β”œβ”€β”€ memory β”œβ”€β”€ schemas β”œβ”€β”€ models β”œβ”€β”€ prompts β”œβ”€β”€ structs β”œβ”€β”€ telemetry β”œβ”€β”€ tools β”œβ”€β”€ utils └── workers ``` ---- ## 🫢 Contributions: The easiest way to contribute is to pick any issue with the `good first issue` tag πŸ’ͺ. Read the Contributing guidelines [here](/CONTRIBUTING.md). Bug Report? [File here](https://github.com/swarms/gateway/issues) | Feature Request? [File here](https://github.com/swarms/gateway/issues) Swarms is an open-source project, and contributions are VERY welcome. If you want to contribute, you can create new features, fix bugs, or improve the infrastructure. Please refer to the [CONTRIBUTING.md](https://github.com/kyegomez/swarms/blob/master/CONTRIBUTING.md) and our [contributing board](https://github.com/users/kyegomez/projects/1) to participate in Roadmap discussions! ---- ## Community Join our growing community around the world, for real-time support, ideas, and discussions on Swarms 😊 - View our official [Blog](https://swarms.apac.ai) - Chat live with us on [Discord](https://discord.gg/kS3rwKs3ZC) - Follow us on [Twitter](https://twitter.com/kyegomez) - Connect with us on [LinkedIn](https://www.linkedin.com/company/the-swarm-corporation) - Visit us on [YouTube](https://www.youtube.com/channel/UC9yXyitkbU_WSy7bd_41SqQ) - [Join the Swarms community on Discord!](https://discord.gg/AJazBmhKnr) - Join our Swarms Community Gathering every Thursday at 1pm NYC Time to unlock the potential of autonomous agents in automating your daily tasks [Sign up here](https://lu.ma/5p2jnc2v) --- ## Discovery Call Book a discovery call to learn how Swarms can lower your operating costs by 40% with swarms of autonomous agents in lightspeed. [Click here to book a time that works for you!](https://calendly.com/swarm-corp/30min?month=2023-11) ## Accelerate Backlog Accelerate Bugs, Features, and Demos to implement by supporting us here: ## Docker Instructions - [Learn More Here About Deployments In Docker](https://swarms.apac.ai/en/latest/docker_setup/) ## Swarm Newsletter πŸ€– πŸ€– πŸ€– πŸ“§ Sign up to the Swarm newsletter to receive updates on the latest Autonomous agent research papers, step by step guides on creating multi-agent app, and much more Swarmie goodiness 😊 [CLICK HERE TO SIGNUP](https://docs.google.com/forms/d/e/1FAIpQLSfqxI2ktPR9jkcIwzvHL0VY6tEIuVPd-P2fOWKnd6skT9j1EQ/viewform?usp=sf_link) # License Apache License # Citations Please cite Swarms in your paper or your project if you found it beneficial in any way! Appreciate you. ```bibtex @misc{swarms, author = {Gomez, Kye}, title = {{Swarms: The Multi-Agent Collaboration Framework}}, howpublished = {\url{https://github.com/kyegomez/swarms}}, year = {2023}, note = {Accessed: Date} } ``` ```bibtex @misc{wang2024mixtureofagents, title={Mixture-of-Agents Enhances Large Language Model Capabilities}, author={Junlin Wang and Jue Wang and Ben Athiwaratkun and Ce Zhang and James Zou}, year={2024}, eprint={2406.04692}, archivePrefix={arXiv}, primaryClass={cs.CL} } ```