Warning
This project is in early active development. Expect frequent updates and potential breaking changes.
Hype gives your Python functions super powers.
import hype
from pydantic import Field
@hype.up
def divide(
x: int,
y: int = Field(gt=0),
) -> int:
"""
Divides one number by another.
:param x: The numerator
:param y: The denominator
:return: The quotient
"""
return x // y
Hyped up functions look great to humans π
>>> divide
Function(name='divide', description='Divides one number by another.', input=(x: int, y: int), output=int)
They look great to robots, too π€β€οΈ
>>> divide.json_schema
"{'$defs': {'Input': { ... } } }"
You call them the same as you would any other function, except now you get the benefit of automatic input validation π¦Ί
>>> divide(4, 2)
2
>>> divide(y=0)
ValidationError: 2 validation errors for divide
x
Missing required argument [type=missing_argument, input_value=ArgsKwargs((), {'y': 0}), input_type=ArgsKwargs]
For further information visit https://errors.pydantic.dev/2.9/v/missing_argument
y
Input should be greater than 0 [type=greater_than, input_value=0, input_type=int]
For further information visit https://errors.pydantic.dev/2.9/v/greater_than
Hype gives Python functions a universal calling interface.
Run hyped up functions from the command-line βοΈ
# Hyped up functions are
$ hype run example.py divide 9 3
3
# You can even run batch jobs
$ python -c "import json, random; print('\n'.join(json.dumps({'x': random.randint(1,1000), 'y': random.randint(0,100)}) for _ in range(3)))" > input.jsonl
$ cat input.jsonl
{"x": 49, "y": 7}
{"x": 438, "y": 73}
{"x": 1, "y": 0}
$ hype run example.py divide --input input.jsonl
7
6
Error: 1 validation error for divide
y
Input should be greater than 0 [type=greater_than, input_value=0, input_type=int]
For further information visit https://errors.pydantic.dev/2.9/v/greater_than
Or serve them through an HTTP interface πΈοΈ
$ hype serve example.py &
Starting server at http://127.0.0.1:4973
Loading module...
β Found 1 function
β API server ready
$ curl http://localhost:4973/openapi.json | jq .components.schemas.divide_Input
{
"type": "object",
"properties": {
"x": {
"type": "integer",
"title": "X",
"description": "The numerator",
"x-order": 0
},
"y": {
"type": "integer",
"exclusiveMinimum": 0.0,
"title": "Y",
"description": "The denominator",
"x-order": 1
}
},
"required": [
"x",
"y"
]
}
$ curl -i -X POST http://localhost:4973/divide \
-H "Content-Type: application/json" \
-d '{"x": 99, "y": 3}'
HTTP/1.1 200 OK
Content-Length: 2
Content-Type: application/json
33
Or if ClickOps are more your thing, hype can automatically generate a Gradio app π±οΈ
from pydantic import BaseModel, Field, field_validator
from textstat import flesch_reading_ease, lexicon_count
import hype
class TextAnalysis(BaseModel):
word_count: int = Field(description="Total number of words in text")
reading_ease: float = Field(
description="Flesch reading ease score (0-100, higher is easier)"
)
@field_validator('reading_ease')
def clamp_reading_ease(cls, v: float) -> float:
return max(0, min(100, v))
@hype.up
def analyze(
text: str = Field(
description="Text to analyze",
max_length=10000,
),
) -> TextAnalysis:
"""Performs sentiment and readability analysis on text."""
word_count = lexicon_count(text)
reading_ease = flesch_reading_ease(text) if word_count > 0 else 0
return TextAnalysis(
word_count=word_count,
reading_ease=reading_ease,
)
if __name__ == "__main__":
hype.create_gradio_interface(analyze).launch()
$ uv run examples/text_analysis.py
$ open http://127.0.0.1:7860
Hyped up functions have tool definitions that you can pass to LLMs like Claude and ChatGPT.
For example, let's define a pair of functions to help answer a maths problem.
import hype
@hype.up
def calculate(expression: str) -> int | float:
"""
Performs basic arithmetic operations.
Supports addition, subtraction, multiplication, and division, and exponentiation.
:param expression: The mathematical expression to evaluate (e.g., '2 + 3 * 4').
This expression uses Python syntax.
"""
...
@hype.up
def prime_factors(n: int) -> set[int]:
"""
Determines whether a number is prime.
:param n: The number to check.
"""
...
Hyped up functions can be passed to hype.create_anthropic_tools
to make them available as tools to Claude.
You can set an optional result_type
to shape the language model's output.
In this example, we pass the calculate
and prime_factors
functions
and set result_type
to bool
to indicate that we want a final
True
or False
answer.
import anthropic
client = anthropic.Anthropic()
tools = hype.create_anthropic_tools([calculate, prime_factors], result_type=bool)
messages: list[anthropic.types.MessageParam] = [
{
"role": "user",
"content": "Is two to the power of 57 minus one prime?",
}
]
for message in messages:
print(message["content"])
while not tools.future.done():
response = client.messages.create(
model="claude-3-5-sonnet-20240620",
max_tokens=2046,
messages=messages,
tools=tools,
)
for block in response.content:
print(block)
if response.stop_reason == "tool_use":
messages.append({"role": "assistant", "content": response.content})
for block in response.content:
if block.type == "tool_use":
messages.append(
{
"role": "user",
"content": [tools(block)],
}
)
else:
break
result = tools.future.result()
print(result, type(result)) # => False, bool
Here's a transcript of the exchange:
- π€ Human
- Is two to the power of 88 minus one prime?
- π€ AI
-
To answer this question, we need to perform a couple of steps:
- Calculate 2^57 - 1
- Check if the resulting number is prime
Let's start with the calculation:
[tool_use name="calculate" input={'expression': '2**57 - 1'}]
- π€ Human
[tool_use result=144115188075855871]
- π€ AI
-
Now that we have the result of 2^57 - 1, which is 144115188075855871, we need to check if this number is prime.
We can do this by finding its prime factors. If the number has only one prime factor (itself), then it is prime.
Let's use the prime_factors function to check:
[tool_use name="prime_factors" input={'n': 144115188075855871}]
- π€ Human
[tool_use result=[7, 32377, 635879915089]]
- π€ AI
-
The prime_factors function returned [7, 32377, 635879915089], which means that 144115188075855871 (2^57 - 1) is not a prime number.
[tool_use name="__return__" input={'result': False}]
Tip
There are other Python libraries out there for working with chat assistants, but many wrap client libraries in ways that take control away from you.
Hype is designed with composability in mind, and doesn't get in your way.
See examples/tool_use.py for the full, working example.
pip install git+https://github.com/mattt/hype.git
Hype makes it easy to shape outputs from a chat assistant.
In the previous example, we showed how to use tools to answer a math question, but language models can do a lot on their own. Sometimes all you need is a way to get a particular kind of answer.
For instance, GPT-4o excels at extracting structured information from natural language text, like flight details from the body of an email.
First, define a FlightDetails
class.
Really go to town with Pydantic.
The more precise and pedantic,
the better your results will be.
from datetime import datetime
from typing import Annotated
from pydantic import BaseModel, Field, StringConstraints
AirportCode = Annotated[str, StringConstraints(min_length=3, max_length=3, pattern=r'^[A-Z]+$')]
class FlightDetails(BaseModel):
origin: AirportCode = Field(
description="Three-letter IATA airport code for the departure airport."
)
destination: AirportCode = Field(
description="Three-letter IATA airport code for the arrival airport."
)
departure_time: datetime = Field(
description="When the flight is scheduled to depart from its origin"
)
arrival_time: datetime = Field(
description="When the flight is scheduled to arrive at its destination"
)
model_config = {
"json_schema_extra": {
"examples": [
{
"origin": "LAX",
"destination": "JFK",
"departure_time": "2023-06-15T08:00:00Z",
"arrival_time": "2023-06-15T16:30:00Z"
}
]
}
}
From there, the process is much the same as what we did before.
from anthropic import Anthropic
import hype
client = Anthropic()
tools = hype.create_anthropic_tools(result_type=FlightDetails)
messages: list[MessageParam] = [
{
"role": "user",
"content": """
Extract the flight details from following email:
It's time to check in for your flight.
Use the app for smooth sailing and we'll see you soon!
Confirmation code: ABCDEF
Your trip details
Flight 420
Seat 10D
5:00 PM 6:30 PM
SFO PDX
San Francisco Portland, OR
Departure Arrival
9/20/2023 9/20/2023
""",
}
]
response = client.messages.create(
model="claude-3-5-sonnet-20240620",
max_tokens=2046,
messages=messages,
tools=tools,
)
if response.stop_reason == "tool_use":
for block in response.content:
if block.type == "tool_use":
result = tools(block)
result = tools.future.result()
print(result.model_dump_json(indent=2))
{
"origin": "SFO",
"destination": "PDX",
"departure_time": "2023-09-20T17:00:00Z",
"arrival_time": "2023-09-20T18:30:00Z"
}
See examples/output_shaping.py for the full, working example.
Find recipes with DuckDuckGo, scrape content from search results, convert units to metric, and return structured output.
Build up a database of documents in SQLite using an extension for vector search, and use that to answer questions.
See examples/rag.py.
Use GPT-4o to extract board state from a picture of a Sudoku puzzle and use tools to solve it.
See examples/sudoku.py.
Build tools that get input from the user interactively.
A glimmer of how to build your own self-hosted, local-first personal assistant.