Building a Simple Ruby Chatbot with Google's Gemini API

In this post, we'll walk through a simple Ruby class, GeminiChat, that interacts with the Gemini API to create a chatbot.

Before you start
Go over to Google AI Studio and get an API key.

How It Works
The GeminiChat class is designed to communicate with the Gemini API and maintain a conversation history, ensuring that each message considers the previous context. Let’s break down how it works.

1. Initialisation
def initialize(token: ENV["GEMINI_API_KEY"], base_uri: BASE_URI, model: "gemini-2.0-flash")
  @token = token
  @base_uri = base_uri
  @model = model
  @conversation_history = []
end

  • The class takes in an API key (GEMINI_API_KEY), the base URI, and the model to use (default: gemini-2.0-flash).
  • It initializes an empty conversation history to track interactions.
2. Sending a Message
This is the main public method of the class here each new user message is added sent to Gemini.
def chat(message)
  @conversation_history << {role: "user", parts: [{text: message}]}
  response = generate_content(
    contents: @conversation_history,
    generationConfig: { candidateCount: 1 }
  )

  gemini_response = response.dig("candidates", 0, "content", "parts", 0, "text")
  @conversation_history << {role: "model", parts: [{text: gemini_response}]}
  gemini_response
end

  • The method appends the user's message to the conversation history.
  • It sends the full conversation history to the API, ensuring context is maintained. It is important to set candidateCount: 1 in the generationConfig to maintain the history
  • The response is extracted using the dig command. The response is stored in the history array, and returned to the user so they can see it.
3. Making API Requests
def post(path, body:, headers: {"content-type": "application/json"})
  url = URI("#{@base_uri}#{@model}:#{path}?key=#{@token}")
  data = JSON.dump(body)
  response = Net::HTTP.post(url, data, headers)
  JSON.parse(response.body)
end

  • This private helper method constructs the request to the Gemini API, sends it via Net::HTTP, and parses the response.
Interactive Command Line
The script includes an interactive command-line chatbot:
if __FILE__ == $0
  gemini = GeminiChat.new
  puts "Starting chat with Gemini (type 'exit' to quit)"
  puts "-" * 50

  loop do
    print "\nYou: "
    input = gets.chomp
    break if input.downcase == "exit"
    response = gemini.chat(input)
    puts "\nGemini: #{response}"
  end

  puts "\nChat ended. Goodbye!"
end

  • It starts a chat session and continuously sends user input to Gemini.
  • The conversation runs in a loop until the user types "exit".
Running the Script
In the terminal first export the GEMINI_API_KEY so it is picked up from the ENV 
export export GEMINI_API_KEY=thekeyyougotfromAIStudio 
Then just run the script
ruby gemini_chat.rb
The conversation will continue until you type 'exit'.

Full code?
The full code is available in this github repository.