A comprehensive Elixir client for Google's Gemini AI API with dual authentication support, advanced streaming capabilities, type safety, and built-in telemetry.
- π€ Automatic Tool Calling: A seamless, Python-SDK-like experience that automates the entire multi-turn tool-calling loop
- π Dual Authentication: Seamless support for both Gemini API keys and Vertex AI OAuth/Service Accounts
- β‘ Advanced Streaming: Production-grade Server-Sent Events streaming with real-time processing
- π Embeddings with MRL: Text embeddings with Matryoshka Representation Learning, normalization, and distance metrics (v0.3.0)
- π° Async Batch Embeddings: Production-scale embedding generation with 50% cost savings (NEW in v0.3.1!)
- π‘οΈ Type Safety: Complete type definitions with runtime validation
- π Built-in Telemetry: Comprehensive observability and metrics out of the box
- π¬ Chat Sessions: Multi-turn conversation management with state persistence
- π Flexible Multimodal Input: Intuitive formats for images/text with automatic MIME detection
- πΈ Thinking Budget Control: Optimize costs by controlling thinking token usage
- βοΈ Complete Generation Config: Full support for all generation config options including structured output
- π Production Ready: Robust error handling, retry logic, and performance optimizations
- π§ Flexible Configuration: Environment variables, application config, and per-request overrides
gemini_ex
is the first project to integrate with the ALTAR Productivity Platform, a system designed to bridge the gap between local AI development and enterprise-grade production deployment.
We've adopted ALTAR's LATER
protocol to provide a best-in-class local tool-calling experience. This is the first step in a long-term vision to offer a seamless "promotion path" for your AI tools, from local testing to a secure, scalable, and governed production environment via ALTAR's GRID
protocol.
β‘οΈ Learn the full story behind our integration in ALTAR_INTEGRATION.md
Add gemini
to your list of dependencies in mix.exs
:
def deps do
[
{:gemini_ex, "~> 0.3.1"}
]
end
Configure your API key in config/runtime.exs
:
import Config
config :gemini_ex,
api_key: System.get_env("GEMINI_API_KEY")
Or set the environment variable:
export GEMINI_API_KEY="your_api_key_here"
# Basic text generation
{:ok, response} = Gemini.generate("Tell me about Elixir programming")
{:ok, text} = Gemini.extract_text(response)
IO.puts(text)
# With options
{:ok, response} = Gemini.generate("Explain quantum computing", [
model: "gemini-2.0-flash-lite",
temperature: 0.7,
max_output_tokens: 1000
])
# Advanced generation config with structured output
{:ok, response} = Gemini.generate("Analyze this topic and provide a summary", [
response_schema: %{
"type" => "object",
"properties" => %{
"summary" => %{"type" => "string"},
"key_points" => %{"type" => "array", "items" => %{"type" => "string"}},
"confidence" => %{"type" => "number"}
}
},
response_mime_type: "application/json",
temperature: 0.3
])
# Define a simple tool
defmodule WeatherTool do
def get_weather(%{"location" => location}) do
%{location: location, temperature: 22, condition: "sunny"}
end
end
# Create and register the tool
{:ok, weather_declaration} = Altar.ADM.new_function_declaration(%{
name: "get_weather",
description: "Gets weather for a location",
parameters: %{
type: "object",
properties: %{location: %{type: "string", description: "City name"}},
required: ["location"]
}
})
Gemini.Tools.register(weather_declaration, &WeatherTool.get_weather/1)
# Use the tool automatically - the model will call it as needed
{:ok, response} = Gemini.generate_content_with_auto_tools(
"What's the weather like in Tokyo?",
tools: [weather_declaration]
)
{:ok, text} = Gemini.extract_text(response)
IO.puts(text) # "The weather in Tokyo is sunny with a temperature of 22Β°C."
# Start a streaming session
{:ok, stream_id} = Gemini.stream_generate("Write a long story about AI", [
on_chunk: fn chunk -> IO.write(chunk) end,
on_complete: fn -> IO.puts("\nβ
Stream complete!") end,
on_error: fn error -> IO.puts("β Error: #{inspect(error)}") end
])
# Stream management
Gemini.Streaming.pause_stream(stream_id)
Gemini.Streaming.resume_stream(stream_id)
Gemini.Streaming.stop_stream(stream_id)
# Using GenerationConfig struct for complex configurations
config = %Gemini.Types.GenerationConfig{
temperature: 0.7,
max_output_tokens: 2000,
response_schema: %{
"type" => "object",
"properties" => %{
"analysis" => %{"type" => "string"},
"recommendations" => %{"type" => "array", "items" => %{"type" => "string"}}
}
},
response_mime_type: "application/json",
stop_sequences: ["END", "COMPLETE"],
presence_penalty: 0.5,
frequency_penalty: 0.3
}
{:ok, response} = Gemini.generate("Analyze market trends", generation_config: config)
# All generation config options are supported:
{:ok, response} = Gemini.generate("Creative writing task", [
temperature: 0.9, # Creativity level
top_p: 0.8, # Nucleus sampling
top_k: 40, # Top-k sampling
candidate_count: 3, # Multiple responses
response_logprobs: true, # Include probabilities
logprobs: 5 # Token probabilities
])
# Create a chat session
{:ok, session} = Gemini.create_chat_session([
model: "gemini-2.0-flash-lite",
system_instruction: "You are a helpful programming assistant."
])
# Send messages
{:ok, response1} = Gemini.send_message(session, "What is functional programming?")
{:ok, response2} = Gemini.send_message(session, "Show me an example in Elixir")
# Get conversation history
history = Gemini.get_conversation_history(session)
Tool calling enables the Gemini model to interact with external functions and APIs, making it possible to build powerful agents that can perform actions, retrieve real-time data, and integrate with your systems. This transforms the model from a text generator into an intelligent agent capable of complex workflows.
The automatic tool calling system provides the easiest and most robust way to use tools. It handles the entire multi-turn conversation loop automatically, executing tool calls and managing the conversation state behind the scenes.
# Define your tool functions
defmodule DemoTools do
def get_weather(%{"location" => location}) do
# Your weather API integration here
%{
location: location,
temperature: 22,
condition: "sunny",
humidity: 65
}
end
def calculate(%{"operation" => op, "a" => a, "b" => b}) do
result = case op do
"add" -> a + b
"multiply" -> a * b
"divide" when b != 0 -> a / b
_ -> {:error, "Invalid operation"}
end
%{operation: op, result: result}
end
end
# Create function declarations
{:ok, weather_declaration} = Altar.ADM.new_function_declaration(%{
name: "get_weather",
description: "Gets current weather information for a specified location",
parameters: %{
type: "object",
properties: %{
location: %{
type: "string",
description: "The location to get weather for (e.g., 'San Francisco')"
}
},
required: ["location"]
}
})
{:ok, calc_declaration} = Altar.ADM.new_function_declaration(%{
name: "calculate",
description: "Performs basic mathematical calculations",
parameters: %{
type: "object",
properties: %{
operation: %{type: "string", enum: ["add", "multiply", "divide"]},
a: %{type: "number", description: "First operand"},
b: %{type: "number", description: "Second operand"}
},
required: ["operation", "a", "b"]
}
})
# Register the tools
Gemini.Tools.register(weather_declaration, &DemoTools.get_weather/1)
Gemini.Tools.register(calc_declaration, &DemoTools.calculate/1)
# Single call with automatic tool execution
{:ok, response} = Gemini.generate_content_with_auto_tools(
"What's the weather like in Tokyo? Also calculate 15 * 23.",
tools: [weather_declaration, calc_declaration],
model: "gemini-2.0-flash-lite",
temperature: 0.1
)
# Extract the final text response
{:ok, text} = Gemini.extract_text(response)
IO.puts(text)
# Output: "The weather in Tokyo is sunny with 22Β°C and 65% humidity.
# The calculation of 15 * 23 equals 345."
The model automatically:
- Determines which tools to call based on your prompt
- Executes the necessary function calls
- Processes the results
- Provides a natural language response incorporating all the data
For real-time responses with tool calling:
# Start streaming with automatic tool execution
{:ok, stream_id} = Gemini.stream_generate_with_auto_tools(
"Check the weather in London and calculate the tip for a $50 meal",
tools: [weather_declaration, calc_declaration],
model: "gemini-2.0-flash-lite"
)
# Subscribe to the stream
:ok = Gemini.subscribe_stream(stream_id)
# The subscriber will only receive the final text chunks
# All tool execution happens automatically in the background
receive do
{:stream_event, ^stream_id, event} ->
case Gemini.extract_text(event) do
{:ok, text} -> IO.write(text)
_ -> :ok
end
{:stream_complete, ^stream_id} -> IO.puts("\nβ
Complete!")
end
For advanced use cases requiring full control over the conversation loop, custom state management, or detailed logging of tool executions:
# Step 1: Generate content with tool declarations
{:ok, response} = Gemini.generate_content(
"What's the weather in Paris?",
tools: [weather_declaration],
model: "gemini-2.0-flash-lite"
)
# Step 2: Check for function calls in the response
case response.candidates do
[%{content: %{parts: parts}}] ->
function_calls = Enum.filter(parts, &match?(%{function_call: _}, &1))
if function_calls != [] do
# Step 3: Execute the function calls
{:ok, tool_results} = Gemini.Tools.execute_calls(function_calls)
# Step 4: Create content from tool results
tool_content = Gemini.Types.Content.from_tool_results(tool_results)
# Step 5: Continue the conversation with results
conversation_history = [
%{role: "user", parts: [%{text: "What's the weather in Paris?"}]},
response.candidates |> hd() |> Map.get(:content),
tool_content
]
{:ok, final_response} = Gemini.generate_content(
conversation_history,
model: "gemini-2.0-flash-lite"
)
{:ok, text} = Gemini.extract_text(final_response)
IO.puts(text)
end
end
This manual approach gives you complete visibility and control over each step of the tool calling process, which can be valuable for debugging, logging, or implementing custom conversation management logic.
Generate semantic embeddings for text to power RAG systems, semantic search, classification, and more.
# Generate an embedding
{:ok, response} = Gemini.embed_content("Hello, world!")
values = response.embedding.values # [0.123, -0.456, ...]
# Compute similarity
alias Gemini.Types.Response.ContentEmbedding
{:ok, resp1} = Gemini.embed_content("The cat sat on the mat")
{:ok, resp2} = Gemini.embed_content("A feline rested on the rug")
# Normalize for accurate similarity (required for non-3072 dimensions)
norm1 = ContentEmbedding.normalize(resp1.embedding)
norm2 = ContentEmbedding.normalize(resp2.embedding)
similarity = ContentEmbedding.cosine_similarity(norm1, norm2)
# => 0.85 (high similarity)
The text-embedding-004
model supports flexible dimensions (128-3072) with minimal quality loss:
# 768 dimensions - RECOMMENDED (25% storage, 0.26% quality loss)
{:ok, response} = Gemini.embed_content(
"Your text",
model: "text-embedding-004",
output_dimensionality: 768
)
# 1536 dimensions - High quality (50% storage, same MTEB score as 3072!)
{:ok, response} = Gemini.embed_content(
"Your text",
output_dimensionality: 1536
)
MTEB Benchmark Scores:
- 3072d: 68.17 (100% storage, pre-normalized)
- 1536d: 68.17 (50% storage, same quality!)
- 768d: 67.99 (25% storage, -0.26% loss)
- 512d: 67.55 (17% storage, -0.91% loss)
Optimize embeddings for your specific use case:
# For knowledge base documents
{:ok, doc_emb} = Gemini.embed_content(
document_text,
task_type: "RETRIEVAL_DOCUMENT",
title: "Document Title" # Improves quality!
)
# For search queries
{:ok, query_emb} = Gemini.embed_content(
user_query,
task_type: "RETRIEVAL_QUERY"
)
# For classification
{:ok, emb} = Gemini.embed_content(
text,
task_type: "CLASSIFICATION"
)
alias Gemini.Types.Response.ContentEmbedding
# Cosine similarity (higher = more similar, -1 to 1)
similarity = ContentEmbedding.cosine_similarity(emb1, emb2)
# Euclidean distance (lower = more similar, 0 to β)
distance = ContentEmbedding.euclidean_distance(emb1, emb2)
# Dot product (equals cosine for normalized embeddings)
dot = ContentEmbedding.dot_product(emb1, emb2)
# L2 norm (should be ~1.0 after normalization)
norm = ContentEmbedding.norm(embedding)
Efficient for multiple texts:
texts = ["Text 1", "Text 2", "Text 3"]
{:ok, response} = Gemini.batch_embed_contents(
"text-embedding-004",
texts,
task_type: "RETRIEVAL_DOCUMENT"
)
# Access embeddings
embeddings = response.embeddings # List of ContentEmbedding structs
Complete production-ready examples in examples/use_cases/
:
mrl_normalization_demo.exs
- MRL concepts, MTEB scores, normalization, distance metricsrag_demo.exs
- Complete RAG pipeline with knowledge base indexing and retrievalsearch_reranking.exs
- Semantic reranking for improved search relevanceclassification.exs
- K-NN classification with few-shot learning
See examples/EMBEDDINGS.md for comprehensive documentation.
IMPORTANT: Only 3072-dimensional embeddings are pre-normalized. All other dimensions MUST be normalized before computing similarity:
# WRONG - Produces incorrect similarity scores
similarity = ContentEmbedding.cosine_similarity(emb1, emb2)
# CORRECT - Normalize first for non-3072 dimensions
norm1 = ContentEmbedding.normalize(emb1)
norm2 = ContentEmbedding.normalize(emb2)
similarity = ContentEmbedding.cosine_similarity(norm1, norm2)
For production-scale embedding generation with 50% cost savings:
# Submit large batch asynchronously
{:ok, batch} = Gemini.async_batch_embed_contents(
texts,
display_name: "Knowledge Base Index",
task_type: :retrieval_document,
output_dimensionality: 768
)
# Poll for completion with progress tracking
{:ok, completed_batch} = Gemini.await_batch_completion(
batch.name,
poll_interval: 10_000, # 10 seconds
timeout: 30 * 60 * 1000, # 30 minutes
on_progress: fn b ->
progress = b.batch_stats.successful_request_count / b.batch_stats.request_count * 100
IO.puts("Progress: #{Float.round(progress, 1)}%")
end
)
# Retrieve embeddings
{:ok, embeddings} = Gemini.get_batch_embeddings(completed_batch)
When to use:
- Large-scale indexing (1000s-millions of documents)
- RAG system setup and knowledge base building
- Non-urgent embedding generation
- Cost-sensitive workflows (50% savings!)
Live Examples:
mix run examples/async_batch_embedding_demo.exs
mix run examples/async_batch_production_demo.exs
See examples/ASYNC_BATCH_EMBEDDINGS.md for complete guide.
The repository includes comprehensive examples demonstrating all library features. All examples are ready to run and include proper error handling.
All examples use the same execution method:
mix run examples/[example_name].exs
The main library demonstration covering all core features.
mix run examples/demo.exs
Features demonstrated:
- Model listing and information retrieval
- Simple text generation with various prompts
- Configured generation (creative vs precise modes)
- Multi-turn chat sessions with context
- Token counting for different text lengths
Requirements: GEMINI_API_KEY
environment variable
Live demonstration of Server-Sent Events streaming with progressive text delivery.
mix run examples/streaming_demo.exs
Features demonstrated:
- Real-time progressive text streaming
- Stream subscription and event handling
- Authentication detection (Gemini API or Vertex AI)
- Stream status monitoring
Requirements: GEMINI_API_KEY
or Vertex AI credentials
Showcases the unified architecture supporting multiple authentication methods.
mix run examples/demo_unified.exs
Features demonstrated:
- Configuration system and auth detection
- Authentication strategy switching
- Streaming manager capabilities
- Backward compatibility verification
Requirements: None (works with or without credentials)
Demonstrates concurrent usage of multiple authentication strategies.
mix run examples/multi_auth_demo.exs
Features demonstrated:
- Concurrent Gemini API and Vertex AI requests
- Authentication failure handling
- Per-request auth strategy selection
- Error handling for invalid credentials
Requirements: GEMINI_API_KEY
recommended (demonstrates Vertex AI auth failure)
Complete demonstration of the built-in telemetry and observability features.
mix run examples/telemetry_showcase.exs
Features demonstrated:
- Real-time telemetry event monitoring
- 7 event types: request start/stop/exception, stream start/chunk/stop/exception
- Telemetry helper functions (stream IDs, content classification, metadata)
- Live performance measurement and analysis
- Configuration management for telemetry
Requirements: GEMINI_API_KEY
for live telemetry (works without for utilities demo)
Demonstrates the powerful automatic tool calling system for building intelligent agents.
mix run examples/auto_tool_calling_demo.exs
Features demonstrated:
- Tool function definition and registration
- Automatic multi-turn tool execution
- Multiple tool types (weather, calculator, time)
- Function declaration creation with JSON schemas
- Streaming with automatic tool execution
Requirements: GEMINI_API_KEY
for live tool execution
Shows manual control over the tool calling conversation loop for advanced use cases.
mix run examples/tool_calling_demo.exs
Features demonstrated:
- Manual tool execution workflow
- Step-by-step conversation management
- Custom tool result processing
- Advanced debugging and logging capabilities
Requirements: GEMINI_API_KEY
for live tool execution
Comprehensive manual tool calling patterns for complex agent workflows.
mix run examples/manual_tool_calling_demo.exs
Features demonstrated:
- Complex multi-step tool workflows
- Custom conversation state management
- Error handling in tool execution
- Integration patterns for external APIs
Requirements: GEMINI_API_KEY
for live tool execution
A comprehensive live test demonstrating real automatic tool execution with the Gemini API.
mix run examples/live_auto_tool_test.exs
Features demonstrated:
- Real Elixir module introspection using
Code.ensure_loaded/1
andCode.fetch_docs/1
- Live automatic tool execution with the actual Gemini API
- End-to-end workflow validation from tool registration to final response
- Comprehensive error handling and debug output
- Self-contained execution with
Mix.install
dependency management - Professional output formatting with step-by-step progress indicators
What makes this special:
- β Actually calls the Gemini API - not a mock or simulation
- β
Executes real Elixir code - introspects modules like
Enum
,String
,GenServer
- β Demonstrates the complete pipeline - tool registration β API call β tool execution β response synthesis
- β Self-contained - runs independently with just an API key
- β Comprehensive logging - shows exactly what's happening at each step
Requirements: GEMINI_API_KEY
environment variable (this is a live API test)
Example output:
π SUCCESS! Final Response from Gemini:
The `Enum` module in Elixir is a powerful tool for working with collections...
Based on the information retrieved using `get_elixir_module_info`, here's a breakdown:
1. Main Purpose: Provides consistent iteration over enumerables (lists, maps, ranges)
2. Common Functions: map/2, filter/2, reduce/3, sum/1, sort/1...
3. Usefulness: Unified interface, functional programming, high performance...
Comprehensive testing utility for validating both authentication methods.
mix run examples/live_api_test.exs
Features demonstrated:
- Full API testing suite for both auth methods
- Configuration detection and validation
- Model operations (listing, details, existence checks)
- Streaming functionality testing
- Performance monitoring
Requirements: GEMINI_API_KEY
and/or Vertex AI credentials
Each example provides detailed output with:
- β Success indicators for working features
- β Error messages with clear explanations
- π Performance metrics and timing information
- π§ Configuration details and detected settings
- π‘ Live telemetry events (in telemetry showcase)
For the examples to work with live API calls, set up authentication:
# For Gemini API (recommended for examples)
export GEMINI_API_KEY="your_gemini_api_key"
# For Vertex AI (optional, for multi-auth demos)
export VERTEX_JSON_FILE="/path/to/service-account.json"
export VERTEX_PROJECT_ID="your-gcp-project-id"
The examples follow a consistent pattern:
- Self-contained: Each example runs independently
- Well-documented: Clear inline comments and descriptions
- Error-resilient: Graceful handling of missing credentials
- Informative output: Detailed logging of operations and results
# Environment variable (recommended)
export GEMINI_API_KEY="your_api_key"
# Application config
config :gemini_ex, api_key: "your_api_key"
# Per-request override
Gemini.generate("Hello", api_key: "specific_key")
# Service Account JSON file
export VERTEX_SERVICE_ACCOUNT="/path/to/service-account.json"
export VERTEX_PROJECT_ID="your-gcp-project"
export VERTEX_LOCATION="us-central1"
# Application config
config :gemini_ex, :auth,
type: :vertex_ai,
credentials: %{
service_account_key: System.get_env("VERTEX_SERVICE_ACCOUNT"),
project_id: System.get_env("VERTEX_PROJECT_ID"),
location: "us-central1"
}
- API Reference - Complete function documentation
- Architecture Guide - System design and components
- Authentication System - Detailed auth configuration
- Examples - Working code examples
The library features a modular, layered architecture:
- Authentication Layer: Multi-strategy auth with automatic credential resolution
- Coordination Layer: Unified API coordinator for all operations
- Streaming Layer: Advanced SSE processing with state management
- HTTP Layer: Dual client system for standard and streaming requests
- Type Layer: Comprehensive schemas with runtime validation
All 12 generation config options are fully supported across all API entry points:
# Structured output with JSON schema
{:ok, response} = Gemini.generate("Analyze this data", [
response_schema: %{
"type" => "object",
"properties" => %{
"summary" => %{"type" => "string"},
"insights" => %{"type" => "array", "items" => %{"type" => "string"}}
}
},
response_mime_type: "application/json"
])
# Creative writing with advanced controls
{:ok, response} = Gemini.generate("Write a story", [
temperature: 0.9,
top_p: 0.8,
top_k: 40,
presence_penalty: 0.6,
frequency_penalty: 0.4,
stop_sequences: ["THE END", "EPILOGUE"]
])
# List available models
{:ok, models} = Gemini.list_models()
# Get model details
{:ok, model_info} = Gemini.get_model("gemini-2.0-flash-lite")
# Count tokens
{:ok, token_count} = Gemini.count_tokens("Your text here", model: "gemini-2.0-flash-lite")
The library now accepts multiple intuitive input formats for images and text:
# Anthropic-style format (flexible and intuitive)
content = [
%{type: "text", text: "What's in this image?"},
%{type: "image", source: %{type: "base64", data: base64_image}}
]
{:ok, response} = Gemini.generate(content)
# Automatic MIME type detection from image data
{:ok, image_data} = File.read("photo.png")
content = [
%{type: "text", text: "Describe this photo"},
%{type: "image", source: %{type: "base64", data: Base.encode64(image_data)}}
# No mime_type needed - auto-detected as image/png!
]
# Or use the original Content struct format
alias Gemini.Types.{Content, Part}
content = [
Content.text("What is this?"),
Content.image("path/to/image.png")
]
{:ok, response} = Gemini.generate(content)
# Mix and match formats in a single request
content = [
"Describe this image:", # Simple string
%{type: "image", source: %{...}}, # Anthropic-style
%Content{role: "user", parts: [...]} # Content struct
]
Supported image formats: PNG, JPEG, GIF, WebP (auto-detected from magic bytes)
Gemini 2.5 series models use internal "thinking" for complex reasoning. Control thinking token usage to optimize costs:
# Disable thinking for simple tasks (save costs)
{:ok, response} = Gemini.generate(
"What is 2 + 2?",
model: "gemini-2.5-flash",
thinking_config: %{thinking_budget: 0}
)
# Result: No thinking tokens charged!
# Set fixed budget (balance cost and quality)
{:ok, response} = Gemini.generate(
"Write a Python function to sort a list",
model: "gemini-2.5-flash",
thinking_config: %{thinking_budget: 1024}
)
# Dynamic thinking (model decides - default behavior)
{:ok, response} = Gemini.generate(
"Solve this complex problem...",
model: "gemini-2.5-flash",
thinking_config: %{thinking_budget: -1}
)
# Get thought summaries (see model's reasoning)
{:ok, response} = Gemini.generate(
"Explain your reasoning step by step",
model: "gemini-2.5-flash",
thinking_config: %{
thinking_budget: 2048,
include_thoughts: true
}
)
# Using GenerationConfig struct
alias Gemini.Types.GenerationConfig
config = GenerationConfig.new()
|> GenerationConfig.thinking_budget(1024)
|> GenerationConfig.include_thoughts(true)
|> GenerationConfig.temperature(0.7)
{:ok, response} = Gemini.generate("prompt", generation_config: config)
Budget ranges by model:
- Gemini 2.5 Pro: 128-32,768 (cannot disable)
- Gemini 2.5 Flash: 0-24,576 (can disable with 0)
- Gemini 2.5 Flash Lite: 0 or 512-24,576
Special values:
0
: Disable thinking entirely (Flash/Lite only)-1
: Dynamic thinking (model decides budget)
case Gemini.generate("Hello world") do
{:ok, response} ->
# Handle success
{:ok, text} = Gemini.extract_text(response)
{:error, %Gemini.Error{type: :rate_limit} = error} ->
# Handle rate limiting
IO.puts("Rate limited. Retry after: #{error.retry_after}")
{:error, %Gemini.Error{type: :authentication} = error} ->
# Handle auth errors
IO.puts("Auth error: #{error.message}")
{:error, error} ->
# Handle other errors
IO.puts("Unexpected error: #{inspect(error)}")
end
# Run all tests
mix test
# Run with coverage
mix test --cover
# Run integration tests (requires API key)
GEMINI_API_KEY="your_key" mix test --only integration
- Fork the repository
- Create your feature branch (
git checkout -b feature/amazing-feature
) - Commit your changes (
git commit -m 'Add amazing feature'
) - Push to the branch (
git push origin feature/amazing-feature
) - Open a Pull Request
This project is licensed under the MIT License - see the LICENSE file for details.
- Google AI team for the Gemini API
- Elixir community for excellent tooling and libraries
- Contributors and maintainers