Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add stream callbacks #203

Merged
merged 9 commits into from
Sep 7, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
5 changes: 4 additions & 1 deletion .gitignore
Original file line number Diff line number Diff line change
Expand Up @@ -10,4 +10,7 @@

# exclude scratch files
**/_*
docs/package-lock.json
docs/package-lock.json

# Ignore Cursor rules
.cursorrules
5 changes: 5 additions & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -10,6 +10,11 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0

### Fixed

## [0.52.0]

### Added
- Added a new EXPERIMENTAL `streamcallback` kwarg for `aigenerate` with the OpenAI and Anthropic prompt schema to enable custom streaming implementations. Simplest usage is simply with `streamcallback=stdout`, which will print each text chunk into the console. System is modular enabling custom callbacks and allowing you to inspect received chunks. See `?StreamCallback` for more information. It does not support tools yet.

## [0.51.0]

### Added
Expand Down
2 changes: 1 addition & 1 deletion Project.toml
Original file line number Diff line number Diff line change
@@ -1,7 +1,7 @@
name = "PromptingTools"
uuid = "670122d1-24a8-4d70-bfce-740807c42192"
authors = ["J S @svilupp and contributors"]
version = "0.51.0"
version = "0.52.0"

[deps]
AbstractTrees = "1520ce14-60c1-5f80-bbc7-55ef81b5835c"
Expand Down
82 changes: 82 additions & 0 deletions llm-cheatsheets/DataFrames_cheatsheet.jl
Original file line number Diff line number Diff line change
@@ -0,0 +1,82 @@
using DataFramesMeta

# Create a sample DataFrame
df = DataFrame(x=[1, 1, 2, 2], y=[1, 2, 101, 102])

# @select - Select columns
@select(df, :x, :y) # Select specific columns
@select(df, :x2 = 2 * :x, :y) # Select and transform

# @transform - Add or modify columns
@transform(df, :z = :x + :y) # Add a new column
@transform(df, :x = :x * 2) # Modify existing column

# @subset - Filter rows
@subset(df, :x .> 1) # Keep rows where x > 1
@subset(df, :x .> 1, :y .< 102) # Multiple conditions

# @orderby - Sort rows
@orderby(df, :x) # Sort by x ascending
@orderby(df, -:x, :y) # Sort by x descending, then y ascending

# @groupby and @combine - Group and summarize
gdf = @groupby(df, :x)
@combine(gdf, :mean_y = mean(:y)) # Compute mean of y for each group

# @by - Group and summarize in one step
@by(df, :x, :mean_y = mean(:y))

# Row-wise operations with @byrow
@transform(df, @byrow :z = :x == 1 ? true : false)

# @rtransform - Row-wise transform
@rtransform(df, :z = :x * :y)

# @rsubset - Row-wise subset
@rsubset(df, :x > 1)

# @with - Use DataFrame columns as variables
@with(df, :x + :y)

# @eachrow - Iterate over rows
@eachrow df begin
if :x > 1
:y = :y * 2
end
end

# @passmissing - Handle missing values
df_missing = DataFrame(a=[1, 2, missing], b=[4, 5, 6])
@transform df_missing @passmissing @byrow :c = :a + :b

# @astable - Create multiple columns at once
@transform df @astable begin
ex = extrema(:y)
:y_min = :y .- first(ex)
:y_max = :y .- last(ex)
end

# AsTable for multiple column operations
@rtransform df :sum_xy = sum(AsTable([:x, :y]))

# $ for programmatic column references
col_name = :x
@transform(df, :new_col = $col_name * 2)

# @chain for piping operations
result = @chain df begin
@transform(:z = :x * :y)
@subset(:z > 50)
@select(:x, :y, :z)
@orderby(:z)
end

# @label! for adding column labels
@label! df :x = "Group ID"

# @note! for adding column notes
@note! df :y = "Raw measurements"

# Print labels and notes
printlabels(df)
printnotes(df)
222 changes: 222 additions & 0 deletions llm-cheatsheets/PromptingTools_cheatsheet.jl
Original file line number Diff line number Diff line change
@@ -0,0 +1,222 @@
# # PromptingTools.jl Cheat Sheet
# PromptingTools.jl: A Julia package for easy interaction with AI language models.
# Provides convenient macros and functions for text generation, data extraction, and more.

# Installation and Setup
using Pkg
Pkg.add("PromptingTools")
using PromptingTools
const PT = PromptingTools # Optional alias for convenience

# Set OpenAI API key (or use ENV["OPENAI_API_KEY"])
PT.set_preferences!("OPENAI_API_KEY" => "your-api-key")

# Basic Usage

# Simple query using string macro
ai"What is the capital of France?"

# With variable interpolation
country = "Spain"
ai"What is the capital of $(country)?"

# Using a specific model (e.g., GPT-4)
ai"Explain quantum computing"gpt4

# Asynchronous call (non-blocking)
aai"Say hi but slowly!"gpt4

# Available Functions

# Text Generation
aigenerate(prompt; model = "gpt-3.5-turbo", kwargs...)
aigenerate(template::Symbol; variables..., model = "gpt-3.5-turbo", kwargs...)

# String Macro for Quick Queries
ai"Your prompt here"
ai"Your prompt here"gpt4 # Specify model

# Asynchronous Queries
aai"Your prompt here"
aai"Your prompt here"gpt4

# Data Extraction
aiextract(prompt; return_type = YourStructType, model = "gpt-3.5-turbo", kwargs...)

# Classification
aiclassify(
prompt; choices = ["true", "false", "unknown"], model = "gpt-3.5-turbo", kwargs...)

# Embeddings
aiembed(text, [normalization_function]; model = "text-embedding-ada-002", kwargs...)

# Image Analysis
aiscan(prompt; image_path = path_to_image, model = "gpt-4-vision-preview", kwargs...)

# Template Discovery
aitemplates(search_term::String)
aitemplates(template_name::Symbol)

# Advanced Usage

# Template-based generation
msg = aigenerate(:JuliaExpertAsk; ask = "How do I add packages?")

# Data extraction
struct CurrentWeather
location::String
unit::Union{Nothing, TemperatureUnits}
end
msg = aiextract("What's the weather in New York in F?"; return_type = CurrentWeather)

# Simplest data extraction - all fields assumed to be of type String
msg = aiextract(
"What's the weather in New York in F?"; return_type = [:location, :unit, :temperature])

# Data extraction with pair syntax to specify the exact type or add a field-level description, notice the fieldname__description format
msg = aiextract("What's the weather in New York in F?";
return_type = [
:location => String,
:location__description => "The city or location for the weather report",
:temperature => Float64,
:temperature__description => "The current temperature",
:unit => String,
:unit__description => "The temperature unit (e.g., Fahrenheit, Celsius)"
])

# Classification
aiclassify("Is two plus two four?")

# Embeddings
embedding = aiembed("The concept of AI").content

# Image analysis
msg = aiscan("Describe the image"; image_path = "julia.png", model = "gpt4v")

# Working with Conversations

# Create a conversation
conversation = [
SystemMessage("You're master Yoda from Star Wars."),
UserMessage("I have feelings for my {{object}}. What should I do?")]

# Generate response
msg = aigenerate(conversation; object = "old iPhone")

# Continue the conversation
new_conversation = vcat(conversation..., msg, UserMessage("Thank you, master Yoda!"))
aigenerate(new_conversation)

# Create a New Template
# Basic usage
create_template("You are a helpful assistant", "Translate '{{text}}' to {{language}}")

# With default system message
create_template(user = "Summarize {{article}}")

# Load template into memory
create_template("You are a poet", "Write a poem about {{topic}}"; load_as = :PoetryWriter)

# Use placeholders
create_template("You are a chef", "Create a recipe for {{dish}} with {{ingredients}}")

# Save template to file
save_template("templates/ChefRecipe.json", chef_template)

# Load saved templates
load_templates!("path/to/templates")

# Use created templates
aigenerate(template; variable1 = "value1", variable2 = "value2")
aigenerate(:TemplateName; variable1 = "value1", variable2 = "value2")

# Using Templates

# List available templates
tmps = aitemplates("Julia")

# Use a template
msg = aigenerate(:JuliaExpertAsk; ask = "How do I add packages?")

# Inspect a template
AITemplate(:JudgeIsItTrue) |> PromptingTools.render

# Providing Variables for Placeholders

# Simple variable substitution
aigenerate("Say hello to {{name}}!", name = "World")

# Using a template with multiple variables
aigenerate(:TemplateNameHere;
variable1 = "value1",
variable2 = "value2"
)

# Example with a complex template
conversation = [
SystemMessage("You're master {{character}} from {{universe}}."),
UserMessage("I have feelings for my {{object}}. What should I do?")]
msg = aigenerate(conversation;
character = "Yoda",
universe = "Star Wars",
object = "old iPhone"
)

# Working with Different Model Providers

# OpenAI (default)
ai"Hello, world!"

# Ollama (local models)
schema = PT.OllamaSchema()
msg = aigenerate(schema, "Say hi!"; model = "openhermes2.5-mistral")
# Or use registered models directly:
msg = aigenerate("Say hi!"; model = "openhermes2.5-mistral")

# MistralAI
msg = aigenerate("Say hi!"; model = "mistral-tiny")

# Anthropic (Claude models)
ai"Say hi!"claudeh # Claude 3 Haiku
ai"Say hi!"claudes # Claude 3 Sonnet
ai"Say hi!"claudeo # Claude 3 Opus

# Custom OpenAI-compatible APIs
schema = PT.CustomOpenAISchema()
msg = aigenerate(schema, prompt;
model = "my_model",
api_key = "your_key",
api_kwargs = (; url = "http://your_api_url")
)

# Experimental Features

using PromptingTools.Experimental.AgentTools

# Lazy evaluation
out = AIGenerate("Say hi!"; model = "gpt4t")
run!(out)

# Retry with conditions
airetry!(condition_function, aicall::AICall, feedback_function)

# Example:
airetry!(x -> length(split(last_output(x))) == 1, out,
"You must answer with 1 word only.")

# Retry with do-syntax
airetry!(out, "You must answer with 1 word only.") do aicall
length(split(last_output(aicall))) == 1
end

# Utility Functions

# Save conversations for fine-tuning
PT.save_conversation("filename.json", conversation)
PT.save_conversations("dataset.jsonl", [conversation1, conversation2])

# Set API key preferences
PT.set_preferences!("OPENAI_API_KEY" => "your-api-key")

# Get current preferences
PT.get_preferences("OPENAI_API_KEY")
Loading
Loading