A delightful Ruby way to work with AI. No configuration madness, no complex callbacks, no handler hell – just beautiful, expressive Ruby code.
🤺 Battle tested at 💬 Chat with Work
Every AI provider comes with its own client library, its own response format, its own conventions for streaming, and its own way of handling errors. Want to use multiple providers? Prepare to juggle incompatible APIs and bloated dependencies.
RubyLLM fixes all that. One beautiful API for everything. One consistent format. Minimal dependencies — just Faraday and Zeitwerk. Because working with AI should be a joy, not a chore.
- 💬 Chat with OpenAI, Anthropic, Gemini, and DeepSeek models
- 👁️ Vision and Audio understanding
- 📄 PDF Analysis for analyzing documents
- 🖼️ Image generation with DALL-E and other providers
- 📊 Embeddings for vector search and semantic analysis
- 🔧 Tools that let AI use your Ruby code
- 🔄 Structured Output for extracting JSON data in a type-safe way
- 🧩 Custom Parsers for XML, regex, or any format you need
- 🚂 Rails integration to persist chats and messages with ActiveRecord
- 🌊 Streaming responses with proper Ruby patterns
# Just ask questions
chat = RubyLLM.chat
chat.ask "What's the best way to learn Ruby?"
# Analyze images
chat.ask "What's in this image?", with: { image: "ruby_conf.jpg" }
# Analyze audio recordings
chat.ask "Describe this meeting", with: { audio: "meeting.wav" }
# Analyze documents
chat.ask "Summarize this document", with: { pdf: "contract.pdf" }
# Stream responses in real-time
chat.ask "Tell me a story about a Ruby programmer" do |chunk|
  print chunk.content
end
# Generate images
RubyLLM.paint "a sunset over mountains in watercolor style"
# Create vector embeddings
RubyLLM.embed "Ruby is elegant and expressive"
# Extract structured data
class Delivery
  attr_accessor :timestamp, :dimensions, :address
  def self.json_schema
    {
      type: "object",
      properties: {
        timestamp: { type: "string", format: "date-time" },
        dimensions: { type: "array", items: { type: "number" } },
        address: { type: "string" }
      }
    }
  end
end
response = chat.with_response_format(Delivery)
               .ask("Extract: Delivery to 123 Main St on 2025-03-20. Size: 12x8x4.")
puts response.timestamp  # => 2025-03-20T00:00:00Z
puts response.dimensions # => [12, 8, 4]
puts response.address    # => 123 Main St
# Extract specific XML tags
chat.with_parser(:xml, tag: 'answer')
    .ask("Respond with <answer>42</answer>")
    .content # => "42"
# Create your own parsers for any format
module CsvParser
  def self.parse(response, options)
    rows = response.content.strip.split("\n")
    headers = rows.first.split(',')
    rows[1..-1].map do |row|
      values = row.split(',')
      headers.zip(values).to_h
    end
  end
end
# Register your custom parser
RubyLLM::ResponseParser.register(:csv, CsvParser)
# Use your custom parser
result = chat.with_parser(:csv)
             .ask("Give me a CSV with name,age,city for 3 people")
             .content
# Let AI use your code
class Weather < RubyLLM::Tool
  description "Gets current weather for a location"
  param :latitude, desc: "Latitude (e.g., 52.5200)"
  param :longitude, desc: "Longitude (e.g., 13.4050)"
  def execute(latitude:, longitude:)
    url = "https://api.open-meteo.com/v1/forecast?latitude=#{latitude}&longitude=#{longitude}¤t=temperature_2m,wind_speed_10m"
    response = Faraday.get(url)
    data = JSON.parse(response.body)
  rescue => e
    { error: e.message }
  end
end
chat.with_tool(Weather).ask "What's the weather in Berlin? (52.5200, 13.4050)"# In your Gemfile
gem 'ruby_llm'
# Then run
bundle install
# Or install it yourself
gem install ruby_llmConfigure with your API keys:
RubyLLM.configure do |config|
  config.openai_api_key = ENV['OPENAI_API_KEY']
  config.anthropic_api_key = ENV['ANTHROPIC_API_KEY']
  config.gemini_api_key = ENV['GEMINI_API_KEY']
  config.deepseek_api_key = ENV['DEEPSEEK_API_KEY']
end# Start a chat with the default model (GPT-4o-mini)
chat = RubyLLM.chat
# Or specify what you want
chat = RubyLLM.chat(model: 'claude-3-7-sonnet-20250219')
# Simple questions just work
chat.ask "What's the difference between attr_reader and attr_accessor?"
# Multi-turn conversations are seamless
chat.ask "Could you give me an example?"
# Stream responses in real-time
chat.ask "Tell me a story about a Ruby programmer" do |chunk|
  print chunk.content
end
# Understand content in multiple forms
chat.ask "Compare these diagrams", with: { image: ["diagram1.png", "diagram2.png"] }
chat.ask "Summarize this document", with: { pdf: "contract.pdf" }
chat.ask "What's being said?", with: { audio: "meeting.wav" }
# Need a different model mid-conversation? No problem
chat.with_model('gemini-2.0-flash').ask "What's your favorite algorithm?"# app/models/chat.rb
class Chat < ApplicationRecord
  acts_as_chat
  # Works great with Turbo
  broadcasts_to ->(chat) { "chat_#{chat.id}" }
end
# app/models/message.rb
class Message < ApplicationRecord
  acts_as_message
end
# app/models/tool_call.rb
class ToolCall < ApplicationRecord
  acts_as_tool_call
end
# In your controller
chat = Chat.create!(model_id: "gpt-4o-mini")
chat.ask("What's your favorite Ruby gem?") do |chunk|
  Turbo::StreamsChannel.broadcast_append_to(
    chat,
    target: "response",
    partial: "messages/chunk",
    locals: { chunk: chunk }
  )
end
# That's it - chat history is automatically savedclass Search < RubyLLM::Tool
  description "Searches a knowledge base"
  param :query, desc: "The search query"
  param :limit, type: :integer, desc: "Max results", required: false
  def execute(query:, limit: 5)
    # Your search logic here
    Document.search(query).limit(limit).map(&:title)
  end
end
# Let the AI use it
chat.with_tool(Search).ask "Find documents about Ruby 3.3 features"Check out the guides at https://rubyllm.com for deeper dives into conversations with tools, streaming responses, embedding generations, and more.
We welcome contributions to RubyLLM!
See CONTRIBUTING.md for detailed instructions on how to:
- Run the test suite
- Add new features
- Update documentation
- Re-record VCR cassettes when needed
We appreciate your help making RubyLLM better!
Released under the MIT License.