Pydantic + DSPy instances from prompts and Jinja.
Project description
DSLModel
pip install dslmodel
Intro Video: Welcome to DSLModel
Custom GPT: DSLModel Assistant v2024.10.10
Overview
DSLModel is a powerful Python framework for declarative model creation using templates and concurrent execution. Built atop Pydantic
for data validation and DSPy
for model execution, DSLModel streamlines the development of dynamic models with features like:
- Dynamic Field Generation: Utilize Jinja2 templates for flexible model definitions.
- Concurrent Execution: Leverage concurrent processing to optimize performance.
- Workflow Management: Define and execute complex workflows with conditional logic and loops.
- Finite State Machines: Incorporate state machine patterns for managing state transitions.
- Data Handling Utilities: Read from and write to various data formats seamlessly.
- Notebook Generation: Programmatically create and manage IPython notebooks.
- AI-Assisted Development: Enhance productivity with AI-driven tools for code generation.
Table of Contents
- DSLModel
Installation
Ensure you have Python 3.12 or higher installed. Then, install DSLModel via pip:
pip install dslmodel
Alternatively, install from source:
git clone https://github.com/your-username/dslmodel.git
cd dslmodel
poetry install
Getting Started
Defining Models
Create dynamic models using Jinja2 templates and DSLModel
.
from typing import List
from pydantic import Field
from dslmodel import DSLModel
class Participant(DSLModel):
"""Represents a participant in a meeting."""
name: str = Field("{{ fake_name() }}", description="Name of the participant.")
role: str = Field("{{ fake_job() }}", description="Role of the participant.")
class Meeting(DSLModel):
"""Represents a meeting and its participants."""
name: str = Field(..., description="Name of the meeting.")
participants: List[Participant] = Field(..., description="List of participants.")
Generating Data from Templates
Use templates to generate model instances with dynamic content.
from typing import List, Optional, Dict, Union
from pydantic import Field
from dslmodel import init_lm, DSLModel
class Participant(DSLModel):
"""Represents a participant in a meeting."""
name: str = Field("{{ fake_name() }}", description="Name of the participant.")
role: str = Field("{{ fake_job() }}", description="Role of the participant.")
class Meeting(DSLModel):
"""Represents a meeting, its participants, agenda, and other details."""
name: str = Field(..., description="Name of the meeting.")
meeting_date: str = Field(..., description="Date of the meeting.")
location: Optional[str] = Field(None, description="Location where the meeting is held.")
chairperson: Participant = Field(..., description="Chairperson of the meeting.")
secretary: Participant = Field(..., description="Secretary responsible for taking minutes.")
participants: List[Participant] = Field(..., description="List of all participants in the meeting.")
agenda: List[str] = Field(..., description="Agenda items for the meeting.", min_length=3)
minutes: List[str] = Field(..., description="Minutes of the meeting. Time, Description", min_length=3)
rules_of_order: List[str] = Field(..., description="Rules governing the meeting.", min_length=3)
participants = [Participant() for _ in range(5)] # Created using Jinja defaults (no LM)
# Generate the Meeting
init_lm() # Sets the lm to gpt-4o-mini
meeting_template = """
Fortune 500 Meeting about {{ fake_bs() }}
Participants:
{% for participant in participants %}
- {{ participant.name }} ({{ participant.role }})
{% endfor %}
"""
meeting_instance = Meeting.from_prompt(meeting_template, participants=participants)
print(meeting_instance.to_yaml())
Concurrent Execution
Execute multiple tasks concurrently to improve performance.
from dslmodel import init_lm, DSLModel
from dslmodel.utils.model_tools import run_dsls
from pydantic import Field
class Participant(DSLModel):
"""Represents a participant in a meeting."""
name: str = Field(..., description="Name of the participant.")
role: str = Field(..., description="Role of the participant.")
tasks = [(Participant, "Create a person with a name and job role") for _ in range(5)]
init_lm() # Sets the lm to gpt-4o-mini
results = run_dsls(tasks, max_workers=5)
for i, result in enumerate(results):
print(f"Participant {i+1}: {result}")
Workflow Management
Define and execute complex workflows using Workflow
, Job
, and Action
.
from dslmodel.workflow import Workflow, Job, Action, Condition, CronSchedule
condition = Condition(expr="len(participants) > 3")
action1 = Action(
name="Generate Participants",
code="participants.extend([Participant() for _ in range(5)])"
)
action2 = Action(
name="Notify Organizer",
code="print('Organizer notified.')",
cond=condition
)
job = Job(
name="Setup Meeting",
steps=[action1, action2]
)
trigger = CronSchedule(cron="0 9 * * MON") # Every Monday at 9 AM
workflow = Workflow(
name="Weekly Meeting Setup",
triggers=[trigger],
jobs=[job],
context={"participants": []}
)
workflow.execute()
Workflow YAML
workflow:
name: "Weekly Meeting Setup"
triggers:
- type: "CronSchedule"
cron: "0 9 * * MON" # Every Monday at 9 AM
context:
participants: []
jobs:
- name: "Setup Meeting"
steps:
- name: "Generate Participants"
code: "participants.extend([Participant() for _ in range(5)])"
- name: "Notify Organizer"
code: "print('Organizer notified.')"
condition:
expr: "len(participants) > 3"
Finite State Machines
Manage state transitions using FSMMixin
.
import logging
from enum import Enum, auto
from dslmodel.mixins import FSMMixin, trigger
class SalesState(Enum):
INITIALIZING = auto()
RESEARCHING = auto()
OUTREACHING = auto()
CLOSING = auto()
COMPLETING = auto()
class ChallengerSalesAgent(FSMMixin):
def __init__(self):
super().__init__()
self.setup_fsm(state_enum=SalesState, initial=SalesState.INITIALIZING)
@trigger(source=SalesState.INITIALIZING, dest=SalesState.RESEARCHING)
def start_research(self):
print("Starting market research.")
@trigger(source=SalesState.RESEARCHING, dest=SalesState.OUTREACHING)
def conduct_outreach(self):
print("Conducting outreach to leads.")
@trigger(source=SalesState.OUTREACHING, dest=SalesState.CLOSING)
def close_deal(self):
print("Closing the deal with the client.")
@trigger(source=SalesState.CLOSING, dest=SalesState.COMPLETING)
def complete_sale(self):
print("Completing the sale.")
def forward(self, prompt, **kwargs):
super().forward(prompt, **kwargs)
print(f"Processing prompt: {prompt}")
def main():
agent = ChallengerSalesAgent()
print("Initial state:", agent.state)
# Simulating the simplified flow of the sales process
agent.forward("start researching the market")
print("State after research:", agent.state)
agent.forward("reach out to leads")
print("State after outreach:", agent.state)
agent.forward("finalize the deal")
print("State after closing the deal:", agent.state)
agent.forward("complete the sale")
print("Final state:", agent.state)
if __name__ == '__main__':
main()
Data Handling
Read from and write to various data formats using DataReader
and DataWriter
.
from dslmodel import DataReader, DataWriter
# Reading data
data_reader = DataReader(file_path="data/sample_data.csv")
data = data_reader.forward()
print(data)
# Writing data
data_writer = DataWriter(data=data, file_path="output/data_output.csv")
data_writer.forward()
Notebook Generation
Programmatically create and manage IPython notebooks.
from dslmodel.generators import IPythonNotebookGenerator
# The generator is a DSLModel, so it can be used like any other DSLModel
notebook_gen = IPythonNotebookGenerator()
# Add a markdown cell
notebook_gen.add_markdown_cell(["# Welcome to DSLModel Notebook", "Demonstrating notebook generation."])
# Add a code cell
notebook_gen.add_code_cell(["print('Hello, DSLModel!')"])
# Save the notebook
notebook_gen.save("notebooks/demo_notebook.ipynb")
Architecture
Core Components
- DSLModel: Core framework for declarative model creation using templates.
- Mixins:
ToolMixin
: Adds dynamic tool execution capabilities.FSMMixin
: Provides finite state machine functionality.
- Workflow Components:
Workflow
,Job
,Action
,Condition
,CronTrigger
: Orchestrate complex workflows.
- Data Handling Utilities:
DataReader
,DataWriter
: Handle data ingestion and output.
- Notebook Models:
IPythonNotebookGenerator
: Generate and manage IPython notebooks.
Data Flow
User Inputs -> DSLModel Templates -> Generated Models -> Validation and Execution
Development
Setup
-
Clone the Repository
git clone https://github.com/your-username/dslmodel.git cd dslmodel
-
Install Dependencies
poetry install
-
Configure Environment Variables
Create a
.env
file and add necessary environment variables, such asOPENAI_API_KEY
. -
Run the Development Server
poe api --dev
Testing
Run tests using pytest
:
poetry run pytest
Ensure test coverage is at least 90%.
Contributing
Contributions are welcome! Please follow the contribution guidelines and adhere to the code of conduct.
Deployment
DSLModel utilizes GitHub Actions for continuous integration and deployment.
Deployment Pipeline
- Code Push: Developers push code to the repository.
- Automated Testing: GitHub Actions run test suites.
- Linting: Code is linted using
ruff
to maintain quality. - Build and Deployment: Successful builds are deployed to staging or production.
License
Distributed under the MIT License. See LICENSE for more information.
Contact
- Project Link: https://github.com/seanchatmangpt/dslmodel
- Issues: https://github.com/seanchatmangpt/dslmodel/issues
By following this guide, you can effectively utilize DSLModel for declarative model creation, workflow management, data handling, state machine implementation, and AI-assisted development.
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 dslmodel-2024.11.2.2.tar.gz
.
File metadata
- Download URL: dslmodel-2024.11.2.2.tar.gz
- Upload date:
- Size: 155.1 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/1.8.4 CPython/3.13.0 Darwin/23.5.0
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | b11d8b2bd0a66076fc84ed83a7c5a31c9093730a8434f8e6f10379d04ad81902 |
|
MD5 | 139c2bfb70557b815e6cfe5f54b20962 |
|
BLAKE2b-256 | 55fe3fa7d82f14ea8669cc6613062a7e993c913d6190a6121b82a7ea29783e6a |
File details
Details for the file dslmodel-2024.11.2.2-py3-none-any.whl
.
File metadata
- Download URL: dslmodel-2024.11.2.2-py3-none-any.whl
- Upload date:
- Size: 204.8 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/1.8.4 CPython/3.13.0 Darwin/23.5.0
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 0bdd307bdbc0ce1bbb671f725883ce2a0fbf4c6b6d06f14a90675cdbff9e1b90 |
|
MD5 | 99e19bd3f2dc63c62e28edcc4275487b |
|
BLAKE2b-256 | c0c56fc045f540765514ea0dacc2e394d2f65e6a65ae857c87434ac9d76de04c |