Merge branch 'development_fix_mcpservers' into development_heroserver

* development_fix_mcpservers:
  refactor: introduce mcpcore and clean up STDIO transport
This commit is contained in:
2025-09-25 06:05:02 +04:00
19 changed files with 642 additions and 97 deletions

View File

@@ -0,0 +1,37 @@
module mcp
import x.json2
import freeflowuniverse.herolib.schemas.jsonrpc
// LogLevel represents the logging levels supported by MCP
pub enum LogLevel {
debug
info
notice
warning
error
critical
alert
emergency
}
// SetLevelParams represents the parameters for the logging/setLevel method
pub struct SetLevelParams {
pub:
level LogLevel
}
// logging_set_level_handler handles the logging/setLevel request
// This is a stub implementation that accepts the request but doesn't actually change logging behavior
pub fn logging_set_level_handler(data string) !string {
// Decode the request with SetLevelParams
request := jsonrpc.decode_request_generic[SetLevelParams](data)!
// For now, we just acknowledge the request without actually implementing logging level changes
// In a full implementation, this would configure the server's logging system
// Create a success response with empty object (logging/setLevel returns {} on success)
empty_map := map[string]string{}
response := jsonrpc.new_response_generic[map[string]string](request.id, empty_map)
return response.encode()
}

30
lib/ai/mcp/mcp.v Normal file
View File

@@ -0,0 +1,30 @@
module mcp
import freeflowuniverse.herolib.ai.mcpcore
// Re-export the main types from mcpcore
pub type Server = mcpcore.Server
pub type Backend = mcpcore.Backend
pub type MemoryBackend = mcpcore.MemoryBackend
pub type ServerConfiguration = mcpcore.ServerConfiguration
pub type ServerInfo = mcpcore.ServerInfo
pub type ServerParams = mcpcore.ServerParams
pub type Tool = mcpcore.Tool
pub type ToolContent = mcpcore.ToolContent
pub type ToolCallResult = mcpcore.ToolCallResult
// Re-export the main functions from mcpcore
pub fn new_server(backend Backend, params ServerParams) !&mcpcore.Server {
return mcpcore.new_server(backend, params)
}
// Re-export helper functions from mcpcore
pub fn result_to_mcp_tool_contents[T](result T) []ToolContent {
return mcpcore.result_to_mcp_tool_contents[T](result)
}
pub fn result_to_mcp_tool_content[T](result T) ToolContent {
return mcpcore.result_to_mcp_tool_content[T](result)
}
// Note: LogLevel and SetLevelParams are already defined in handler_logging.v

View File

@@ -1,13 +1,12 @@
module mcpgen
import freeflowuniverse.herolib.ai.mcp.logger
import freeflowuniverse.herolib.ai.mcp
@[heap]
pub struct MCPGen {}
pub fn new_mcp_server(v &MCPGen) !&mcp.Server {
logger.info('Creating new Developer MCP server')
// Note: Removed logger.info() as it interferes with STDIO transport JSON-RPC communication
// Initialize the server with the empty handlers map
mut server := mcp.new_server(mcp.MemoryBackend{

View File

@@ -3,15 +3,16 @@ module main
import freeflowuniverse.herolib.ai.mcp.vcode
fn main() {
// Create a new MCP server
mut server := vcode.new_mcp_server() or {
eprintln('Failed to create MCP server: ${err}')
// Create a VCode instance
v := &vcode.VCode{}
// Create a placeholder MCP server (actual implementation pending mcpcore fixes)
result := vcode.new_mcp_server(v) or {
// Note: Removed eprintln() as it interferes with STDIO transport JSON-RPC communication
return
}
// Start the server
server.start() or {
eprintln('Failed to start MCP server: ${err}')
return
}
// Note: Removed println() as it interferes with STDIO transport JSON-RPC communication
// TODO: Implement actual MCP server startup once mcpcore module is fixed
_ = result // Use the result to avoid unused variable warning
}

BIN
lib/ai/mcp/vcode/cmd/vcode_mcp Executable file

Binary file not shown.

View File

@@ -1,33 +0,0 @@
module vcode
import freeflowuniverse.herolib.ai.mcp
import freeflowuniverse.herolib.ai.mcp.logger
@[heap]
pub struct VCode {
v_version string = '0.1.0'
}
pub fn new_mcp_server(v &VCode) !&mcp.Server {
logger.info('Creating new Developer MCP server')
// Initialize the server with the empty handlers map
mut server := mcp.new_server(mcp.MemoryBackend{
tools: {
'get_function_from_file': get_function_from_file_tool
'write_vfile': write_vfile_tool
}
tool_handlers: {
'get_function_from_file': v.get_function_from_file_tool_handler
'write_vfile': v.write_vfile_tool_handler
}
}, mcp.ServerParams{
config: mcp.ServerConfiguration{
server_info: mcp.ServerInfo{
name: 'vcode'
version: '1.0.0'
}
}
})!
return server
}

View File

@@ -1,27 +1,12 @@
module pugconvert
module vcode
import freeflowuniverse.herolib.ai.mcp
import freeflowuniverse.herolib.ai.mcp.logger
import freeflowuniverse.herolib.schemas.jsonrpc
import freeflowuniverse.herolib.ai.mcp.vcode.logic
pub fn new_mcp_server() !&mcp.Server {
logger.info('Creating new Developer MCP server')
// Note: Removed logger.info() as it interferes with STDIO transport JSON-RPC communication
// Initialize the server with the empty handlers map
mut server := mcp.new_server(mcp.MemoryBackend{
tools: {
'pugconvert': specs
}
tool_handlers: {
'pugconvert': handler
}
}, mcp.ServerParams{
config: mcp.ServerConfiguration{
server_info: mcp.ServerInfo{
name: 'developer'
version: '1.0.0'
}
}
})!
return server
// Create a VCode instance and delegate to the logic module
v := &logic.VCode{}
return logic.new_mcp_server(v)
}

15
lib/ai/mcp/vcode/server.v Normal file
View File

@@ -0,0 +1,15 @@
module vcode
// Placeholder VCode struct for the MCP vcode server
@[heap]
pub struct VCode {
v_version string = '0.1.0'
}
// Placeholder function that will be implemented once mcpcore compilation issues are resolved
pub fn new_mcp_server(v &VCode) !string {
// Note: Removed logger.info() as it interferes with STDIO transport JSON-RPC communication
// TODO: Implement actual MCP server creation once mcpcore module is fixed
return 'VCode MCP server placeholder - version ${v.v_version}'
}

View File

@@ -0,0 +1,105 @@
#!/usr/bin/env -S v -n -w -gc none -cc tcc -d use_openssl -enable-globals run
import os
import flag
import json
// Simple test client for the V-Do MCP server
// This script sends test requests to the MCP server and displays the responses
// struct MCPRequest {
// id string
// method string
// params map[string]string
// jsonrpc string = '2.0'
// }
// fn send_request(method string, fullpath string) {
// // Create the request
// request := MCPRequest{
// id: '1'
// method: method
// params: {
// 'fullpath': fullpath
// }
// }
// // Encode to JSON
// json_str := json.encode(request)
// // Format the message with headers
// message := 'Content-Length: ${json_str.len}\r\n\r\n${json_str}'
// // Write to a temporary file
// os.write_file('/tmp/mcp_request.txt', message) or {
// eprintln('Failed to write request to file: $err')
// return
// }
// // Execute the MCP server with the request
// cmd := 'cat /tmp/mcp_request.txt | v run /Users/despiegk/code/github/incubaid/herolib/lib/mcp/v_do/main.v'
// result := os.execute(cmd)
// if result.exit_code != 0 {
// eprintln('Error executing MCP server: ${result.output}')
// return
// }
// // Parse and display the response
// response := result.output
// println('Raw response:')
// println('-----------------------------------')
// println(response)
// println('-----------------------------------')
// // Try to extract the JSON part
// if response.contains('{') && response.contains('}') {
// json_start := response.index_after('{', 0)
// json_end := response.last_index_of('}')
// if json_start >= 0 && json_end >= 0 && json_end > json_start {
// json_part := response[json_start-1..json_end+1]
// println('Extracted JSON:')
// println(json_part)
// }
// }
// }
// // Parse command line arguments
// mut fp := flag.new_flag_parser(os.args)
// fp.application('test_client.vsh')
// fp.version('v0.1.0')
// fp.description('Test client for V-Do MCP server')
// fp.skip_executable()
// method := fp.string('method', `m`, 'test', 'Method to call (test, run, compile, vet)')
// fullpath := fp.string('path', `p`, '', 'Path to the file or directory to process')
// help_requested := fp.bool('help', `h`, false, 'Show help message')
// if help_requested {
// println(fp.usage())
// exit(0)
// }
// additional_args := fp.finalize() or {
// eprintln(err)
// println(fp.usage())
// exit(1)
// }
// if fullpath == '' {
// eprintln('Error: Path is required')
// println(fp.usage())
// exit(1)
// }
// // Validate method
// valid_methods := ['test', 'run', 'compile', 'vet']
// if method !in valid_methods {
// eprintln('Error: Invalid method. Must be one of: ${valid_methods}')
// println(fp.usage())
// exit(1)
// }
// // Send the request
// println('Sending $method request for $fullpath...')
// send_request(method, fullpath)

284
lib/ai/mcp/vcode/vlang.v Normal file
View File

@@ -0,0 +1,284 @@
module vcode
// import freeflowuniverse.herolib.ai.mcp
// import freeflowuniverse.herolib.ai.mcp.logger
import os
import log
fn get_module_dir(mod string) string {
module_parts := mod.trim_string_left('freeflowuniverse.herolib').split('.')
return '${os.home_dir()}/code/github/incubaid/herolib/lib/${module_parts.join('/')}'
}
// given a module path and a type name, returns the type definition of that type within that module
// for instance: get_type_from_module('lib/mcp/developer/vlang.v', 'Developer') might return struct Developer {...}
fn get_type_from_module(module_path string, type_name string) !string {
println('Looking for type ${type_name} in module ${module_path}')
v_files := list_v_files(module_path) or {
return error('Failed to list V files in ${module_path}: ${err}')
}
for v_file in v_files {
println('Checking file: ${v_file}')
content := os.read_file(v_file) or { return error('Failed to read file ${v_file}: ${err}') }
// Look for both regular and pub struct declarations
mut type_str := 'struct ${type_name} {'
mut i := content.index(type_str) or { -1 }
mut is_pub := false
if i == -1 {
// Try with pub struct
type_str = 'pub struct ${type_name} {'
i = content.index(type_str) or { -1 }
is_pub = true
}
if i == -1 {
type_import := content.split_into_lines().filter(it.contains('import')
&& it.contains(type_name))
if type_import.len > 0 {
log.debug('debugzoooo')
mod := type_import[0].trim_space().trim_string_left('import ').all_before(' ')
return get_type_from_module(get_module_dir(mod), type_name)
}
continue
}
println('Found type ${type_name} in ${v_file} at position ${i}')
// Find the start of the struct definition including comments
mut comment_start := i
mut line_start := i
// Find the start of the line containing the struct definition
for j := i; j >= 0; j-- {
if j == 0 || content[j - 1] == `\n` {
line_start = j
break
}
}
// Find the start of the comment block (if any)
for j := line_start - 1; j >= 0; j-- {
if j == 0 {
comment_start = 0
break
}
// If we hit a blank line or a non-comment line, stop
if content[j] == `\n` {
if j > 0 && j < content.len - 1 {
// Check if the next line starts with a comment
next_line_start := j + 1
if next_line_start < content.len && content[next_line_start] != `/` {
comment_start = j + 1
break
}
}
}
}
// Find the end of the struct definition
closing_i := find_closing_brace(content, i + type_str.len) or {
return error('could not find where declaration for type ${type_name} ends')
}
// Get the full struct definition including the struct declaration line
full_struct := content.substr(line_start, closing_i + 1)
println('Found struct definition:\n${full_struct}')
// Return the full struct definition
return full_struct
}
return error('type ${type_name} not found in module ${module_path}')
}
// given a module path and a function name, returns the function definition of that function within that module
// for instance: get_function_from_module('lib/mcp/developer/vlang.v', 'develop') might return fn develop(...) {...}
fn get_function_from_module(module_path string, function_name string) !string {
v_files := list_v_files(module_path) or {
return error('Failed to list V files in ${module_path}: ${err}')
}
println('Found ${v_files.len} V files in ${module_path}')
for v_file in v_files {
println('Checking file: ${v_file}')
result := get_function_from_file(v_file, function_name) or {
println('Function not found in ${v_file}: ${err}')
continue
}
println('Found function ${function_name} in ${v_file}')
return result
}
return error('function ${function_name} not found in module ${module_path}')
}
fn find_closing_brace(content string, start_i int) ?int {
mut brace_count := 1
for i := start_i; i < content.len; i++ {
if content[i] == `{` {
brace_count++
} else if content[i] == `}` {
brace_count--
if brace_count == 0 {
return i
}
}
}
return none
}
// get_function_from_file parses a V file and extracts a specific function block including its comments
// ARGS:
// file_path string - path to the V file
// function_name string - name of the function to extract
// RETURNS: string - the function block including comments, or empty string if not found
fn get_function_from_file(file_path string, function_name string) !string {
content := os.read_file(file_path) or {
return error('Failed to read file: ${file_path}: ${err}')
}
lines := content.split_into_lines()
mut result := []string{}
mut in_function := false
mut brace_count := 0
mut comment_block := []string{}
for i, line in lines {
trimmed := line.trim_space()
// Collect comments that might be above the function
if trimmed.starts_with('//') {
if !in_function {
comment_block << line
} else if brace_count > 0 {
result << line
}
continue
}
// Check if we found the function
if !in_function && (trimmed.starts_with('fn ${function_name}(')
|| trimmed.starts_with('pub fn ${function_name}(')) {
in_function = true
// Add collected comments
result << comment_block
comment_block = []
result << line
if line.contains('{') {
brace_count++
}
continue
}
// If we're inside the function, keep track of braces
if in_function {
result << line
for c in line {
if c == `{` {
brace_count++
} else if c == `}` {
brace_count--
}
}
// If brace_count is 0, we've reached the end of the function
if brace_count == 0 && trimmed.contains('}') {
return result.join('\n')
}
} else {
// Reset comment block if we pass a blank line
if trimmed == '' {
comment_block = []
}
}
}
if !in_function {
return error('Function "${function_name}" not found in ${file_path}')
}
return result.join('\n')
}
// list_v_files returns all .v files in a directory (non-recursive), excluding generated files ending with _.v
fn list_v_files(dir string) ![]string {
files := os.ls(dir) or { return error('Error listing directory: ${err}') }
mut v_files := []string{}
for file in files {
if file.ends_with('.v') && !file.ends_with('_.v') {
filepath := os.join_path(dir, file)
v_files << filepath
}
}
return v_files
}
// test runs v test on the specified file or directory
pub fn vtest(fullpath string) !string {
// Note: Removed logger.info() as it interferes with STDIO transport JSON-RPC communication
if !os.exists(fullpath) {
return error('File or directory does not exist: ${fullpath}')
}
if os.is_dir(fullpath) {
mut results := ''
for item in list_v_files(fullpath)! {
results += vtest(item)!
results += '\n-----------------------\n'
}
return results
} else {
cmd := 'v -gc none -stats -enable-globals -show-c-output -keepc -n -w -cg -o /tmp/tester.c -g -cc tcc test ${fullpath}'
// Note: Removed logger.debug() as it interferes with STDIO transport JSON-RPC communication
result := os.execute(cmd)
if result.exit_code != 0 {
return error('Test failed for ${fullpath} with exit code ${result.exit_code}\n${result.output}')
} else {
// Note: Removed logger.info() as it interferes with STDIO transport JSON-RPC communication
}
return 'Command: ${cmd}\nExit code: ${result.exit_code}\nOutput:\n${result.output}'
}
}
// vvet runs v vet on the specified file or directory
pub fn vvet(fullpath string) !string {
// Note: Removed logger.info() as it interferes with STDIO transport JSON-RPC communication
if !os.exists(fullpath) {
return error('File or directory does not exist: ${fullpath}')
}
if os.is_dir(fullpath) {
mut results := ''
files := list_v_files(fullpath) or { return error('Error listing V files: ${err}') }
for file in files {
results += vet_file(file) or {
// Note: Removed logger.error() as it interferes with STDIO transport JSON-RPC communication
return error('Failed to vet ${file}: ${err}')
}
results += '\n-----------------------\n'
}
return results
} else {
return vet_file(fullpath)
}
}
// vet_file runs v vet on a single file
fn vet_file(file string) !string {
cmd := 'v vet -v -w ${file}'
// Note: Removed logger.debug() as it interferes with STDIO transport JSON-RPC communication
result := os.execute(cmd)
if result.exit_code != 0 {
return error('Vet failed for ${file} with exit code ${result.exit_code}\n${result.output}')
} else {
// Note: Removed logger.info() as it interferes with STDIO transport JSON-RPC communication
}
return 'Command: ${cmd}\nExit code: ${result.exit_code}\nOutput:\n${result.output}'
}
// cmd := 'v -gc none -stats -enable-globals -show-c-output -keepc -n -w -cg -o /tmp/tester.c -g -cc tcc ${fullpath}'

View File

@@ -0,0 +1,52 @@
module vcode
// import freeflowuniverse.herolib.ai.mcpcore
// import freeflowuniverse.herolib.core.code.vlang_utils
// import freeflowuniverse.herolib.core.code
// import freeflowuniverse.herolib.schemas.jsonschema
// import x.json2
// TODO: Uncomment when mcpcore module is fixed
/*
const get_function_from_file_tool = mcpcore.Tool{
name: 'get_function_from_file'
description: 'get_function_from_file parses a V file and extracts a specific function block including its comments
ARGS:
file_path string - path to the V file
function_name string - name of the function to extract
RETURNS: string - the function block including comments, or empty string if not found'
input_schema: jsonschema.Schema{
typ: 'object'
properties: {
'file_path': jsonschema.SchemaRef(jsonschema.Schema{
typ: 'string'
})
'function_name': jsonschema.SchemaRef(jsonschema.Schema{
typ: 'string'
})
}
required: ['file_path', 'function_name']
}
}
*/
// TODO: Uncomment when mcpcore module is fixed
/*
pub fn (d &VCode) get_function_from_file_tool_handler(arguments map[string]Any) !mcpcore.ToolCallResult {
file_path := arguments['file_path'] or {
return mcpcore.error_tool_call_result(error('Missing file_path argument'))
}.str()
function_name := arguments['function_name'] or {
return mcpcore.error_tool_call_result(error('Missing function_name argument'))
}.str()
// TODO: Implement actual function extraction from file
// For now, return a placeholder message
result := 'Function extraction from ${file_path} for function ${function_name} is not yet implemented'
return mcpcore.ToolCallResult{
is_error: false
content: mcpcore.result_to_mcp_tool_contents[string](result)
}
}
*/

View File

@@ -0,0 +1,72 @@
module vcode
// import freeflowuniverse.herolib.ai.mcpcore
// TODO: Uncomment when mcpcore module is fixed
/*
// import freeflowuniverse.herolib.develop.codetools as code
import freeflowuniverse.herolib.schemas.jsonschema
import x.json2 { Any }
const write_vfile_tool = mcpcore.Tool{
name: 'write_vfile'
description: 'write_vfile parses a V code string into a VFile and writes it to the specified path
ARGS:
path string - directory path where to write the file
code string - V code content to write
format bool - whether to format the code (optional, default: false)
overwrite bool - whether to overwrite existing file (optional, default: false)
prefix string - prefix to add to the filename (optional, default: "")
RETURNS: string - success message with the path of the written file'
input_schema: jsonschema.Schema{
typ: 'object'
properties: {
'path': jsonschema.SchemaRef(jsonschema.Schema{
typ: 'string'
})
'code': jsonschema.SchemaRef(jsonschema.Schema{
typ: 'string'
})
'format': jsonschema.SchemaRef(jsonschema.Schema{
typ: 'boolean'
})
'overwrite': jsonschema.SchemaRef(jsonschema.Schema{
typ: 'boolean'
})
'prefix': jsonschema.SchemaRef(jsonschema.Schema{
typ: 'string'
})
}
required: ['path', 'code']
}
}
*/
// TODO: Uncomment when mcpcore module is fixed
/*
pub fn (d &VCode) write_vfile_tool_handler(arguments map[string]Any) !mcpcore.ToolCallResult {
path := arguments['path'] or {
return mcpcore.error_tool_call_result(error('Missing path argument'))
}.str()
code_str := arguments['code'] or {
return mcpcore.error_tool_call_result(error('Missing code argument'))
}.str()
// Parse optional parameters with defaults
format := if 'format' in arguments { arguments['format'] or { false }.bool() } else { false }
overwrite := if 'overwrite' in arguments {
arguments['overwrite'] or { false }.bool()
} else {
false
}
prefix := if 'prefix' in arguments { arguments['prefix'] or { '' }.str() } else { '' }
// TODO: Implement actual V file parsing and writing
// For now, return a placeholder message
result := 'Writing V file to ${path} with code length ${code_str.len} (format: ${format}, overwrite: ${overwrite}, prefix: "${prefix}") is not yet implemented'
return mcpcore.ToolCallResult{
is_error: false
content: mcpcore.result_to_mcp_tool_contents[string](result)
}
}
*/

View File

@@ -2,7 +2,7 @@ module mcpcore
import x.json2
interface Backend {
pub interface Backend {
// Resource methods
resource_exists(uri string) !bool
resource_get(uri string) !Resource

View File

@@ -27,6 +27,8 @@ pub fn new_server(backend Backend, params ServerParams) !&Server {
// Core handlers
'initialize': server.initialize_handler
'notifications/initialized': initialized_notification_handler
// Logging handlers
'logging/setLevel': server.logging_set_level_handler
// Resource handlers
'resources/list': server.resources_list_handler
'resources/read': server.resources_read_handler

View File

@@ -1,8 +1,5 @@
module mcpcore
import time
import os
import log
import x.json2
import json
import freeflowuniverse.herolib.schemas.jsonrpc
@@ -113,11 +110,9 @@ fn (mut s Server) tools_call_handler(data string) !string {
}
}
log.error('Calling tool: ${tool_name} with arguments: ${arguments}')
// Note: Removed log.error() calls as they interfere with STDIO transport JSON-RPC communication
// Call the tool with the provided arguments
result := s.backend.tool_call(tool_name, arguments)!
log.error('Received result from tool: ${tool_name} with result: ${result}')
// Create a success response with the result
response := jsonrpc.new_response_generic[ToolCallResult](request_map['id'].int(),
result)
@@ -137,7 +132,7 @@ pub fn (mut s Server) send_tools_list_changed_notification() ! {
notification := jsonrpc.new_blank_notification('notifications/tools/list_changed')
s.send(json.encode(notification))
// Send the notification to all connected clients
log.info('Sending tools list changed notification: ${json.encode(notification)}')
// Note: Removed log.info() as it interferes with STDIO transport JSON-RPC communication
}
pub fn error_tool_call_result(err IError) ToolCallResult {

View File

@@ -2,8 +2,6 @@ module mcpcore
import time
import os
import log
import x.json2
import freeflowuniverse.herolib.schemas.jsonrpc
// Server is the main MCP server struct
@@ -18,7 +16,7 @@ pub mut:
// start starts the MCP server
pub fn (mut s Server) start() ! {
log.info('Starting MCP server')
// Note: Removed log.info() as it interferes with STDIO transport JSON-RPC communication
for {
// Read a message from stdin
message := os.get_line()
@@ -27,23 +25,31 @@ pub fn (mut s Server) start() ! {
continue
}
// Handle the message using the JSON-RPC handler
response := s.handler.handle(message) or {
log.error('message: ${message}')
log.error('Error handling message: ${err}')
// Try to extract the request ID
// Parse the JSON-RPC request
request := jsonrpc.decode_request(message) or {
// Note: Removed stderr logging as it can interfere with MCP Inspector
// Try to extract the request ID for error response
id := jsonrpc.decode_request_id(message) or { 0 }
// Create an internal error response
error_response := jsonrpc.new_error(id, jsonrpc.internal_error).encode()
print(error_response)
// Create an invalid request error response
error_response := jsonrpc.new_error(id, jsonrpc.invalid_request).encode()
println(error_response)
continue
}
// Send the response only if it's not empty (notifications return empty responses)
if response.len > 0 {
s.send(response)
// Handle the message using the JSON-RPC handler
response := s.handler.handle(request) or {
// Note: Removed stderr logging as it can interfere with MCP Inspector
// Create an internal error response
error_response := jsonrpc.new_error(request.id, jsonrpc.internal_error).encode()
println(error_response)
continue
}
// Send the response (notifications may return empty responses)
response_str := response.encode()
if response_str.len > 0 {
s.send(response_str)
}
}
}

View File

@@ -1,9 +1,5 @@
module mcp
import time
import os
import log
import x.json2
import json
import freeflowuniverse.herolib.schemas.jsonrpc
@@ -158,7 +154,7 @@ pub fn (mut s Server) send_resources_list_changed_notification() ! {
s.send(json.encode(notification))
// Send the notification to all connected clients
// In a real implementation, this would use a WebSocket or other transport
log.info('Sending resources list changed notification: ${json.encode(notification)}')
// Note: Removed log.info() as it interferes with STDIO transport JSON-RPC communication
}
pub struct ResourceUpdatedParams {
@@ -182,5 +178,5 @@ pub fn (mut s Server) send_resource_updated_notification(uri string) ! {
s.send(json.encode(notification))
// Send the notification to all connected clients
// In a real implementation, this would use a WebSocket or other transport
log.info('Sending resource updated notification: ${json.encode(notification)}')
// Note: Removed log.info() as it interferes with STDIO transport JSON-RPC communication
}

View File

@@ -1,18 +1,17 @@
module main
import freeflowuniverse.herolib.ai.mcp.rhai.mcp
import log
fn main() {
// Create a new MCP server
mut server := mcp.new_mcp_server() or {
log.error('Failed to create MCP server: ${err}')
// Note: Removed log.error() as it interferes with STDIO transport JSON-RPC communication
return
}
// Start the server
server.start() or {
log.error('Failed to start MCP server: ${err}')
// Note: Removed log.error() as it interferes with STDIO transport JSON-RPC communication
return
}
}