Coder Social home page Coder Social logo

declarai's Introduction

versions license Tests Pypi version Pypi downloads Discord invite Open In Colab

Logo - declarai.png


Documentation ๐Ÿ“–: https://declarai.com

Source Code ๐Ÿ’ป : https://github.com/vendi-ai/declarai


What is Declarai ๐Ÿค”?

Declarai turns your Python code into LLM tasks, allowing you to easily integrate LLM into your existing codebase. It operates on a simple principle: just define a Python function/class. By annotating this function with docstrings and type hints, you provide a clear instruction set for the AI model without any additional effort.

Once you've declared your function, Declarai intelligently compiles the function's docstrings and type hints into a prompt for the AI model, ensuring the model understands exactly what's required.

After executing the task, Declarai retrieves the AI's response and parses it, translating it back into the declared return type of your Python function. This eliminates any manual parsing or post-processing on your part.

Declarai Keeps It Native: At its core, Declarai is about embracing native Python practices. You don't need to learn a new syntax or adapt to a different coding paradigm. Just write Python functions as you always have, and let Declarai handle the AI integration seamlessly.


Main Components ๐Ÿงฉ

Tasks ๐Ÿ’ก

AI tasks are used for any business logic or transformation.

import declarai

gpt_35 = declarai.openai(model="gpt-3.5-turbo")

@gpt_35.task 
def rank_by_severity(message: str) -> int:
    """
    Rank the severity of the provided message by it's urgency.
    Urgency is ranked on a scale of 1-5, with 5 being the most urgent.
    :param message: The message to rank
    :return: The urgency of the message
    """


rank_by_severity(message="The server is down!")

>>> 5

rank_by_severity(message="How was your weekend?"))

>>> 1

Chat ๐Ÿ—ฃ

AI Chats are used for an iterative conversation with the AI model, where the AI model can remember previous messages and context.

import declarai

gpt_35 = declarai.openai(model="gpt-3.5-turbo")

@gpt_35.experimental.chat
class SQLBot:
    """
    You are a sql assistant. You help with SQL related questions 
    """


sql_bot = SQLBot()
sql_bot.send("When should I use a LEFT JOIN?")

> "You should use a LEFT JOIN when you want to return all rows from ....

Features:

  • ๐Ÿ– Intelligent Prompts: Automatically generate prompts using type hints and docstrings.
  • ๐Ÿš„ Conversational AI: Chat interface equipped with memory and context management.
  • โšก Real-time streaming: Stream LLM responses that take longer to complete.
  • ๐Ÿ”ฅ Pydantic Model Parsing: Seamlessly parse llm responses into Pydantic models.
  • ๐Ÿ Pythonic: Native understanding and parsing of llm responses into Python primitives.
  • ๐Ÿ’พ Multiple AI Backends: Integrated with OpenAI & Azure AI llm providers.
  • ๐Ÿ›  Middleware: Adapt and extend tasks behavior with a modular middleware system.
  • ๐Ÿค— Coming Soon: Integration with HuggingFace hub

Quickstart ๐Ÿš€

Installation

pip install declarai

Setup

export OPENAI_API_KEY=<your openai token>

or pass the token when initializing the declarai object

import declarai

gpt_35 = declarai.openai(model="gpt-3.5-turbo", openai_token="<your-openai-key>")

๐Ÿ’ก Basic Usage

Craft AI-powered functionalities with ease using the @task decorator. Just add some type hints and a bit of documentation, and watch Declarai do its magic!

import declarai

gpt_35 = declarai.openai(model="gpt-3.5-turbo")

@gpt_35.task
def generate_poem(title: str) -> str:
    """
    Write a 4 line poem on the provided title
    """


res = generate_poem(
    title="Declarai, the declarative AI framework for LLMs"
)
print(res)
# Declarai, the AI framework,
# Empowers LLMs with declarative power,
# Efficiently transforming data and knowledge,
# Unlocking insights in every hour.

Not the best poem out there, but hey! You've written your first declarative AI code!

Declarai aims to promote clean and readable code by enforcing the use of doc-strings and typing. The resulting code is readable and easily maintainable.

Tasks with python native output parsing

Python primitives

import declarai

gpt_35 = declarai.openai(model="gpt-3.5-turbo")

@gpt_35.task
def rank_by_severity(message: str) -> int:
    """
    Rank the severity of the provided message by it's urgency.
    Urgency is ranked on a scale of 1-5, with 5 being the most urgent.
    :param message: The message to rank
    :return: The urgency of the message
    """


rank_by_severity(message="The server is down!")

>>> 5
rank_by_severity(message="How was your weekend?"))

>>> 1

Python Lists/Dicts etc..

from typing import List
import declarai

gpt_35 = declarai.openai(model="gpt-3.5-turbo")

@gpt_35.task
def multi_value_extraction(text: str) -> List[str]:
    """
    Extract the phone numbers from the provided text
    :param text: content to extract phone number from
    :return: The phone numbers that where identified in the input text
    """


multi_value_extraction(
    text="Hey jenny,\nyou can call me at 124-3435-132.\n"
         "you can also reach me at +43-938-243-223"
)
>>> ['124-3435-132', '+43-938-243-223']

Python complex objects

from datetime import datetime
import declarai

gpt_35 = declarai.openai(model="gpt-3.5-turbo")

@gpt_35.task
def datetime_parser(raw_date: str) -> datetime:
    """
    Parse the input into a valid datetime string of the format YYYY-mm-ddThh:mm:ss
    :param raw_date: The provided raw date
    :return: The parsed datetime output
    """


datetime_parser(raw_date="Janury 1st 2020"))

>>> 2020-01-01 00:00:00

Pydantic models

from pydantic import BaseModel
from typing import List, Dict
import declarai


class Animal(BaseModel):
    name: str
    family: str
    leg_count: int

gpt_35 = declarai.openai(model="gpt-3.5-turbo")

@gpt_35.task
def suggest_animals(location: str) -> Dict[int, List[Animal]]:
    """
    Create a list of numbers from 0 to 5
    for each number, suggest a list of animals with that number of legs
    :param location: The location where the animals can be found
    :return: A list of animal leg count and for each count, the corresponding animals
    """


suggest_animals(location="jungle")

>>> {
       0: [
           Animal(name='snake', family='reptile', leg_count=0)
       ], 
       2: [
           Animal(name='monkey', family='mammal', leg_count=2), 
           Animal(name='parrot', family='bird', leg_count=2)
       ], 
       4: [
          Animal(name='tiger', family='mammal', leg_count=4), 
          Animal(name='elephant', family='mammal', leg_count=4)
       ]
 }

Jinja templates ๐Ÿฅท

import declarai

gpt_35 = declarai.openai(model="gpt-3.5-turbo")

@gpt_35.task
def sentiment_classification(string: str, examples: List[str, int]) -> int:
    """
    Classify the sentiment of the provided string, based on the provided examples.
    The sentiment is ranked on a scale of 1-5, with 5 being the most positive.
    {% for example in examples %}
    {{ example[0] }} // {{ example[1] }}
    {% endfor %}
    {{ string }} //
    """
    
sentiment_classification(string="I love this product but there are some annoying bugs",
                         examples=[["I love this product", 5], ["I hate this product", 1]])

>>> 4

Simple Chat interface

import declarai

gpt_35 = declarai.openai(model="gpt-3.5-turbo")

@gpt_35.experimental.chat
class CalculatorBot:
    """
    You a calculator bot,
    given a request, you will return the result of the calculation
    """

    def send(self, message: str) -> int: ...


calc_bot = CalculatorBot()
calc_bot.send(message="1 + 1")

>>> 2

๐Ÿ“š For a thorough introduction, features, and best practices, explore our official documentation and beginner's guide.

Contributing ๐Ÿ’ผ

Join our mission to make declarative AI even better together! Check out our contributing guide to get started.

declarai's People

Contributors

matankley avatar avivex1000 avatar helmanofer avatar sagivharel avatar shobhit9957 avatar giladbarnea avatar tom-ha avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.