iot-agent


Nameiot-agent JSON
Version 0.1.3 PyPI version JSON
download
home_pagehttps://github.com/raphaelmansuy/iteration_of_thought
SummaryIteration of Thought LLM Agent
upload_time2024-09-21 09:12:20
maintainerNone
docs_urlNone
authorRaphael MANSUY
requires_python<4.0,>=3.12
licenseMIT
keywords llm agent openai litellm
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            ## Iteration of Thought (IoT) Framework

### 1. Introduction


Generating accurate and contextually relevant responses using AI is more critical than ever. Whether you're developing chatbots, virtual assistants, or any application that relies on natural language processing, understanding how to leverage frameworks like the Iteration of Thought (IoT) can significantly enhance your results.


This implementation is based on the article: https://arxiv.org/pdf/2409.12618

> 💡 Iteration of Thought: Leveraging Inner Dialogue for Autonomous Large Language Model Reasoning

### Understanding the Components of Iteration of Tought (IoT)

1. **Inner Dialogue Agent (IDA)**:
   - Think of the IDA as a personal tutor or guide that helps the LLM refine its responses. Just like a student who asks questions to clarify their understanding, the IDA generates context-sensitive prompts based on the original user query and the LLM's previous responses. This is akin to having a conversation where each response leads to further questions that deepen understanding.
   - Mathematically, we can represent this as a function: 
     **C: Q × R × K' → P**
     where **Q** is the set of possible queries, **R** represents potential responses from the LLM, and **P** denotes the generated prompts. Each iteration allows the IDA to dynamically adjust its guidance based on what has been previously discussed.

2. **LLM Agent (LLMA)**:
   - The LLMA is like the brain of the operation, processing the prompts generated by the IDA. It uses its internal knowledge base to refine its responses further. Imagine it as a researcher who takes feedback from their mentor (the IDA) and uses that feedback to improve their work.
   - This relationship can be expressed mathematically as:
     **L: Q × P × K → R**
     Here, **L** takes in a query **q**, a prompt **p**, and a knowledge base **K**, producing a refined response **r**.

3. **Iterative Prompting Loop**:
   - The iterative loop is where the magic happens. It involves back-and-forth communication between the IDA and LLMA. Each time the LLMA generates a response, it is evaluated by the IDA, which then creates a new prompt for further refinement. This process continues until either a satisfactory answer is reached or a maximum number of iterations is completed.
   - This loop can be visualized as a conversation where each participant builds on what the other has said, leading to deeper insights and improved answers.

#### Why Use IoT?

The IoT framework is particularly effective in situations where complex queries require nuanced understanding or where initial responses may lack depth or clarity. It allows for adaptive exploration across different reasoning paths without discarding potentially valuable insights—unlike traditional methods that may generate multiple reasoning paths but ultimately discard most of them.

#### When to use it?

The IoT framework is particularly useful in scenarios where complex queries require nuanced understanding or where initial responses may lack depth or clarity. It's ideal for applications in education, customer support, content generation, and more.

### 2. Getting Started

#### Setting Up Your Environment

To get started with the IoT framework, you'll need to set up your environment correctly:

1. **Install Python:** Ensure you have Python installed on your machine (version 3.11 or higher).
2. **Set up OpenAI API:** Obtain your API key from OpenAI and set it as an environment variable. (You can use another model for example ollama/gemma2:2b)
3. **Install Poetry:** If you haven't already, install Poetry by following the instructions on the [Poetry website](https://python-poetry.org/docs/#installation).
4. **Clone the Repository:** Clone the repository containing the IoT framework code:
   ```bash
   git clone https://github.com/raphaelmansuy/iteration_of_thought
   cd iteration_of_thought
   ```
5. **Install Dependencies:** Use Poetry to install required packages:
   ```bash
   poetry install
   ```

#### Running the Program

To run the program, you can use the following command within the Poetry environment:

1. **Activate the Poetry Shell:**
   ```bash
   poetry shell
   ```
2. **Run the Main Script:**
   ```bash
   python src/iot_agent/main.py --method AIoT --query "Your query here" --temperature 0.5
   ```

   You can specify the method (`AIoT` or `GIoT`), the query, and the sampling temperature for the LLM response.

#### Understanding the Code Structure

The provided code consists of several key components:

- **IterationOfThought Class:** This class manages the iteration process using specified models and includes methods for both AIoT and GIoT.
- **Methods:** 
  - `_call_llm`: Handles API calls to an LLLM service.
  - `inner_dialogue_agent`: Generates new prompts based on previous responses to refine the output.
  - `llm_agent`: Combines the user query with the generated prompt to produce a refined response.
  - `stopping_criterion`: Determines when to stop iterating based on the content of the response.
  - `aiot`: Implements the Autonomous Iteration of Thought process.
  - `giot`: Implements the Guided Iteration of Thought process.

### 3. Code Explanation

#### Main Components

1. **Imports and Configuration:**
   The code begins by importing necessary libraries and setting up configuration variables, including the OpenAI API key and model type.

   ```python
   import os
   import time
   import signal
   from typing import Optional
   from loguru import logger
   import click
   from rich.console import Console
   from rich.panel import Panel
   from rich.progress import Progress, SpinnerColumn, TextColumn
   from rich.prompt import Prompt
   from rich.table import Table
   from rich.markdown import Markdown
   from litellm import completion
   import requests  # Added for handling URL requests
   ```

2. **API Key Handling:**
   The API key is retrieved from the environment variables. If it is not set, an error is raised.

   ```python
   API_KEY = os.getenv("OPENAI_API_KEY")
   if not API_KEY:
       raise ValueError("OpenAI API key must be set as an environment variable.")
   ```

3. **IterationOfThought Class:**
   This class encapsulates the logic for both AIoT and GIoT methods. It initializes with parameters such as the model type, maximum iterations, timeout settings, and temperature.

   ```python
   class IterationOfThought:
       def __init__(self, model: str = MODEL, max_iterations: int = 5, timeout: int = 30, temperature: float = 0.5):
           self.model = model
           self.max_iterations = max_iterations
           self.timeout = timeout
           self.temperature = temperature
   ```

4. **API Call Method:**
   The `_call_llm` method handles the interaction with the OpenAI API, including error handling for rate limits.

   ```python
   def _call_llm(self, prompt: str, temperature: Optional[float] = None, max_retries: int = 3) -> str:
       for _ in range(max_retries):
           try:
               with console.status(f"[bold green]Calling {self.model} API...", spinner="dots"):
                   response = completion(
                       model=self.model,
                       temperature=temperature or self.temperature,
                       messages=[{"role": "user", "content": prompt}],
                   )
               return response["choices"][0]["message"]["content"].strip()
           except Exception as e:
               console.print(f"[red]Error: {e}")
               return ""
       console.print("[red]Failed to get a response from OpenAI API after max retries")
       return ""
   ```

5. **Inner Dialogue Agent:**
   This method generates a new prompt based on the previous response, encouraging deeper reasoning.

   ```python
   def inner_dialogue_agent(self, query: str, previous_response: str) -> str:
       prompt = (
           f"Given the original query: '{query}' and the previous response: '{previous_response}', "
           "generate an instructive and context-specific prompt to refine and improve the answer."
       )
       return self._call_llm(prompt)
   ```

6. **AIoT and GIoT Methods:**
   The `aiot` method implements the autonomous iteration process, while the `giot` method follows a fixed number of iterations.

   ```python
   def aiot(self, query: str) -> str:
       # Implementation of AIoT
   ```

   ```python
   def giot(self, query: str, fixed_iterations: int) -> str:
       # Implementation of GIoT
   ```

7. **User Interaction:**
   The `get_user_query` function prompts the user for input, allowing for a sample query or a custom one.

   ```python
   def get_user_query() -> str:
       user_input = Prompt.ask("Query", default=sample_query)
       return user_input
   ```

8. **Main Function:**
   The `main` function orchestrates the execution of the program, handling user input and displaying results.

   ```python
   @click.command()
   @click.option("--method", type=click.Choice(["AIoT", "GIoT", "both"]), default="AIoT", help="Choose the method to run")
   def main(method: str) -> None:
       # Main execution logic
   ```

### 4. Examples of IoT in Action

#### Simple Example: Basic Query Handling

Let's start with a simple example using AIoT:

```python
sample_query = "What is the capital of France?"
final_response_aiot = iot.aiot(sample_query)
print(final_response_aiot)
```

In this example, we ask a straightforward question about France's capital. The AI will generate an initial response and refine it through iterations until it reaches a satisfactory answer.

#### Intermediate Example: Refining Responses

Now let's look at an intermediate example using GIoT:

```python
sample_query = "Explain photosynthesis."
final_response_giot = iot.giot(sample_query, fixed_iterations=3)
print(final_response_giot)
```

Here, we are asking for an explanation of photosynthesis over three iterations, allowing us to obtain a more detailed understanding each time.

#### Advanced Example: Complex Query Iteration

For our advanced example, let's tackle a more complex query:

```python
sample_query = "Describe the impact of climate change on marine biodiversity."
final_response_aiot = iot.aiot(sample_query)
print(final_response_aiot)
```

This query might require multiple iterations for deeper insights into various aspects related to climate change and marine life.

### 5. Interactive Elements

#### Quick Quiz: Test Your Knowledge 🧠✨

**Question:** What are the two main components of the IoT framework? 🤔

- A) AIoT and GIoT 🌐🔄
- B) Machine Learning and Deep Learning 📊🧠
- C) Data Science and Data Engineering 📈🔧

*Pause and reflect before checking your answer!*

### 6. Pro Tips

- **Craft Effective Prompts:** The quality of your prompts significantly influences response quality. Be clear and specific.
- **Iterate Wisely:** Not all queries require multiple iterations; assess when it's necessary based on complexity.

### 7. Common Misconceptions

Many users believe that simply sending queries to AI will yield perfect results without needing refinement—this is a misconception! Iterative frameworks like IoT are essential for enhancing response accuracy and relevance.

### 8. Sequence Diagram: Understanding IoT Process

To visualize how the IoT framework operates, here's a Mermaid sequence diagram illustrating the interaction between different components during response generation:

```mermaid
sequenceDiagram
    participant User as User
    participant AI as OpenAI Model
    participant IDA as Inner Dialogue Agent
    participant LLM as LLM Agent
    
    User->>LLM: Send initial query
    LLM->>AI: Generate initial response
    AI-->>LLM: Return response
    LLM-->>User: Show initial response
    
    User->>IDA: Request refinement with previous response
    IDA->>AI: Generate new prompt based on previous response
    AI-->>IDA: Return refined prompt
    
    IDA->>LLM: Send refined prompt
    LLM->>AI: Generate refined response
    AI-->>LLM: Return refined response
    LLM-->>User: Show refined response
    
    Note over User, LLM: Repeat process until stopping criterion met
```

### 9. Conclusion

#### Call-to-Action: Apply What You've Learned!

To put your new knowledge into practice within 24 hours:
1. Choose a topic you're passionate about.
2. Formulate a query related to that topic.
3. Implement either AIoT or GIoT using the provided code structure.
4. Share your refined response with peers or colleagues!

By taking these steps, you'll not only reinforce what you've learned but also begin applying it in real-world scenarios—empowering you as a practitioner in no time!


            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/raphaelmansuy/iteration_of_thought",
    "name": "iot-agent",
    "maintainer": null,
    "docs_url": null,
    "requires_python": "<4.0,>=3.12",
    "maintainer_email": null,
    "keywords": "llm, agent, openai, litellm",
    "author": "Raphael MANSUY",
    "author_email": "raphael.mansuy@gmail.com",
    "download_url": "https://files.pythonhosted.org/packages/20/34/cafdaf8d9bd674cba6ebd14f54e97ed1965284abf811ab09c9982195e09b/iot_agent-0.1.3.tar.gz",
    "platform": null,
    "description": "## Iteration of Thought (IoT) Framework\n\n### 1. Introduction\n\n\nGenerating accurate and contextually relevant responses using AI is more critical than ever. Whether you're developing chatbots, virtual assistants, or any application that relies on natural language processing, understanding how to leverage frameworks like the Iteration of Thought (IoT) can significantly enhance your results.\n\n\nThis implementation is based on the article: https://arxiv.org/pdf/2409.12618\n\n> \ud83d\udca1 Iteration of Thought: Leveraging Inner Dialogue for Autonomous Large Language Model Reasoning\n\n### Understanding the Components of Iteration of Tought (IoT)\n\n1. **Inner Dialogue Agent (IDA)**:\n   - Think of the IDA as a personal tutor or guide that helps the LLM refine its responses. Just like a student who asks questions to clarify their understanding, the IDA generates context-sensitive prompts based on the original user query and the LLM's previous responses. This is akin to having a conversation where each response leads to further questions that deepen understanding.\n   - Mathematically, we can represent this as a function: \n     **C: Q \u00d7 R \u00d7 K' \u2192 P**\n     where **Q** is the set of possible queries, **R** represents potential responses from the LLM, and **P** denotes the generated prompts. Each iteration allows the IDA to dynamically adjust its guidance based on what has been previously discussed.\n\n2. **LLM Agent (LLMA)**:\n   - The LLMA is like the brain of the operation, processing the prompts generated by the IDA. It uses its internal knowledge base to refine its responses further. Imagine it as a researcher who takes feedback from their mentor (the IDA) and uses that feedback to improve their work.\n   - This relationship can be expressed mathematically as:\n     **L: Q \u00d7 P \u00d7 K \u2192 R**\n     Here, **L** takes in a query **q**, a prompt **p**, and a knowledge base **K**, producing a refined response **r**.\n\n3. **Iterative Prompting Loop**:\n   - The iterative loop is where the magic happens. It involves back-and-forth communication between the IDA and LLMA. Each time the LLMA generates a response, it is evaluated by the IDA, which then creates a new prompt for further refinement. This process continues until either a satisfactory answer is reached or a maximum number of iterations is completed.\n   - This loop can be visualized as a conversation where each participant builds on what the other has said, leading to deeper insights and improved answers.\n\n#### Why Use IoT?\n\nThe IoT framework is particularly effective in situations where complex queries require nuanced understanding or where initial responses may lack depth or clarity. It allows for adaptive exploration across different reasoning paths without discarding potentially valuable insights\u2014unlike traditional methods that may generate multiple reasoning paths but ultimately discard most of them.\n\n#### When to use it?\n\nThe IoT framework is particularly useful in scenarios where complex queries require nuanced understanding or where initial responses may lack depth or clarity. It's ideal for applications in education, customer support, content generation, and more.\n\n### 2. Getting Started\n\n#### Setting Up Your Environment\n\nTo get started with the IoT framework, you'll need to set up your environment correctly:\n\n1. **Install Python:** Ensure you have Python installed on your machine (version 3.11 or higher).\n2. **Set up OpenAI API:** Obtain your API key from OpenAI and set it as an environment variable. (You can use another model for example ollama/gemma2:2b)\n3. **Install Poetry:** If you haven't already, install Poetry by following the instructions on the [Poetry website](https://python-poetry.org/docs/#installation).\n4. **Clone the Repository:** Clone the repository containing the IoT framework code:\n   ```bash\n   git clone https://github.com/raphaelmansuy/iteration_of_thought\n   cd iteration_of_thought\n   ```\n5. **Install Dependencies:** Use Poetry to install required packages:\n   ```bash\n   poetry install\n   ```\n\n#### Running the Program\n\nTo run the program, you can use the following command within the Poetry environment:\n\n1. **Activate the Poetry Shell:**\n   ```bash\n   poetry shell\n   ```\n2. **Run the Main Script:**\n   ```bash\n   python src/iot_agent/main.py --method AIoT --query \"Your query here\" --temperature 0.5\n   ```\n\n   You can specify the method (`AIoT` or `GIoT`), the query, and the sampling temperature for the LLM response.\n\n#### Understanding the Code Structure\n\nThe provided code consists of several key components:\n\n- **IterationOfThought Class:** This class manages the iteration process using specified models and includes methods for both AIoT and GIoT.\n- **Methods:** \n  - `_call_llm`: Handles API calls to an LLLM service.\n  - `inner_dialogue_agent`: Generates new prompts based on previous responses to refine the output.\n  - `llm_agent`: Combines the user query with the generated prompt to produce a refined response.\n  - `stopping_criterion`: Determines when to stop iterating based on the content of the response.\n  - `aiot`: Implements the Autonomous Iteration of Thought process.\n  - `giot`: Implements the Guided Iteration of Thought process.\n\n### 3. Code Explanation\n\n#### Main Components\n\n1. **Imports and Configuration:**\n   The code begins by importing necessary libraries and setting up configuration variables, including the OpenAI API key and model type.\n\n   ```python\n   import os\n   import time\n   import signal\n   from typing import Optional\n   from loguru import logger\n   import click\n   from rich.console import Console\n   from rich.panel import Panel\n   from rich.progress import Progress, SpinnerColumn, TextColumn\n   from rich.prompt import Prompt\n   from rich.table import Table\n   from rich.markdown import Markdown\n   from litellm import completion\n   import requests  # Added for handling URL requests\n   ```\n\n2. **API Key Handling:**\n   The API key is retrieved from the environment variables. If it is not set, an error is raised.\n\n   ```python\n   API_KEY = os.getenv(\"OPENAI_API_KEY\")\n   if not API_KEY:\n       raise ValueError(\"OpenAI API key must be set as an environment variable.\")\n   ```\n\n3. **IterationOfThought Class:**\n   This class encapsulates the logic for both AIoT and GIoT methods. It initializes with parameters such as the model type, maximum iterations, timeout settings, and temperature.\n\n   ```python\n   class IterationOfThought:\n       def __init__(self, model: str = MODEL, max_iterations: int = 5, timeout: int = 30, temperature: float = 0.5):\n           self.model = model\n           self.max_iterations = max_iterations\n           self.timeout = timeout\n           self.temperature = temperature\n   ```\n\n4. **API Call Method:**\n   The `_call_llm` method handles the interaction with the OpenAI API, including error handling for rate limits.\n\n   ```python\n   def _call_llm(self, prompt: str, temperature: Optional[float] = None, max_retries: int = 3) -> str:\n       for _ in range(max_retries):\n           try:\n               with console.status(f\"[bold green]Calling {self.model} API...\", spinner=\"dots\"):\n                   response = completion(\n                       model=self.model,\n                       temperature=temperature or self.temperature,\n                       messages=[{\"role\": \"user\", \"content\": prompt}],\n                   )\n               return response[\"choices\"][0][\"message\"][\"content\"].strip()\n           except Exception as e:\n               console.print(f\"[red]Error: {e}\")\n               return \"\"\n       console.print(\"[red]Failed to get a response from OpenAI API after max retries\")\n       return \"\"\n   ```\n\n5. **Inner Dialogue Agent:**\n   This method generates a new prompt based on the previous response, encouraging deeper reasoning.\n\n   ```python\n   def inner_dialogue_agent(self, query: str, previous_response: str) -> str:\n       prompt = (\n           f\"Given the original query: '{query}' and the previous response: '{previous_response}', \"\n           \"generate an instructive and context-specific prompt to refine and improve the answer.\"\n       )\n       return self._call_llm(prompt)\n   ```\n\n6. **AIoT and GIoT Methods:**\n   The `aiot` method implements the autonomous iteration process, while the `giot` method follows a fixed number of iterations.\n\n   ```python\n   def aiot(self, query: str) -> str:\n       # Implementation of AIoT\n   ```\n\n   ```python\n   def giot(self, query: str, fixed_iterations: int) -> str:\n       # Implementation of GIoT\n   ```\n\n7. **User Interaction:**\n   The `get_user_query` function prompts the user for input, allowing for a sample query or a custom one.\n\n   ```python\n   def get_user_query() -> str:\n       user_input = Prompt.ask(\"Query\", default=sample_query)\n       return user_input\n   ```\n\n8. **Main Function:**\n   The `main` function orchestrates the execution of the program, handling user input and displaying results.\n\n   ```python\n   @click.command()\n   @click.option(\"--method\", type=click.Choice([\"AIoT\", \"GIoT\", \"both\"]), default=\"AIoT\", help=\"Choose the method to run\")\n   def main(method: str) -> None:\n       # Main execution logic\n   ```\n\n### 4. Examples of IoT in Action\n\n#### Simple Example: Basic Query Handling\n\nLet's start with a simple example using AIoT:\n\n```python\nsample_query = \"What is the capital of France?\"\nfinal_response_aiot = iot.aiot(sample_query)\nprint(final_response_aiot)\n```\n\nIn this example, we ask a straightforward question about France's capital. The AI will generate an initial response and refine it through iterations until it reaches a satisfactory answer.\n\n#### Intermediate Example: Refining Responses\n\nNow let's look at an intermediate example using GIoT:\n\n```python\nsample_query = \"Explain photosynthesis.\"\nfinal_response_giot = iot.giot(sample_query, fixed_iterations=3)\nprint(final_response_giot)\n```\n\nHere, we are asking for an explanation of photosynthesis over three iterations, allowing us to obtain a more detailed understanding each time.\n\n#### Advanced Example: Complex Query Iteration\n\nFor our advanced example, let's tackle a more complex query:\n\n```python\nsample_query = \"Describe the impact of climate change on marine biodiversity.\"\nfinal_response_aiot = iot.aiot(sample_query)\nprint(final_response_aiot)\n```\n\nThis query might require multiple iterations for deeper insights into various aspects related to climate change and marine life.\n\n### 5. Interactive Elements\n\n#### Quick Quiz: Test Your Knowledge \ud83e\udde0\u2728\n\n**Question:** What are the two main components of the IoT framework? \ud83e\udd14\n\n- A) AIoT and GIoT \ud83c\udf10\ud83d\udd04\n- B) Machine Learning and Deep Learning \ud83d\udcca\ud83e\udde0\n- C) Data Science and Data Engineering \ud83d\udcc8\ud83d\udd27\n\n*Pause and reflect before checking your answer!*\n\n### 6. Pro Tips\n\n- **Craft Effective Prompts:** The quality of your prompts significantly influences response quality. Be clear and specific.\n- **Iterate Wisely:** Not all queries require multiple iterations; assess when it's necessary based on complexity.\n\n### 7. Common Misconceptions\n\nMany users believe that simply sending queries to AI will yield perfect results without needing refinement\u2014this is a misconception! Iterative frameworks like IoT are essential for enhancing response accuracy and relevance.\n\n### 8. Sequence Diagram: Understanding IoT Process\n\nTo visualize how the IoT framework operates, here's a Mermaid sequence diagram illustrating the interaction between different components during response generation:\n\n```mermaid\nsequenceDiagram\n    participant User as User\n    participant AI as OpenAI Model\n    participant IDA as Inner Dialogue Agent\n    participant LLM as LLM Agent\n    \n    User->>LLM: Send initial query\n    LLM->>AI: Generate initial response\n    AI-->>LLM: Return response\n    LLM-->>User: Show initial response\n    \n    User->>IDA: Request refinement with previous response\n    IDA->>AI: Generate new prompt based on previous response\n    AI-->>IDA: Return refined prompt\n    \n    IDA->>LLM: Send refined prompt\n    LLM->>AI: Generate refined response\n    AI-->>LLM: Return refined response\n    LLM-->>User: Show refined response\n    \n    Note over User, LLM: Repeat process until stopping criterion met\n```\n\n### 9. Conclusion\n\n#### Call-to-Action: Apply What You've Learned!\n\nTo put your new knowledge into practice within 24 hours:\n1. Choose a topic you're passionate about.\n2. Formulate a query related to that topic.\n3. Implement either AIoT or GIoT using the provided code structure.\n4. Share your refined response with peers or colleagues!\n\nBy taking these steps, you'll not only reinforce what you've learned but also begin applying it in real-world scenarios\u2014empowering you as a practitioner in no time!\n\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "Iteration of Thought LLM Agent",
    "version": "0.1.3",
    "project_urls": {
        "Homepage": "https://github.com/raphaelmansuy/iteration_of_thought",
        "Repository": "https://github.com/raphaelmansuy/iteration_of_tought"
    },
    "split_keywords": [
        "llm",
        " agent",
        " openai",
        " litellm"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9f2a1b5e2d8140d7ee37725d188dcd8cd8362bf5ae972d25004039feb00c4088",
                "md5": "11cbf6d53c4f9aeb38d5a61d0a7e6c09",
                "sha256": "cce5ba74f7334057321632c88ad11d45e7f5a8aaf02d7f75a675f1093673d410"
            },
            "downloads": -1,
            "filename": "iot_agent-0.1.3-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "11cbf6d53c4f9aeb38d5a61d0a7e6c09",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": "<4.0,>=3.12",
            "size": 11242,
            "upload_time": "2024-09-21T09:12:19",
            "upload_time_iso_8601": "2024-09-21T09:12:19.231796Z",
            "url": "https://files.pythonhosted.org/packages/9f/2a/1b5e2d8140d7ee37725d188dcd8cd8362bf5ae972d25004039feb00c4088/iot_agent-0.1.3-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "2034cafdaf8d9bd674cba6ebd14f54e97ed1965284abf811ab09c9982195e09b",
                "md5": "4f287332df8312d769e2527f68bea9f0",
                "sha256": "1e85a112d204332f9748fb83094fe0c6a93f5312a2b396dcd863e2e8c6a371c4"
            },
            "downloads": -1,
            "filename": "iot_agent-0.1.3.tar.gz",
            "has_sig": false,
            "md5_digest": "4f287332df8312d769e2527f68bea9f0",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": "<4.0,>=3.12",
            "size": 13933,
            "upload_time": "2024-09-21T09:12:20",
            "upload_time_iso_8601": "2024-09-21T09:12:20.598005Z",
            "url": "https://files.pythonhosted.org/packages/20/34/cafdaf8d9bd674cba6ebd14f54e97ed1965284abf811ab09c9982195e09b/iot_agent-0.1.3.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-09-21 09:12:20",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "raphaelmansuy",
    "github_project": "iteration_of_thought",
    "github_not_found": true,
    "lcname": "iot-agent"
}
        
Elapsed time: 1.49828s