Easily connect large language models into your application
Project description
llmio
🎈 A Lightweight Python Library for LLM I/O
Welcome to llmio! If you're looking for a simple, efficient way to build LLM-based agents, you've come to the right place.
llmio is a lightweight Python library that leverages type annotations to make tool execution with OpenAI-compatible APIs effortless. Whether you're working with OpenAI, Azure OpenAI, Google Gemini, AWS Bedrock, or Huggingface TGI, llmio has you covered.
Why choose llmio?
- Lightweight 🪶: Designed to integrate smoothly into your project without adding unnecessary bulk.
- Type Annotations 🏷️: Easily define tools with Python's type annotations and let llmio handle the rest.
- Broad API Compatibility 🌍: Seamlessly works with major APIs like OpenAI, Azure, Google Gemini, AWS, and Huggingface.
Overview
Getting Started 🚀
Get started quickly with a simple installation:
pip install llmio
Set Up Your Agent: Start building with a few lines of code:
import asyncio
from llmio import Agent, OpenAIClient
agent = Agent(
instruction="You are a task manager.",
client=OpenAIClient(api_key="your_openai_api_key"),
)
# Add tools and interact with your agent...
Examples
💻 A simple calculator example
Let’s walk through a basic example where we create a simple calculator using llmio. This calculator can add and multiply numbers, leveraging AI to handle the operations. It’s a straightforward way to see how llmio can manage tasks while keeping the code clean and easy to follow.
import asyncio
import os
from llmio import Agent, OpenAIClient
# Define an agent that can add and multiply numbers using tools.
# The agent will also print any messages it receives.
agent = Agent(
# Define the agent's instructions.
instruction="""
You are a calculating agent.
Always use tools to calculate things.
Never try to calculate things on your own.
""",
# Pass in an OpenAI client that will be used to interact with the model.
# Any API that implements the OpenAI interface can be used.
client=OpenAIClient(api_key=os.environ["OPENAI_TOKEN"]),
model="gpt-4o-mini",
)
# Define tools using the `@agent.tool` decorator.
# Tools are automatically parsed by their type annotations
# and added to the agent's capabilities.
# The code itself is never seen by the LLM, only the function signature is exposed.
# When the agent invokes a tool, the corresponding function is executed locally.
@agent.tool
async def add(num1: float, num2: float) -> float:
print(f"** Executing add({num1}, {num2}) -> {num1 + num2}")
return num1 + num2
# Tools can also be synchronous.
@agent.tool
def multiply(num1: float, num2: float) -> float:
print(f"** Executing multiply({num1}, {num2}) -> {num1 * num2}")
return num1 * num2
# Define a message handler using the `@agent.on_message` decorator.
# The handler is optional. The messages will also be returned by the `speak` method.
@agent.on_message
async def print_message(message: str):
print(f"** Posting message: '{message}'")
async def main():
# Run the agent with a message.
# The agent will return a response containing the messages it generated and the updated history.
response = await agent.speak("Hi! how much is 1 + 1?")
# The agent is stateless and does not remember previous messages by itself.
# The history must be passed in to maintain context.
response = await agent.speak(
"and how much is that times two?", history=response.history
)
if __name__ == "__main__":
asyncio.run(main())
# Output:
# ** Executing add(1.0, 1.0) -> 2.0
# ** Posting message: '1 + 1 is 2.'
# ** Executing multiply(2.0, 2.0) -> 4.0
# ** Posting message: 'That times two is 4.'
More examples
For more examples, see examples/
.
For a notebook going throught how to create a simple AI task manager, see examples/notebooks/simple_task_manager.ipynb.
Details 🔍
Tools
Under the hood, llmio uses Python's type annotations to automatically generate function schemas that are compatible with OpenAI tools. It also leverages Pydantic models to validate the input types of arguments passed by the language model, ensuring robust and error-free execution.
@agent.tool
async def add(num1: float, num2: float) -> float:
"""
The docstring is used as the description of the tool.
"""
return num1 + num2
print(agent.summary())
Output:
Tools:
- add
Schema:
{'description': 'The docstring is used as the description of the tool.',
'name': 'add',
'parameters': {'properties': {'num1': {'type': 'number'},
'num2': {'type': 'number'}},
'required': ['num1', 'num2'],
'type': 'object'},
'strict': False}
Parameter descriptions
You can use pydantic.Field to describe parameters in detail. These descriptions will be included in the tool schema, guiding the language model to understand the tool's requirements better.
@agent.tool
async def book_flight(
destination: str = Field(..., description="The destination airport"),
origin: str = Field(..., description="The origin airport"),
date: datetime = Field(
..., description="The date of the flight. ISO-format is expected."
),
) -> str:
"""Books a flight"""
return f"Booked flight from {origin} to {destination} on {date}"
Optional parameters
llmio supports optional parameters seamlessly.
@agent.tool
async def create_task(name: str = "My task", description: str | None = None) -> str:
return "Created task"
Supported parameter types
llmio supports the types that are supported by Pydantic. For more details, refer to Pydantic's documentation.
Hooks
You can add hooks to receive callbacks with prompts and outputs. The names of the hooks are flexible as long as they are decorated appropriately.
@agent.on_message
async def on_message(message: str):
# on_message will be called with new messages from the model
pprint(prompt)
@agent.inspect_prompt
async def inspect_prompt(prompt: list[llmio.Message]):
# inspect_prompt will be called with the prompt before it is sent to the model
pprint(prompt)
@agent.inspect_output
async def inspect_output(output: llmio.Message):
# inspect_output will be called with the full model output
pprint(output)
Keeping track of context
Pass an object of any type to the agent to maintain context across interactions. This context is available to tools and hooks via the special _context
argument but is not passed to the language model itself.
@dataclass
class User:
name: str
@agent.tool
async def create_task(task_name: str, _context: User) -> str:
print(f"** Created task '{task_name}' for user '{_context.name}'")
return "Created task"
@agent.on_message
async def on_message(message: str, _context: User) -> None:
print(f"** Sending message to user '{_context.name}': {message}")
async def main() -> None:
_ = await agent.speak(
"Create a task named 'Buy milk'",
_context=User(name="Alice"),
)
Dynamic instructions
llmio
allows you to inject dynamic content into your instructions using variable hooks. These hooks act as placeholders, filling in values at runtime.
When an instruction contains a placeholder that matches the name of a variable hook, llmio
will automatically replace it with the corresponding value returned by the hook. If a placeholder does not have a matching variable hook, a MissingVariable
error will be raised.
agent = Agent(
instruction="""
You are a task manager for a user named {user_name}.
The current time is {current_time}.
""",
...
)
@agent.variable
def user_name(_context: User) -> str:
return _context.name
@agent.variable
async def current_time() -> datetime:
return datetime.now()
# Example of formatted instruction:
# "You are a task manager for a user named Alice.
# The current time is 2024-08-25 10:17:04.606621."
Batched execution
Since the Agent
class is stateless, you can safely execute multiple messages in parallel using asyncio.gather
.
async def main() -> None:
await asyncio.gather(
agent.speak("Create a task named 'Buy milk'", history=[], _context=User(name="Alice")),
agent.speak("Create a task named 'Buy bread'", history=[], _context=User(name="Bob")),
)
A simple example of continuous interaction
@agent.on_message
async def print_message(message: str):
print(message)
async def main() -> None:
history = []
while True:
response = await agent.speak(input(">>"), history=history)
history = response.history
Alternatively, use the messages returned by the agent:
async def main() -> None:
history = []
while True:
response = await agent.speak(input(">>"), history=history)
history = response.history
for message in response.messages:
print(message)
Handling uninterpretable tool calls
llmio
allows you to handle uninterpretable tool calls gracefully. By default, the agent will raise an exception if it encounters an unrecognized tool or invalid arguments. However, you can configure it to provide feedback to the model instead.
# Raises an exception for unrecognized tools or invalid arguments
agent = Agent(
client=OpenAIClient(api_key=os.environ["OPENAI_TOKEN"]),
model="gpt-4o-mini",
graceful_errors=False, # This is the default
)
# Provides feedback to the model for unrecognized tools or invalid arguments
agent = Agent(
client=OpenAIClient(api_key=os.environ["OPENAI_TOKEN"]),
model="gpt-4o-mini",
graceful_errors=True,
)
Strict tool mode
OpenAI supports a strict mode for tools, ensuring that only valid arguments are passed according to the function schema. Enable this by setting strict=True
in the tool decorator.
@agent.tool(strict=True)
async def add_task(name: str, description: str | None = None) -> str:
...
Structured output
llmio
can return structured output from the messages it generates, ideal for more advanced use cases. This feature is currently supported by OpenAI and Azure OpenAI.
import asyncio
from pprint import pprint
from typing import Literal
import pydantic
import os
from llmio import StructuredAgent, OpenAIClient
class OutputFormat(pydantic.BaseModel):
answer: str
detected_sentiment: Literal["positive", "negative", "neutral"]
agent = StructuredAgent(
instruction="Answer the questions and detect the user sentiment.",
client=OpenAIClient(api_key=os.environ["OPENAI_TOKEN"]),
model="gpt-4o-mini",
response_format=OutputFormat,
)
@agent.on_message
async def print_message(message: OutputFormat):
print(type(message))
pprint(message.dict())
async def main() -> None:
_ = await agent.speak("I am happy!")
if __name__ == "__main__":
asyncio.run(main())
# Output:
# <class '__main__.OutputFormat'>
# {'answer': "That's great to hear! Happiness is a wonderful feeling.",
# 'detected_sentiment': 'positive'}
Get involved 🎉
Your feedback, ideas, and contributions are welcome! Feel free to open an issue, submit a pull request, or start a discussion to help make llmio
even better.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
File details
Details for the file llmio-0.10.0.tar.gz
.
File metadata
- Download URL: llmio-0.10.0.tar.gz
- Upload date:
- Size: 15.7 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/5.1.1 CPython/3.12.7
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | b8891bdc422e409ce4e95fd7060c590ee9591aa091d35a5e590fb66422ee2534 |
|
MD5 | cfc37e52b7e54b4a5729cef188c3ab27 |
|
BLAKE2b-256 | 55f9120ef34f9095f99f1e351b24e9ba389aed39f593986ab6f4f1e94d369edf |
Provenance
The following attestation bundles were made for llmio-0.10.0.tar.gz
:
Publisher:
release.yml
on badgeir/llmio
-
Statement type:
https://in-toto.io/Statement/v1
- Predicate type:
https://docs.pypi.org/attestations/publish/v1
- Subject name:
llmio-0.10.0.tar.gz
- Subject digest:
b8891bdc422e409ce4e95fd7060c590ee9591aa091d35a5e590fb66422ee2534
- Sigstore transparency entry: 145949867
- Sigstore integration time:
- Predicate type:
File details
Details for the file llmio-0.10.0-py3-none-any.whl
.
File metadata
- Download URL: llmio-0.10.0-py3-none-any.whl
- Upload date:
- Size: 13.2 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/5.1.1 CPython/3.12.7
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 8c8a741a852d03c2a441f306c5f8eae5831371210ce8245e003381b8d16c0689 |
|
MD5 | a15805de00b2402c1de79d1e5358636f |
|
BLAKE2b-256 | 217a226cfe2b7470cd65dfc09729cd13a2681d169608f65d59c813c8cf189936 |
Provenance
The following attestation bundles were made for llmio-0.10.0-py3-none-any.whl
:
Publisher:
release.yml
on badgeir/llmio
-
Statement type:
https://in-toto.io/Statement/v1
- Predicate type:
https://docs.pypi.org/attestations/publish/v1
- Subject name:
llmio-0.10.0-py3-none-any.whl
- Subject digest:
8c8a741a852d03c2a441f306c5f8eae5831371210ce8245e003381b8d16c0689
- Sigstore transparency entry: 145949868
- Sigstore integration time:
- Predicate type: