- Integrate heromodels RPC as a handler within heroserver - Update API endpoint to use standard JSON-RPC format - Add generated curl examples with copy button to docs - Improve error handling to return JSON-RPC errors - Simplify heromodels server example script
94 lines
2.4 KiB
V
94 lines
2.4 KiB
V
module rpc
|
|
|
|
import json
|
|
import freeflowuniverse.herolib.schemas.jsonrpc { Request, Response, new_response_true, new_response_u32 }
|
|
import freeflowuniverse.herolib.hero.heromodels
|
|
|
|
// Comment-specific argument structures
|
|
@[params]
|
|
pub struct CommentGetArgs {
|
|
pub mut:
|
|
id u32 @[required]
|
|
}
|
|
|
|
@[params]
|
|
pub struct CommentSetArgs {
|
|
pub mut:
|
|
comment string @[required]
|
|
parent u32
|
|
author u32
|
|
}
|
|
|
|
@[params]
|
|
pub struct CommentDeleteArgs {
|
|
pub mut:
|
|
id u32 @[required]
|
|
}
|
|
|
|
pub fn comment_get(request Request) !Response {
|
|
payload := jsonrpc.decode_payload[CommentGetArgs](request.params) or {
|
|
return jsonrpc.invalid_params
|
|
}
|
|
|
|
mut mydb := heromodels.new()!
|
|
comment := mydb.comments.get(payload.id) or {
|
|
// Return proper JSON-RPC error instead of panicking
|
|
return jsonrpc.new_error(request.id, jsonrpc.RPCError{
|
|
code: -32000 // Server error
|
|
message: 'Comment not found'
|
|
data: 'Comment with ID ${payload.id} does not exist'
|
|
})
|
|
}
|
|
|
|
return jsonrpc.new_response(request.id, json.encode(comment))
|
|
}
|
|
|
|
pub fn comment_set(request Request) !Response {
|
|
payload := jsonrpc.decode_payload[CommentSetArgs](request.params) or {
|
|
return jsonrpc.invalid_params
|
|
}
|
|
|
|
mut mydb := heromodels.new()!
|
|
mut comment_obj := mydb.comments.new(
|
|
comment: payload.comment
|
|
parent: payload.parent
|
|
author: payload.author
|
|
)!
|
|
|
|
comment_obj = mydb.comments.set(comment_obj)!
|
|
|
|
return new_response_u32(request.id, comment_obj.id)
|
|
}
|
|
|
|
pub fn comment_delete(request Request) !Response {
|
|
payload := jsonrpc.decode_payload[CommentDeleteArgs](request.params) or {
|
|
return jsonrpc.invalid_params
|
|
}
|
|
|
|
mut mydb := heromodels.new()!
|
|
mydb.comments.delete(payload.id) or {
|
|
// Return proper JSON-RPC error instead of panicking
|
|
return jsonrpc.new_error(request.id, jsonrpc.RPCError{
|
|
code: -32000 // Server error
|
|
message: 'Comment not found'
|
|
data: 'Comment with ID ${payload.id} does not exist or could not be deleted'
|
|
})
|
|
}
|
|
|
|
return new_response_true(request.id) // return true as jsonrpc (bool)
|
|
}
|
|
|
|
pub fn comment_list(request Request) !Response {
|
|
mut mydb := heromodels.new()!
|
|
comments := mydb.comments.list() or {
|
|
// Return proper JSON-RPC error instead of panicking
|
|
return jsonrpc.new_error(request.id, jsonrpc.RPCError{
|
|
code: -32000 // Server error
|
|
message: 'Failed to list comments'
|
|
data: 'Error occurred while retrieving comments: ${err}'
|
|
})
|
|
}
|
|
|
|
return jsonrpc.new_response(request.id, json.encode(comments))
|
|
}
|