ruby_llm-docker 0.0.1 → 0.2.5

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
checksums.yaml CHANGED
@@ -1,7 +1,7 @@
1
1
  ---
2
2
  SHA256:
3
- metadata.gz: 05625b7756ab3721b9a1b6b5e91c798497ad16721628ad223145dcaa6f34891a
4
- data.tar.gz: 2aa5e8fa18b3869e4ef03fb890382d784269245051f12b5242e16cb0fdd60b2a
3
+ metadata.gz: fa62cc209279d8d55720d84a9f964ffac227e13f203f85b9819fabb8119d259c
4
+ data.tar.gz: 47c3524da952c650163286685515f8eab9dbe21f8e03865c6c20ae5c5f8860dc
5
5
  SHA512:
6
- metadata.gz: 9919e675ec46e7905e4f9d76edba6d4006481de094ae38265e1091c2a4178f727591e270bb5940ac3adb98c12cdd78bdd57f8974a5e24ba45c4966e4eacbc574
7
- data.tar.gz: 03edd42a7bc370cdef30b424a73178cc858b4865aa805cbfb19dc3d8512e8356507dc9d7fa19cdd3266a319dacfc0eba7dec83796a21799c4fd243eccd03acb7
6
+ metadata.gz: aefbb193a31a8234556a20c03ec3cab0d51b85a85fd166f239780a6093d9cf37a30c05cead7de949562df00ed0fff31c98ff799f3f29cbb1e85970a2d7469a74
7
+ data.tar.gz: 773dbc0e553ca52c969f60f0ec4ef5067dda65ab7c23a96fd4c49dc80649ec316adff48886b29fd589adbd93c3bada7afaa75192ad9cc0e0ebed055bd939451b
data/README.md CHANGED
@@ -1,38 +1,282 @@
1
- # RubyLlm::Docker
1
+ # RubyLLM Docker Tools
2
2
 
3
- TODO: Delete this and the text below, and describe your gem
3
+ A comprehensive Ruby gem that provides Docker management capabilities through [RubyLLM](https://github.com/afstanton/ruby_llm) tools. This library enables AI assistants and chatbots to interact with Docker containers, images, networks, and volumes programmatically using natural language.
4
4
 
5
- Welcome to your new gem! In this directory, you'll find the files you need to be able to package up your Ruby library into a gem. Put your Ruby code in the file `lib/ruby_llm/docker`. To experiment with that code, run `bin/console` for an interactive prompt.
5
+ **Note:** This gem is a port of the [DockerMCP](https://github.com/afstanton/docker_mcp) gem, adapted to work directly with RubyLLM tools instead of requiring an external MCP server.
6
6
 
7
- ## Installation
7
+ ## ⚠️ Security Warning
8
+
9
+ **This tool is inherently unsafe and should be used with extreme caution.**
10
+
11
+ - **Arbitrary Code Execution**: The `exec_container` tool allows execution of arbitrary commands inside Docker containers
12
+ - **File System Access**: The `copy_to_container` tool can copy files from the host system into containers
13
+ - **Container Management**: Full container lifecycle management including creation, modification, and deletion
14
+ - **Network & Volume Control**: Complete control over Docker networks and volumes
8
15
 
9
- TODO: Replace `UPDATE_WITH_YOUR_GEM_NAME_IMMEDIATELY_AFTER_RELEASE_TO_RUBYGEMS_ORG` with your gem name right after releasing it to RubyGems.org. Please do not do it earlier due to security reasons. Alternatively, replace this section with instructions to install your gem from git if you don't plan to release to RubyGems.org.
16
+ **Recommendations:**
17
+ - Only use in trusted environments
18
+ - Ensure proper Docker daemon security configuration
19
+ - Consider running with restricted Docker permissions
20
+ - Monitor and audit all container operations
21
+ - Be cautious when exposing these tools in production environments
22
+
23
+ ## Installation
10
24
 
11
25
  Install the gem and add to the application's Gemfile by executing:
12
26
 
13
27
  ```bash
14
- bundle add UPDATE_WITH_YOUR_GEM_NAME_IMMEDIATELY_AFTER_RELEASE_TO_RUBYGEMS_ORG
28
+ bundle add ruby_llm-docker
15
29
  ```
16
30
 
17
31
  If bundler is not being used to manage dependencies, install the gem by executing:
18
32
 
19
33
  ```bash
20
- gem install UPDATE_WITH_YOUR_GEM_NAME_IMMEDIATELY_AFTER_RELEASE_TO_RUBYGEMS_ORG
34
+ gem install ruby_llm-docker
21
35
  ```
22
36
 
37
+ ## Prerequisites
38
+
39
+ - Docker Engine installed and running
40
+ - Ruby 3.2+
41
+ - Docker permissions for the user running the application
42
+ - RubyLLM gem
43
+
23
44
  ## Usage
24
45
 
25
- TODO: Write usage instructions here
46
+ ### Basic Setup
47
+
48
+ ```ruby
49
+ require 'ruby_llm/docker'
50
+
51
+ # Create a new chat instance
52
+ chat = RubyLLM::Chat.new(
53
+ api_key: 'your-openai-api-key',
54
+ model: 'gpt-4'
55
+ )
56
+
57
+ # Add all Docker tools to the chat
58
+ RubyLLM::Docker.add_all_tools_to_chat(chat)
59
+
60
+ # Or add individual tools
61
+ chat.tools << RubyLLM::Docker::ListContainers.new
62
+ chat.tools << RubyLLM::Docker::RunContainer.new
63
+ # ... etc
64
+ ```
65
+
66
+ ### Interactive Command Line Tool
67
+
68
+ This gem includes a ready-to-use interactive command line tool:
69
+
70
+ ```bash
71
+ # Set your OpenAI API key
72
+ export OPENAI_API_KEY='your-key-here'
73
+
74
+ # Run the interactive Docker chat
75
+ ruby -r 'ruby_llm/docker' -e "
76
+ require_relative 'examples/docker_chat.rb'
77
+ DockerChat.new.start
78
+ "
79
+ ```
80
+
81
+ Or use the included example script:
82
+
83
+ ```bash
84
+ ruby examples/docker_chat.rb
85
+ ```
86
+
87
+ ### Example Usage
88
+
89
+ Once configured, you can interact with Docker using natural language:
90
+
91
+ ```ruby
92
+ # List all containers
93
+ response = chat.ask("How many containers are currently running?")
94
+
95
+ # Create and run a new container
96
+ response = chat.ask("Create a new nginx container named 'my-web-server' and expose port 8080")
97
+
98
+ # Execute commands in a container
99
+ response = chat.ask("Check the nginx version in the my-web-server container")
100
+
101
+ # Copy files to a container
102
+ response = chat.ask("Copy my local config.txt file to /etc/nginx/ in the web server container")
103
+
104
+ # View container logs
105
+ response = chat.ask("Show me the logs for the my-web-server container")
106
+ ```
107
+
108
+ ## 🔨 Available Tools
109
+
110
+ This gem provides 22 comprehensive Docker management tools organized by functionality:
111
+
112
+ ### Container Management
113
+
114
+ - **`ListContainers`** - List all Docker containers (running and stopped) with detailed information
115
+ - **`CreateContainer`** - Create a new container from an image without starting it
116
+ - **`RunContainer`** - Create and immediately start a container from an image
117
+ - **`StartContainer`** - Start an existing stopped container
118
+ - **`StopContainer`** - Stop a running container gracefully
119
+ - **`RemoveContainer`** - Delete a container (must be stopped first unless forced)
120
+ - **`RecreateContainer`** - Stop, remove, and recreate a container with the same configuration
121
+ - **`ExecContainer`** ⚠️ - Execute arbitrary commands inside a running container
122
+ - **`FetchContainerLogs`** - Retrieve stdout/stderr logs from a container
123
+ - **`CopyToContainer`** ⚠️ - Copy files or directories from host to container
124
+
125
+ ### Image Management
126
+
127
+ - **`ListImages`** - List all Docker images available locally
128
+ - **`PullImage`** - Download an image from a Docker registry
129
+ - **`PushImage`** - Upload an image to a Docker registry
130
+ - **`BuildImage`** - Build a new image from a Dockerfile
131
+ - **`TagImage`** - Create a new tag for an existing image
132
+ - **`RemoveImage`** - Delete an image from local storage
133
+
134
+ ### Network Management
135
+
136
+ - **`ListNetworks`** - List all Docker networks
137
+ - **`CreateNetwork`** - Create a new Docker network
138
+ - **`RemoveNetwork`** - Delete a Docker network
139
+
140
+ ### Volume Management
141
+
142
+ - **`ListVolumes`** - List all Docker volumes
143
+ - **`CreateVolume`** - Create a new Docker volume for persistent data
144
+ - **`RemoveVolume`** - Delete a Docker volume
145
+
146
+ ### Tool Parameters
147
+
148
+ Most tools accept standard Docker parameters:
149
+ - **Container ID/Name**: Can use either the full container ID, short ID, or container name
150
+ - **Image**: Specify images using `name:tag` format (e.g., `nginx:latest`, `ubuntu:22.04`)
151
+ - **Ports**: Use Docker port mapping syntax (e.g., `"8080:80"`)
152
+ - **Volumes**: Use Docker volume mount syntax (e.g., `"/host/path:/container/path"`)
153
+ - **Environment**: Set environment variables as comma-separated `KEY=VALUE` pairs (e.g., `"NODE_ENV=production,PORT=3000"`)
154
+
155
+ ## Common Use Cases
156
+
157
+ ### Development Environment Setup
158
+ ```ruby
159
+ # Ask the AI to set up a development environment
160
+ response = chat.ask("Pull the node:18-alpine image and create a development container
161
+ named 'dev-env' with port 3000 exposed and my current directory mounted as /app")
162
+
163
+ # Install dependencies and start the application
164
+ response = chat.ask("Run 'npm install' in the dev-env container")
165
+ response = chat.ask("Start the application with 'npm start' in the dev-env container")
166
+ ```
167
+
168
+ ### Container Debugging
169
+ ```ruby
170
+ # Check container status and debug issues
171
+ response = chat.ask("Show me all containers and their current status")
172
+ response = chat.ask("Get the logs for the problematic-container")
173
+ response = chat.ask("Check the running processes in the problematic-container")
174
+ response = chat.ask("Show disk usage in the problematic-container")
175
+ ```
176
+
177
+ ### File Management
178
+ ```ruby
179
+ # Copy files to containers using natural language
180
+ response = chat.ask("Copy my local nginx.conf file to /etc/nginx/ in the web-server container")
181
+ response = chat.ask("Copy the entire src directory to /app/ in the app-container")
182
+ ```
183
+
184
+ ## Error Handling
185
+
186
+ The tools provide detailed error messages for common issues:
187
+
188
+ - **Container Not Found**: When referencing non-existent containers
189
+ - **Image Not Available**: When trying to use images that aren't pulled locally
190
+ - **Permission Denied**: When Docker daemon access is restricted
191
+ - **Network Conflicts**: When creating networks with conflicting configurations
192
+ - **Volume Mount Issues**: When specified paths don't exist or lack permissions
193
+
194
+ All errors include descriptive messages to help diagnose and resolve issues.
195
+
196
+ ## Troubleshooting
197
+
198
+ ### Docker Daemon Connection Issues
199
+ ```bash
200
+ # Check if Docker daemon is running
201
+ docker info
202
+
203
+ # Verify Docker permissions
204
+ docker ps
205
+ ```
206
+
207
+ ### Container Operation Failures
208
+ - Ensure container IDs/names are correct (ask the AI to list containers)
209
+ - Check if containers are in the expected state (running/stopped)
210
+ - Verify image availability (ask the AI to list available images)
211
+
212
+ ### Permission Issues
213
+ - Ensure the user running the application has Docker permissions
214
+ - Consider adding user to the `docker` group: `sudo usermod -aG docker $USER`
215
+ - Verify Docker socket permissions: `ls -la /var/run/docker.sock`
216
+
217
+ ## Limitations
218
+
219
+ - **Platform Specific**: Some container operations may behave differently across operating systems
220
+ - **Docker API Version**: Requires compatible Docker Engine API version
221
+ - **Resource Limits**: Large file copies and image operations may timeout
222
+ - **Concurrent Operations**: Heavy concurrent usage may impact performance
223
+
224
+ ## Contributing
225
+
226
+ We welcome contributions! Areas for improvement:
227
+
228
+ - **Enhanced Security**: Additional safety checks and permission validation
229
+ - **Better Error Handling**: More specific error messages and recovery suggestions
230
+ - **Performance Optimization**: Streaming for large file operations
231
+ - **Extended Functionality**: Support for Docker Compose, Swarm, etc.
232
+ - **Testing**: Comprehensive test coverage for all tools
26
233
 
27
234
  ## Development
28
235
 
29
236
  After checking out the repo, run `bin/setup` to install dependencies. Then, run `rake spec` to run the tests. You can also run `bin/console` for an interactive prompt that will allow you to experiment.
30
237
 
31
- To install this gem onto your local machine, run `bundle exec rake install`. To release a new version, update the version number in `version.rb`, and then run `bundle exec rake release`, which will create a git tag for the version, push git commits and the created tag, and push the `.gem` file to [rubygems.org](https://rubygems.org).
238
+ ### Running Tests
239
+ ```bash
240
+ # Install dependencies
241
+ bundle install
32
242
 
33
- ## Contributing
243
+ # Run the test suite
244
+ bundle exec rake spec
245
+
246
+ # Run tests with coverage
247
+ bundle exec rake spec COVERAGE=true
248
+ ```
249
+
250
+ ### Local Development Setup
251
+ ```bash
252
+ # Clone the repository
253
+ git clone https://github.com/afstanton/ruby_llm-docker.git
254
+ cd ruby_llm-docker
34
255
 
35
- Bug reports and pull requests are welcome on GitHub at https://github.com/[USERNAME]/ruby_llm-docker.
256
+ # Install dependencies
257
+ bin/setup
258
+
259
+ # Start development console
260
+ bin/console
261
+
262
+ # Build the gem locally
263
+ bundle exec rake build
264
+
265
+ # Install locally built gem
266
+ bundle exec rake install
267
+ ```
268
+
269
+ ### Testing with RubyLLM
270
+ ```bash
271
+ # Test the interactive chat tool
272
+ export OPENAI_API_KEY='your-key-here'
273
+ ruby examples/docker_chat.rb
274
+
275
+ # Test tool loading without API calls
276
+ ruby examples/test_chat.rb
277
+ ```
278
+
279
+ To install this gem onto your local machine, run `bundle exec rake install`. To release a new version, update the version number in `version.rb`, and then run `bundle exec rake release`, which will create a git tag for the version, push git commits and the created tag, and push the `.gem` file to [rubygems.org](https://rubygems.org).
36
280
 
37
281
  ## License
38
282
 
data/Rakefile CHANGED
@@ -1,11 +1,11 @@
1
1
  # frozen_string_literal: true
2
2
 
3
- require "bundler/gem_tasks"
4
- require "rspec/core/rake_task"
3
+ require 'bundler/gem_tasks'
4
+ require 'rspec/core/rake_task'
5
5
 
6
6
  RSpec::Core::RakeTask.new(:spec)
7
7
 
8
- require "rubocop/rake_task"
8
+ require 'rubocop/rake_task'
9
9
 
10
10
  RuboCop::RakeTask.new
11
11
 
@@ -0,0 +1,228 @@
1
+ #!/usr/bin/env ruby
2
+ # frozen_string_literal: true
3
+
4
+ # Docker Chat - Interactive command line tool for RubyLLM
5
+ # A comprehensive chat interface with all Docker management tools available
6
+ # through natural language interaction powered by OpenAI and RubyLLM
7
+ #
8
+ # Prerequisites:
9
+ # - Set OPENAI_API_KEY environment variable
10
+ # - Docker daemon running and accessible
11
+ #
12
+ # Usage:
13
+ # export OPENAI_API_KEY='your-key-here'
14
+ # ruby examples/docker_chat.rb
15
+ #
16
+ # Commands:
17
+ # /exit - Exit the chat
18
+ # /help - Show available Docker tools
19
+ # /tools - List all loaded tools
20
+ # /clear - Clear the screen
21
+ # anything else - Send to OpenAI with Docker tools available
22
+
23
+ require_relative '../lib/ruby_llm/docker'
24
+ require 'io/console'
25
+
26
+ # rubocop:disable Metrics/ClassLength
27
+ class DockerChat
28
+ def initialize
29
+ check_environment
30
+ configure_ruby_llm
31
+ setup_chat
32
+ @running = true
33
+ end
34
+
35
+ def start
36
+ show_welcome
37
+ main_loop
38
+ show_goodbye
39
+ end
40
+
41
+ private
42
+
43
+ def check_environment
44
+ return if ENV['OPENAI_API_KEY']
45
+
46
+ puts '❌ Error: Please set OPENAI_API_KEY environment variable'
47
+ puts "Example: export OPENAI_API_KEY='your-api-key-here'"
48
+ exit 1
49
+ end
50
+
51
+ def configure_ruby_llm
52
+ RubyLLM.configure do |config|
53
+ config.openai_api_key = ENV.fetch('OPENAI_API_KEY', nil)
54
+ end
55
+ end
56
+
57
+ def setup_chat
58
+ @chat = RubyLLM.chat(model: 'gpt-4')
59
+
60
+ # Add all Docker tools to the chat
61
+ RubyLLM::Docker.add_all_tools_to_chat(@chat)
62
+
63
+ puts '🔧 Loading Docker tools...'
64
+ puts "✅ Loaded #{RubyLLM::Docker.all_tools.size} Docker tools"
65
+ end
66
+
67
+ def show_welcome
68
+ puts "\n#{'=' * 60}"
69
+ puts '🐳 Welcome to Docker Chat!'
70
+ puts ' Interactive CLI with all Docker tools available'
71
+ puts '=' * 60
72
+ puts
73
+ puts '💡 You can ask questions about Docker containers, images, networks, and volumes.'
74
+ puts ' OpenAI has access to all Docker management tools on this system.'
75
+ puts
76
+ puts 'Commands:'
77
+ puts ' /exit - Exit the chat'
78
+ puts ' /help - Show available Docker tools'
79
+ puts ' /tools - List all loaded tools'
80
+ puts ' /clear - Clear the screen'
81
+ puts
82
+ puts '🚀 Ready! Type your questions or commands...'
83
+ puts
84
+ end
85
+
86
+ def main_loop
87
+ while @running
88
+ print "\n🐳 > "
89
+
90
+ begin
91
+ input = gets&.chomp
92
+
93
+ # Handle Ctrl+C or EOF
94
+ if input.nil?
95
+ @running = false
96
+ break
97
+ end
98
+
99
+ process_input(input.strip)
100
+ rescue Interrupt
101
+ puts "\n\n👋 Received interrupt signal. Use /exit to quit cleanly."
102
+ rescue StandardError => e
103
+ puts "❌ Error: #{e.message}"
104
+ puts ' Please try again or type /exit to quit.'
105
+ end
106
+ end
107
+ end
108
+
109
+ def process_input(input)
110
+ return if input.empty?
111
+
112
+ case input.downcase
113
+ when '/exit', '/quit', '/q'
114
+ @running = false
115
+ when '/help', '/h'
116
+ show_help
117
+ when '/tools', '/t'
118
+ show_tools
119
+ when '/clear', '/c'
120
+ clear_screen
121
+ when input.start_with?('/')
122
+ puts "❓ Unknown command: #{input}"
123
+ puts ' Type /help for available commands'
124
+ else
125
+ handle_chat_message(input)
126
+ end
127
+ end
128
+
129
+ def handle_chat_message(message)
130
+ puts "\n🤔 Thinking..."
131
+
132
+ begin
133
+ response = @chat.ask(message)
134
+
135
+ puts "\n🤖 OpenAI Response:"
136
+ puts '─' * 50
137
+ puts response.content
138
+ puts '─' * 50
139
+ rescue StandardError => e
140
+ puts "\n❌ Error communicating with OpenAI:"
141
+ puts " #{e.class}: #{e.message}"
142
+ puts ' Please check your API key and network connection.'
143
+ end
144
+ end
145
+
146
+ def show_help
147
+ puts "\n📚 Available Docker Tools:"
148
+ puts '─' * 50
149
+
150
+ tools_by_category = {
151
+ 'Container Management' => [
152
+ 'ListContainers - List all Docker containers',
153
+ 'CreateContainer - Create new containers',
154
+ 'RunContainer - Create and start containers',
155
+ 'StartContainer - Start stopped containers',
156
+ 'StopContainer - Stop running containers',
157
+ 'RemoveContainer - Delete containers',
158
+ 'RecreateContainer - Recreate containers with same config',
159
+ 'ExecContainer - Execute commands inside containers',
160
+ 'CopyToContainer - Copy files to containers',
161
+ 'FetchContainerLogs - Get container logs'
162
+ ],
163
+ 'Image Management' => [
164
+ 'ListImages - List available Docker images',
165
+ 'PullImage - Download images from registries',
166
+ 'BuildImage - Build images from Dockerfile',
167
+ 'TagImage - Tag images with new names',
168
+ 'PushImage - Upload images to registries',
169
+ 'RemoveImage - Delete images'
170
+ ],
171
+ 'Network Management' => [
172
+ 'ListNetworks - List Docker networks',
173
+ 'CreateNetwork - Create custom networks',
174
+ 'RemoveNetwork - Delete networks'
175
+ ],
176
+ 'Volume Management' => [
177
+ 'ListVolumes - List Docker volumes',
178
+ 'CreateVolume - Create persistent volumes',
179
+ 'RemoveVolume - Delete volumes'
180
+ ]
181
+ }
182
+
183
+ tools_by_category.each do |category, tools|
184
+ puts "\n#{category}:"
185
+ tools.each { |tool| puts " • #{tool}" }
186
+ end
187
+
188
+ puts "\n💡 Example questions you can ask:"
189
+ puts " • 'How many containers are running?'"
190
+ puts " • 'Show me all Docker images'"
191
+ puts " • 'Create a new nginx container named web-server'"
192
+ puts " • 'What networks are available?'"
193
+ puts " • 'Pull the latest Ubuntu image'"
194
+ end
195
+
196
+ def show_tools
197
+ puts "\n🔧 Loaded Tools (#{RubyLLM::Docker.all_tools.size}):"
198
+ puts '─' * 30
199
+
200
+ RubyLLM::Docker.all_tools.each_with_index do |tool_class, index|
201
+ tool_name = tool_class.name.split('::').last
202
+ puts "#{(index + 1).to_s.rjust(2)}. #{tool_name}"
203
+ end
204
+ end
205
+
206
+ def clear_screen
207
+ system('clear') || system('cls')
208
+ puts '🐳 Docker Chat - Screen cleared'
209
+ end
210
+
211
+ def show_goodbye
212
+ puts "\n👋 Thanks for using Docker Chat!"
213
+ puts ' Hope you found it helpful for managing your Docker environment.'
214
+ puts
215
+ end
216
+ end
217
+ # rubocop:enable Metrics/ClassLength
218
+
219
+ # Start the chat if this file is run directly
220
+ if __FILE__ == $PROGRAM_NAME
221
+ begin
222
+ DockerChat.new.start
223
+ rescue StandardError => e
224
+ puts "\n💥 Fatal error: #{e.class} - #{e.message}"
225
+ puts ' Please check your setup and try again.'
226
+ exit 1
227
+ end
228
+ end
@@ -0,0 +1,36 @@
1
+ #!/usr/bin/env ruby
2
+ # frozen_string_literal: true
3
+
4
+ # Example: Using RubyLLM with Docker ListContainers tool
5
+ # This script creates a chat with OpenAI and asks about Docker containers
6
+
7
+ require_relative '../lib/ruby_llm/docker'
8
+
9
+ # Check if OpenAI API key is configured
10
+ unless ENV['OPENAI_API_KEY']
11
+ puts 'Error: Please set OPENAI_API_KEY environment variable'
12
+ puts "Example: export OPENAI_API_KEY='your-api-key-here'"
13
+ exit 1
14
+ end
15
+
16
+ RubyLLM.configure do |config|
17
+ config.openai_api_key = ENV.fetch('OPENAI_API_KEY', nil)
18
+ end
19
+
20
+ begin
21
+ # Create a new RubyLLM chat instance
22
+ chat = RubyLLM.chat(model: 'gpt-4')
23
+
24
+ # Add the ListContainers tool
25
+ chat.with_tool(RubyLLM::Docker::ListContainers)
26
+
27
+ # Ask OpenAI how many containers there are
28
+ puts 'Asking OpenAI about Docker containers...'
29
+ response = chat.ask('How many Docker containers are currently on this system?')
30
+
31
+ puts "\nOpenAI Response:"
32
+ puts response.content
33
+ rescue StandardError => e
34
+ puts "Error: #{e.class} - #{e.message}"
35
+ puts 'This helps us see what needs to be fixed in the ListContainers tool'
36
+ end
@@ -0,0 +1,81 @@
1
+ #!/usr/bin/env ruby
2
+ # frozen_string_literal: true
3
+
4
+ # Test script for RubyLLM Docker Tools
5
+ # This verifies that all Docker tools load correctly and the chat system works
6
+ # without requiring an OpenAI API key or active Docker daemon
7
+
8
+ require_relative '../lib/ruby_llm/docker'
9
+
10
+ puts '🧪 Testing Docker Chat functionality...'
11
+
12
+ # Test 1: Check that all tools are available
13
+ puts "\n1. Testing tool loading:"
14
+ tools = RubyLLM::Docker.all_tools
15
+ puts "✅ Found #{tools.size} Docker tools"
16
+ expected_tools = 22
17
+ if tools.size == expected_tools
18
+ puts "✅ Expected number of tools loaded (#{expected_tools})"
19
+ else
20
+ puts "❌ Expected #{expected_tools} tools, but found #{tools.size}"
21
+ exit 1
22
+ end
23
+
24
+ # Test 2: Check that all tools are valid RubyLLM::Tool classes
25
+ puts "\n2. Testing tool validity:"
26
+ invalid_tools = tools.reject { |tool| tool < RubyLLM::Tool }
27
+ if invalid_tools.empty?
28
+ puts '✅ All tools inherit from RubyLLM::Tool'
29
+ else
30
+ puts "❌ Invalid tools found: #{invalid_tools.map(&:name)}"
31
+ exit 1
32
+ end
33
+
34
+ # Test 3: Test helper method (without actually creating a chat)
35
+ puts "\n3. Testing helper methods:"
36
+ begin
37
+ # Create a mock chat object to test the method exists
38
+ mock_chat = Object.new
39
+ def mock_chat.with_tool(_tool_class)
40
+ self
41
+ end
42
+
43
+ result = RubyLLM::Docker.add_all_tools_to_chat(mock_chat)
44
+ if result == mock_chat
45
+ puts '✅ add_all_tools_to_chat method works correctly'
46
+ else
47
+ puts '❌ add_all_tools_to_chat method failed'
48
+ exit 1
49
+ end
50
+ rescue StandardError => e
51
+ puts "❌ Helper method test failed: #{e.message}"
52
+ exit 1
53
+ end
54
+
55
+ # Test 4: Check that docker_chat.rb file exists and is executable
56
+ puts "\n4. Testing chat script availability:"
57
+ chat_script = File.join(__dir__, 'docker_chat.rb')
58
+ if File.exist?(chat_script)
59
+ puts '✅ docker_chat.rb exists'
60
+
61
+ if File.executable?(chat_script)
62
+ puts '✅ docker_chat.rb is executable'
63
+ else
64
+ puts '⚠️ docker_chat.rb is not executable (run: chmod +x examples/docker_chat.rb)'
65
+ end
66
+ else
67
+ puts '❌ docker_chat.rb not found'
68
+ exit 1
69
+ end
70
+
71
+ puts "\n🎉 All tests passed!"
72
+ puts "\n📝 Next steps:"
73
+ puts " 1. Set your OpenAI API key: export OPENAI_API_KEY='your-key-here'"
74
+ puts ' 2. Run the chat: ruby examples/docker_chat.rb'
75
+ puts ' 3. Or run with: ./examples/docker_chat.rb'
76
+ puts "\n💡 Example chat commands to try:"
77
+ puts " • 'How many containers are running?'"
78
+ puts " • 'Show me all Docker images'"
79
+ puts " • 'List Docker networks'"
80
+ puts " • '/help' - to see all available tools"
81
+ puts " • '/exit' - to quit the chat"