actionmcp 0.2.0 → 0.2.4

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.
Files changed (53) hide show
  1. checksums.yaml +4 -4
  2. data/README.md +133 -30
  3. data/Rakefile +0 -2
  4. data/app/controllers/action_mcp/application_controller.rb +13 -0
  5. data/app/controllers/action_mcp/messages_controller.rb +51 -0
  6. data/app/controllers/action_mcp/sse_controller.rb +151 -0
  7. data/config/routes.rb +4 -0
  8. data/exe/actionmcp_cli +221 -0
  9. data/lib/action_mcp/capability.rb +52 -0
  10. data/lib/action_mcp/client.rb +243 -1
  11. data/lib/action_mcp/configuration.rb +50 -1
  12. data/lib/action_mcp/content/audio.rb +9 -0
  13. data/lib/action_mcp/content/image.rb +9 -0
  14. data/lib/action_mcp/content/resource.rb +13 -0
  15. data/lib/action_mcp/content/text.rb +7 -0
  16. data/lib/action_mcp/content.rb +11 -6
  17. data/lib/action_mcp/engine.rb +34 -0
  18. data/lib/action_mcp/gem_version.rb +2 -2
  19. data/lib/action_mcp/integer_array.rb +6 -0
  20. data/lib/action_mcp/json_rpc/json_rpc_error.rb +21 -0
  21. data/lib/action_mcp/json_rpc/notification.rb +8 -0
  22. data/lib/action_mcp/json_rpc/request.rb +14 -0
  23. data/lib/action_mcp/json_rpc/response.rb +32 -1
  24. data/lib/action_mcp/json_rpc.rb +1 -6
  25. data/lib/action_mcp/json_rpc_handler.rb +106 -0
  26. data/lib/action_mcp/logging.rb +19 -0
  27. data/lib/action_mcp/prompt.rb +30 -46
  28. data/lib/action_mcp/prompts_registry.rb +13 -1
  29. data/lib/action_mcp/registry_base.rb +47 -28
  30. data/lib/action_mcp/renderable.rb +26 -0
  31. data/lib/action_mcp/resource.rb +3 -1
  32. data/lib/action_mcp/server.rb +4 -1
  33. data/lib/action_mcp/string_array.rb +5 -0
  34. data/lib/action_mcp/tool.rb +16 -53
  35. data/lib/action_mcp/tools_registry.rb +14 -1
  36. data/lib/action_mcp/transport/capabilities.rb +21 -0
  37. data/lib/action_mcp/transport/messaging.rb +20 -0
  38. data/lib/action_mcp/transport/prompts.rb +19 -0
  39. data/lib/action_mcp/transport/sse_client.rb +309 -0
  40. data/lib/action_mcp/transport/stdio_client.rb +117 -0
  41. data/lib/action_mcp/transport/tools.rb +20 -0
  42. data/lib/action_mcp/transport/transport_base.rb +125 -0
  43. data/lib/action_mcp/transport.rb +1 -235
  44. data/lib/action_mcp/transport_handler.rb +54 -0
  45. data/lib/action_mcp/version.rb +4 -5
  46. data/lib/action_mcp.rb +36 -33
  47. data/lib/generators/action_mcp/prompt/templates/prompt.rb.erb +3 -1
  48. data/lib/generators/action_mcp/tool/templates/tool.rb.erb +5 -1
  49. data/lib/tasks/action_mcp_tasks.rake +28 -5
  50. metadata +66 -9
  51. data/exe/action_mcp_stdio +0 -0
  52. data/lib/action_mcp/railtie.rb +0 -27
  53. data/lib/action_mcp/resources_bank.rb +0 -94
@@ -0,0 +1,309 @@
1
+ require "faraday"
2
+ require "uri"
3
+
4
+ module ActionMCP
5
+ module Transport
6
+ class SSEClient < TransportBase
7
+ TIMEOUT = 10 # Increased from 1 second
8
+ ENDPOINT_TIMEOUT = 5 # Seconds
9
+
10
+ # Define a custom error class for connection issues
11
+ class ConnectionError < StandardError; end
12
+
13
+ def initialize(url, **options)
14
+ super(**options)
15
+ setup_connection(url)
16
+ @buffer = ""
17
+ @stop_requested = false
18
+ @endpoint_received = false
19
+ @endpoint_mutex = Mutex.new
20
+ @endpoint_condition = ConditionVariable.new
21
+
22
+ # Add connection state management
23
+ @connection_mutex = Mutex.new
24
+ @connection_condition = ConditionVariable.new
25
+ @connection_error = nil
26
+ @connected = false
27
+ end
28
+
29
+ def start(initialize_request_id)
30
+ log_info("Connecting to #{@base_url}#{@sse_path}...")
31
+ @stop_requested = false
32
+ @initialize_request_id = initialize_request_id
33
+
34
+ # Reset connection state before starting
35
+ @connection_mutex.synchronize do
36
+ @connected = false
37
+ @connection_error = nil
38
+ end
39
+
40
+ # Start connection thread
41
+ @sse_thread = Thread.new { listen_sse }
42
+
43
+ # Wait for endpoint instead of connection completion
44
+ wait_for_endpoint
45
+ end
46
+
47
+ def wait_for_endpoint
48
+ success = false
49
+ error = nil
50
+
51
+ @endpoint_mutex.synchronize do
52
+ unless @endpoint_received
53
+ # Wait with timeout for endpoint
54
+ timeout = @endpoint_condition.wait(@endpoint_mutex, ENDPOINT_TIMEOUT)
55
+
56
+ # Handle timeout
57
+ unless timeout || @endpoint_received
58
+ error = "Timeout waiting for MCP endpoint (#{ENDPOINT_TIMEOUT} seconds)"
59
+ end
60
+ end
61
+
62
+ success = @endpoint_received
63
+ end
64
+
65
+ if error
66
+ log_error(error)
67
+ raise ConnectionError.new(error)
68
+ end
69
+
70
+ # If we have the endpoint, consider the connection successful
71
+ if success
72
+ @connection_mutex.synchronize do
73
+ @connected = true
74
+ @connection_condition.broadcast
75
+ end
76
+ end
77
+
78
+ success
79
+ end
80
+
81
+ def send_message(json_rpc)
82
+ # Wait for endpoint if not yet received
83
+ unless endpoint_ready?
84
+ log_info("Waiting for endpoint before sending message...")
85
+ wait_for_endpoint
86
+ end
87
+
88
+ validate_post_endpoint
89
+ log_debug("\e[34m" + "--> #{json_rpc}" + "\e[0m")
90
+ send_http_request(json_rpc)
91
+ end
92
+
93
+ def stop
94
+ log_info("Stopping SSE connection...")
95
+ @stop_requested = true
96
+ cleanup_sse_thread
97
+ end
98
+
99
+ def ready?
100
+ endpoint_ready?
101
+ end
102
+
103
+ private
104
+
105
+ def setup_connection(url)
106
+ uri = URI.parse(url)
107
+ @base_url = "#{uri.scheme}://#{uri.host}:#{uri.port}"
108
+ @sse_path = uri.path
109
+
110
+ @conn = Faraday.new(url: @base_url) do |f|
111
+ f.headers["User-Agent"] = user_agent
112
+
113
+ f.options.timeout = nil # No read timeout
114
+ f.options.open_timeout = 10 # Connection timeout
115
+
116
+ # Use Net::HTTP adapter explicitly as it works well with streaming
117
+ f.adapter :net_http do |http|
118
+ # Configure the adapter directly
119
+ http.read_timeout = nil # No read timeout at adapter level too
120
+ http.open_timeout = 10 # Connection timeout
121
+ end
122
+
123
+ # Add logger middleware
124
+ # f.response :logger, @logger, headers: true, bodies: true
125
+ end
126
+
127
+ @post_url = nil
128
+ end
129
+
130
+ def endpoint_ready?
131
+ @endpoint_mutex.synchronize { @endpoint_received }
132
+ end
133
+
134
+ private
135
+
136
+ # The listen_sse method should NOT mark connection as successful at the end
137
+ def listen_sse
138
+ log_info("Starting SSE listener...")
139
+
140
+ begin
141
+ @conn.get(@sse_path) do |req|
142
+ req.headers["Accept"] = "text/event-stream"
143
+ req.headers["Cache-Control"] = "no-cache"
144
+
145
+ req.options.on_data = Proc.new do |chunk, bytes|
146
+ handle_sse_data(chunk, bytes)
147
+ end
148
+ end
149
+
150
+ # This should never be reached during normal operation
151
+ # as the SSE connection stays open
152
+ rescue Faraday::ConnectionFailed => e
153
+ handle_connection_error(format_connection_error(e))
154
+ rescue => e
155
+ handle_connection_error("Unexpected error: #{e.message}")
156
+ end
157
+ end
158
+
159
+ def format_connection_error(error)
160
+ if error.message.include?("Connection refused")
161
+ "Connection refused - server at #{@base_url} is not running or not accepting connections"
162
+ else
163
+ "Connection failed: #{error.message}"
164
+ end
165
+ end
166
+
167
+ def handle_connection_error(message)
168
+ log_error("SSE connection failed: #{message}")
169
+
170
+ # Set error and notify waiting threads
171
+ @connection_mutex.synchronize do
172
+ @connection_error = message
173
+ @connection_condition.broadcast
174
+ end
175
+
176
+ @on_error&.call(StandardError.new(message))
177
+ end
178
+
179
+ # Send the initialized notification to the server
180
+ def send_initialized_notification
181
+ notification = JsonRpc::Notification.new(
182
+ method: "notifications/initialized"
183
+ )
184
+
185
+ logger.info("Sent initialized notification to server")
186
+ send_message(notification.to_json)
187
+ end
188
+
189
+ def handle_sse_data(chunk, _overall_bytes)
190
+ process_chunk(chunk)
191
+ throw :halt if @stop_requested
192
+ end
193
+
194
+ def process_chunk(chunk)
195
+ @buffer << chunk
196
+ # If the buffer does not contain a newline but appears to be a complete JSON object,
197
+ # flush it as a complete event.
198
+ if @buffer.strip.start_with?("{") && @buffer.strip.end_with?("}")
199
+ (@current_event ||= []) << @buffer.strip
200
+ @buffer = ""
201
+ return handle_complete_event
202
+ end
203
+ process_buffer while @buffer.include?("\n")
204
+ end
205
+
206
+
207
+ def process_buffer
208
+ line, _sep, rest = @buffer.partition("\n")
209
+ @buffer = rest
210
+
211
+ if line.strip.empty?
212
+ handle_complete_event
213
+ else
214
+ (@current_event ||= []) << line.strip
215
+ end
216
+ end
217
+
218
+ def handle_complete_event
219
+ return unless @current_event
220
+
221
+ handle_event(@current_event)
222
+ @current_event = nil
223
+ end
224
+
225
+ def handle_event(lines)
226
+ event_data = parse_event(lines)
227
+ process_event(event_data)
228
+ end
229
+
230
+ def parse_event(lines)
231
+ event_data = { type: "message", data: "" }
232
+ has_data_prefix = false
233
+
234
+ lines.each do |line|
235
+ if line.start_with?("event:")
236
+ event_data[:type] = line.split(":", 2)[1].strip
237
+ elsif line.start_with?("data:")
238
+ has_data_prefix = true
239
+ event_data[:data] << line.split(":", 2)[1].strip
240
+ end
241
+ end
242
+
243
+ # If no "data:" prefix was found, treat the entire event as data
244
+ unless has_data_prefix
245
+ event_data[:data] = lines.join("\n")
246
+ end
247
+ event_data
248
+ end
249
+
250
+ def process_event(event_data)
251
+ case event_data[:type]
252
+ when "endpoint" then set_post_endpoint(event_data[:data])
253
+ when "message" then handle_raw_message(event_data[:data])
254
+ when "ping" then log_debug("Received ping")
255
+ else log_error("Unknown event type: #{event_data[:type]}")
256
+ end
257
+ end
258
+
259
+ # Modify set_post_endpoint to mark connection as ready
260
+ def set_post_endpoint(endpoint_path)
261
+ @post_url = build_post_url(endpoint_path)
262
+ log_info("Received POST endpoint: #{@post_url}")
263
+
264
+ # Signal that we have received the endpoint
265
+ @endpoint_mutex.synchronize do
266
+ @endpoint_received = true
267
+ @endpoint_condition.broadcast
268
+ end
269
+
270
+ # Now that we have the endpoint, send initial capabilities
271
+ send_initial_capabilities
272
+ end
273
+
274
+ def build_post_url(endpoint_path)
275
+ URI.join(@base_url, endpoint_path).to_s
276
+ rescue StandardError
277
+ "#{@base_url}#{endpoint_path}"
278
+ end
279
+
280
+ def validate_post_endpoint
281
+ raise "MCP endpoint not set (no 'endpoint' event received)" unless @post_url
282
+ end
283
+
284
+ def send_http_request(json_rpc)
285
+ response = @conn.post(@post_url,
286
+ json_rpc,
287
+ { "Content-Type" => "application/json" }
288
+ )
289
+ handle_http_response(response)
290
+ end
291
+
292
+ def handle_http_response(response)
293
+ unless response.success?
294
+ log_error("HTTP POST failed: #{response.status} - #{response.body}")
295
+ end
296
+ end
297
+
298
+ def cleanup_sse_thread
299
+ return unless @sse_thread
300
+
301
+ @sse_thread.join(TIMEOUT) || @sse_thread.kill
302
+ end
303
+
304
+ def user_agent
305
+ "ActionMCP-sse-client"
306
+ end
307
+ end
308
+ end
309
+ end
@@ -0,0 +1,117 @@
1
+ # frozen_string_literal: true
2
+
3
+ require "open3"
4
+ module ActionMCP
5
+ module Transport
6
+ class StdioClient < TransportBase
7
+ attr_reader :received_server_message
8
+
9
+ def initialize(command, **options)
10
+ super(**options)
11
+ @stdin, @stdout, @stderr, @wait_thr = Open3.popen3(command)
12
+ @threads_started = false
13
+ @received_server_message = false
14
+ @capabilities_sent = false
15
+ end
16
+
17
+ def start
18
+ start_output_threads
19
+
20
+ # Just log that connection is established but don't send capabilities yet
21
+ if @threads_started && @wait_thr.alive?
22
+ log_info("STDIO connection established")
23
+ else
24
+ log_error("Failed to start STDIO threads or process is not alive")
25
+ end
26
+ end
27
+
28
+ def send_message(json)
29
+ log_debug("\e[34m--> #{json}\e[0m")
30
+ @stdin.puts("#{json}\n\n")
31
+ end
32
+
33
+ def stop
34
+ cleanup_resources
35
+ end
36
+
37
+ def ready?
38
+ true
39
+ end
40
+
41
+ # Check if we've received any message from the server
42
+ def received_server_message?
43
+ @received_server_message
44
+ end
45
+
46
+ # Mark the client as ready and send initial capabilities if not already sent
47
+ def mark_ready_and_send_capabilities
48
+ unless @received_server_message
49
+ @received_server_message = true
50
+ log_info("Received first server message")
51
+
52
+ # Send initial capabilities if not already sent
53
+ unless @capabilities_sent
54
+ log_info("Server is ready, sending initial capabilities...")
55
+ send_initial_capabilities
56
+ @capabilities_sent = true
57
+ end
58
+ end
59
+ end
60
+
61
+ private
62
+
63
+ def start_output_threads
64
+ @stdout_thread = Thread.new do
65
+ @stdout.each_line do |line|
66
+ line = line.chomp
67
+ # Mark ready and send capabilities when we get any stdout
68
+ mark_ready_and_send_capabilities
69
+
70
+ # Continue with normal message handling
71
+ handle_raw_message(line)
72
+ end
73
+ end
74
+
75
+ @stderr_thread = Thread.new do
76
+ @stderr.each_line do |line|
77
+ line = line.chomp
78
+ log_info(line)
79
+
80
+ # Check stderr for server messages
81
+ if line.include?("MCP Server") || line.include?("running on stdio")
82
+ mark_ready_and_send_capabilities
83
+ end
84
+ end
85
+ end
86
+
87
+ @threads_started = true
88
+ end
89
+
90
+ def cleanup_resources
91
+ @stdin.close
92
+ wait_for_server_exit
93
+ cleanup_threads
94
+ end
95
+
96
+ def wait_for_server_exit
97
+ @wait_thr.join(0.5)
98
+ kill_server if @wait_thr.alive?
99
+ end
100
+
101
+ def kill_server
102
+ Process.kill("TERM", @wait_thr.pid)
103
+ rescue StandardError => e
104
+ log_error("Failed to kill server process: #{e}")
105
+ end
106
+
107
+ def cleanup_threads
108
+ @stdout_thread&.kill
109
+ @stderr_thread&.kill
110
+ end
111
+
112
+ def user_agent
113
+ "ActionMCP-stdio-client"
114
+ end
115
+ end
116
+ end
117
+ end
@@ -0,0 +1,20 @@
1
+ module ActionMCP
2
+ module Transport
3
+ module Tools
4
+ def send_tools_list(request_id)
5
+ tools = format_registry_items(ToolsRegistry.non_abstract)
6
+ send_jsonrpc_response(request_id, result: { tools: tools })
7
+ end
8
+
9
+ def send_tools_call(request_id, tool_name, arguments, _meta = {})
10
+ result = ToolsRegistry.tool_call(tool_name, arguments, _meta)
11
+ send_jsonrpc_response(request_id, result: result)
12
+ rescue RegistryBase::NotFound
13
+ send_jsonrpc_response(request_id, error: JsonRpc::JsonRpcError.new(
14
+ :method_not_found,
15
+ message: "Tool not found: #{tool_name}"
16
+ ).as_json)
17
+ end
18
+ end
19
+ end
20
+ end
@@ -0,0 +1,125 @@
1
+ module ActionMCP
2
+ module Transport
3
+ class TransportBase
4
+ attr_reader :logger, :client_capabilities, :server_capabilities
5
+
6
+ def initialize(logger: Logger.new(STDOUT))
7
+ @logger = logger
8
+ @on_message = nil
9
+ @on_error = nil
10
+ @client_capabilities = default_capabilities
11
+ @server_capabilities = nil
12
+ @initialize_request_id = SecureRandom.hex(6)
13
+ @initialization_sent = false
14
+ end
15
+
16
+ def on_message(&block)
17
+ @on_message = block
18
+ end
19
+
20
+ def on_error(&block)
21
+ @on_error = block
22
+ end
23
+
24
+ def send_initial_capabilities
25
+ return if @initialization_sent
26
+
27
+ log_info("Sending client capabilities: #{@client_capabilities}")
28
+
29
+ request = JsonRpc::Request.new(
30
+ id: @initialize_request_id,
31
+ method: "initialize",
32
+ params: {
33
+ protocolVersion: PROTOCOL_VERSION,
34
+ capabilities: @client_capabilities,
35
+ clientInfo: {
36
+ name: user_agent,
37
+ version: ActionMCP.gem_version.to_s
38
+ }
39
+ }
40
+ )
41
+ @initialization_sent = true
42
+ send_message(request.to_json)
43
+ end
44
+
45
+ def handle_initialize_response(response)
46
+ unless @server_capabilities
47
+
48
+ if response.result
49
+ @server_capabilities = response.result["capabilities"]
50
+ send_initialized_notification
51
+ else
52
+ log_error("Server initialization failed: #{response.error}")
53
+ end
54
+ end
55
+ end
56
+
57
+ protected
58
+
59
+ def handle_raw_message(raw)
60
+ # Debug - log all raw messages
61
+ log_debug("\e[31m<-- #{raw}\e[0m")
62
+
63
+ begin
64
+ msg_hash = MultiJson.load(raw)
65
+ response = nil
66
+
67
+ if msg_hash.key?("jsonrpc")
68
+ if msg_hash.key?("id")
69
+ response = JsonRpc::Response.new(**msg_hash.slice("id", "result", "error").symbolize_keys)
70
+ else
71
+ response = JsonRpc::Notification.new(**msg_hash.slice("method", "params").symbolize_keys)
72
+ end
73
+ end
74
+ # Check if this is a response to our initialize request
75
+ if response && @initialize_request_id && response.id == @initialize_request_id
76
+ handle_initialize_response(response)
77
+ else
78
+ @on_message&.call(response) if response
79
+ end
80
+ rescue MultiJson::ParseError => e
81
+ log_error("JSON parse error: #{e} (raw: #{raw})")
82
+ @on_error&.call(e) if @on_error
83
+ rescue StandardError => e
84
+ log_error("Error handling message: #{e} (raw: #{raw})")
85
+ @on_error&.call(e) if @on_error
86
+ end
87
+ end
88
+
89
+ # Send the initialized notification to the server
90
+ def send_initialized_notification
91
+ notification = JsonRpc::Notification.new(
92
+ method: "initialized"
93
+ )
94
+
95
+ logger.info("Sent initialized notification to server")
96
+ send_message(notification)
97
+ end
98
+
99
+ def default_capabilities
100
+ {
101
+ # Base client capabilities
102
+ # roots: {}, # Remove from now.
103
+ }
104
+ end
105
+
106
+ def log_debug(message)
107
+ @logger.debug("[#{log_prefix}] #{message}")
108
+ end
109
+
110
+ def log_info(message)
111
+ @logger.info("[#{log_prefix}] #{message}")
112
+ end
113
+
114
+ def log_error(message)
115
+ @logger.error("[#{log_prefix}] #{message}")
116
+ end
117
+
118
+ private
119
+
120
+ def log_prefix
121
+ self.class.name.split("::").last
122
+ end
123
+ end
124
+ end
125
+ end