summaryrefslogtreecommitdiffhomepage
path: root/README.md
blob: 30cdddf53e4eec001a8afe2363e7e210f9bf254f (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
# Dispatch::Adapter::Copilot

A Ruby gem that provides a provider-agnostic LLM adapter interface with a concrete GitHub Copilot implementation. Calls the Copilot API directly over HTTP using Ruby's `net/http` — no SDK, no CLI, no external dependencies.

## What It Does

- Defines a **canonical adapter interface** (`Dispatch::Adapter::Base`) that any LLM provider can implement
- Provides a **complete GitHub Copilot adapter** (`Dispatch::Adapter::Copilot`) supporting:
  - Chat completions (text responses, tool calls, mixed responses)
  - Streaming via Server-Sent Events (SSE)
  - Tool/function calling with structured input/output
  - Thinking/reasoning effort control for reasoning models (o1, o3, o4-mini, etc.)
  - Automatic GitHub device OAuth flow for authentication
  - Copilot token management with automatic refresh
- Uses **canonical structs** (`Message`, `Response`, `ToolUseBlock`, etc.) so your application code is provider-agnostic

## Installation

Add to your Gemfile:

```ruby
gem "dispatch-adapter-copilot"
```

Then run `bundle install`.

## Authentication

The adapter authenticates via a GitHub OAuth token. You have three options:

### Option 1: Pass a token directly

```ruby
adapter = Dispatch::Adapter::Copilot.new(github_token: "gho_your_token_here")
```

### Option 2: Interactive device flow

Omit the token and the adapter will trigger a GitHub device authorization flow on first use:

```ruby
adapter = Dispatch::Adapter::Copilot.new
adapter.chat(messages)  # Prints a URL and code to stderr, waits for authorization
```

The token is persisted to `~/.config/dispatch/copilot_github_token` and reused on subsequent runs.

### Option 3: Custom token path

```ruby
adapter = Dispatch::Adapter::Copilot.new(token_path: "/path/to/my/token")
```

## Usage

### Basic Chat

```ruby
require "dispatch/adapter/copilot"

adapter = Dispatch::Adapter::Copilot.new(
  model: "gpt-4.1",       # Model to use (default: "gpt-4.1")
  max_tokens: 8192         # Max output tokens (default: 8192)
)

messages = [
  Dispatch::Adapter::Message.new(role: "user", content: "What is Ruby?")
]

response = adapter.chat(messages, system: "You are a helpful programming assistant.")
puts response.content       # => "Ruby is a dynamic, open source..."
puts response.model         # => "gpt-4.1"
puts response.stop_reason   # => :end_turn
puts response.usage.input_tokens   # => 15
puts response.usage.output_tokens  # => 120
```

### Streaming

```ruby
adapter.chat(messages, stream: true) do |delta|
  case delta.type
  when :text_delta
    print delta.text
  when :tool_use_start
    puts "\nCalling tool: #{delta.tool_name}"
  when :tool_use_delta
    # Partial JSON arguments being streamed
  end
end
# Returns a Response after streaming completes
```

### Tool Calling

Tools can be passed as `ToolDefinition` structs or plain hashes with `name`, `description`, and `parameters` keys (symbol or string). This makes it easy to integrate with tool registries that return plain hashes.

```ruby
# Define a tool using a struct
weather_tool = Dispatch::Adapter::ToolDefinition.new(
  name: "get_weather",
  description: "Get the current weather for a city",
  parameters: {
    "type" => "object",
    "properties" => {
      "city" => { "type" => "string", "description" => "City name" }
    },
    "required" => ["city"]
  }
)

# Send a message with tools available
messages = [Dispatch::Adapter::Message.new(role: "user", content: "What's the weather in Tokyo?")]
response = adapter.chat(messages, tools: [weather_tool])

if response.stop_reason == :tool_use
  # The model wants to call a tool
  tool_call = response.tool_calls.first
  puts tool_call.name       # => "get_weather"
  puts tool_call.arguments  # => {"city" => "Tokyo"}
  puts tool_call.id         # => "call_abc123"

  # Execute the tool, then send the result back
  tool_result = Dispatch::Adapter::ToolResultBlock.new(
    tool_use_id: tool_call.id,
    content: "72F and sunny"
  )

  followup = [
    *messages,
    Dispatch::Adapter::Message.new(role: "assistant", content: [tool_call]),
    Dispatch::Adapter::Message.new(role: "user", content: [tool_result])
  ]

  final_response = adapter.chat(followup, tools: [weather_tool])
  puts final_response.content  # => "The weather in Tokyo is 72F and sunny!"
end
```

You can also pass plain hashes instead of `ToolDefinition` structs:

```ruby
# Plain hash (e.g. from a tool registry)
tools = [{ name: "get_weather", description: "Get weather", parameters: { "type" => "object", "properties" => { "city" => { "type" => "string" } } } }]
response = adapter.chat(messages, tools: tools)
```

### Thinking / Reasoning Models

For reasoning models like `o1`, `o3`, `o3-mini`, and `o4-mini`, you can control the thinking effort:

```ruby
# Set as default
adapter = Dispatch::Adapter::Copilot.new(model: "o3-mini", thinking: "high")

# Or override per-call
response = adapter.chat(messages, thinking: "low")

# Disable for a specific call (even with a constructor default)
response = adapter.chat(messages, thinking: nil)
```

Valid values: `"low"`, `"medium"`, `"high"`, or `nil` (disabled).

### Per-Call Max Tokens

```ruby
# Override the constructor default for a single call
response = adapter.chat(messages, max_tokens: 100)
```

### List Available Models

```ruby
models = adapter.list_models
models.each do |m|
  puts "#{m.id} (context: #{m.max_context_tokens} tokens)"
end
```

### Adapter Metadata

```ruby
adapter.model_name          # => "gpt-4.1"
adapter.provider_name       # => "GitHub Copilot"
adapter.max_context_tokens  # => 1047576
adapter.count_tokens(msgs)  # => -1 (not supported by Copilot)
```

## Canonical Types

All communication uses these structs (under `Dispatch::Adapter`):

| Struct | Purpose |
|---|---|
| `Message` | Chat message with `role` and `content` |
| `TextBlock` | Text content block |
| `ImageBlock` | Image content block (not yet supported) |
| `ToolUseBlock` | Tool call from the model |
| `ToolResultBlock` | Result you send back after executing a tool |
| `ToolDefinition` | Tool schema (name, description, JSON Schema parameters) |
| `Response` | Complete response with content, tool_calls, usage, stop_reason |
| `Usage` | Token counts (input, output, cache) |
| `StreamDelta` | Incremental streaming chunk |
| `ModelInfo` | Model metadata |

## Error Handling

All errors inherit from `Dispatch::Adapter::Error` (which inherits from `StandardError`):

```ruby
begin
  adapter.chat(messages)
rescue Dispatch::Adapter::AuthenticationError => e
  puts "Auth failed (#{e.status_code}): #{e.message}"
rescue Dispatch::Adapter::RateLimitError => e
  puts "Rate limited, retry after #{e.retry_after} seconds"
rescue Dispatch::Adapter::RequestError => e
  puts "Bad request (#{e.status_code}): #{e.message}"
rescue Dispatch::Adapter::ServerError => e
  puts "Server error (#{e.status_code}): #{e.message}"
rescue Dispatch::Adapter::ConnectionError => e
  puts "Network error: #{e.message}"
end
```

## Adapter Interface

All adapters subclass `Dispatch::Adapter::Base` and implement:

| Method | Returns | Required? |
|---|---|---|
| `chat(messages, system:, tools:, stream:, max_tokens:, thinking:, &block)` | `Response` | Yes |
| `model_name` | `String` | Yes |
| `count_tokens(messages, system:, tools:)` | `Integer` | No (default: -1) |
| `list_models` | `Array<ModelInfo>` | No |
| `provider_name` | `String` | No (default: class name) |
| `max_context_tokens` | `Integer` or `nil` | No (default: nil) |

## Supported Models

Any model available through the GitHub Copilot API, including:

- `gpt-4.1`, `gpt-4.1-mini`, `gpt-4.1-nano`
- `gpt-4o`, `gpt-4o-mini`
- `o1`, `o1-mini`, `o3`, `o3-mini`, `o4-mini`
- `claude-3.5-sonnet`, `claude-3.7-sonnet`
- `gemini-2.0-flash-001`

## Development

```bash
bundle install
bundle exec rspec        # Run tests (84 examples)
bundle exec rubocop      # Run linter
```

## License

The gem is available as open source under the terms of the [MIT License](https://opensource.org/licenses/MIT).