jsonrpc

package module
v0.2.6 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Aug 29, 2023 License: Apache-2.0, MIT Imports: 29 Imported by: 2

README

jsonrpc

==================

go.dev reference

Low Boilerplate JSON-RPC 2.0 library

用法示例

Server
// Have a type with some exported methods
type SimpleServerHandler struct {
n int
}

func (h *SimpleServerHandler) AddGet(in int) int {
h.n += in
return h.n
}

func main() {
// create a new server instance
rpcServer := jsonrpc.NewServer()

// create a handler instance and register it
serverHandler := &SimpleServerHandler{}
rpcServer.Register("SimpleServerHandler", serverHandler)

// rpcServer is now http.Handler which will serve jsonrpc calls to SimpleServerHandler.AddGet
// a method with a single int param, and an int response. The server supports both http and websockets.

// serve the api
testServ := httptest.NewServer(rpcServer)
defer testServ.Close()

fmt.Println("URL: ", "ws://"+testServ.Listener.Addr().String())

[..do other app stuff / wait..]
}
Client
func start() error {
// Create a struct where each field is an exported function with signatures matching rpc calls
var client struct {
AddGet      func (int) int
}

// Make jsonrp populate func fields in the struct with JSONRPC calls
closer, err := jsonrpc.NewClient(context.Background(), rpcURL, "SimpleServerHandler", &client, nil)
if err != nil {
return err
}
defer closer()

...

n := client.AddGet(10)
// if the server is the one from the example above, n = 10

n := client.AddGet(2)
// if the server is the one from the example above, n = 12
}
Supported function signatures
type _ interface {
// No Params / Return val
Func1()

// With Params
// Note: If param types implement json.[Un]Marshaler, go-jsonrpc will use it
Func2(param1 int, param2 string, param3 struct{A int})

// Returning errors
// * For some connection errors, go-jsonrpc will return jsonrpc.RPCConnectionError{}.
// * RPC-returned errors will be constructed with basic errors.New(__"string message"__)
// * JSON-RPC error codes can be mapped to typed errors with jsonrpc.Errors - https://pkg.go.dev/github.com/gozelle/jsonrpc#Errors
// * For typed errors to work, server needs to be constructed with the `WithServerErrors`
//   option, and the client needs to be constructed with the `WithErrors` option
Func3() error

// Returning a value
// Note: The value must be serializable with encoding/json.
Func4() int

// Returning a value and an error
// Note: if the handler returns an error and a non-zero value, the value will not
//       be returned to the client - the client will see a zero value.
Func4() (int, error)

// With context
// * Context isn't passed as JSONRPC param, instead it has a number of different uses
// * When the context is cancelled on the client side, context cancellation should propagate to the server handler
//   * In http mode the http request will be aborted
//   * In websocket mode the client will send a `xrpc.cancel` with a single param containing ID of the cancelled request
// * If the context contains an opencensus trace span, it will be propagated to the server through a
//   `"Meta": {"SpanContext": base64.StdEncoding.EncodeToString(propagation.Binary(span.SpanContext()))}` field in
//   the jsonrpc request
//   
Func5(ctx context.Context, param1 string) error

// With non-json-serializable (e.g. interface) params
// * There are client and server options which make it possible to register transformers for types
//   to make them json-(de)serializable
// * Server side: jsonrpc.WithParamDecoder(new(io.Reader), func(ctx context.Context, b []byte) (reflect.Value, error) { ... }
// * Client side: jsonrpc.WithParamEncoder(new(io.Reader), func(value reflect.Value) (reflect.Value, error) { ... }
// * For io.Reader specifically there's a simple param encoder/decoder implementation in go-jsonrpc/httpio package
//   which will pass reader data through separate http streams on a different hanhler.
// * Note: a similar mechanism for return value transformation isn't supported yet
Func6(r io.Reader)

// Returning a channel
// * Only supported in websocket mode
// * If no error is returned, the return value will be an int channelId
// * When the server handler writes values into the channel, the client will receive `xrpc.ch.val` notifications
//   with 2 params: [chanID: int, value: any]
// * When the channel is closed the client will receive `xrpc.ch.close` notification with a single param: [chanId: int]
// * The client-side channel will be closed when the websocket connection breaks; Server side will discard writes to
//   the channel. Handlers should rely on the context to know when to stop writing to the returned channel.
// NOTE: There is no good backpressure mechanism implemented for channels, returning values faster that the client can
// receive them may cause memory leaks.
Func7(ctx context.Context, param1 int, param2 string) (<-chan int, error)
}

响应状态码

Http 状态码 描述 使用
200 操作请求成功 -
400 业务错误 return &jsonrpc.Error{}
500 系统粗偶无 return fmt.Errorf("some error")

License

Dual-licensed under MIT

Documentation

Index

Constants

View Source
const DEFAULT_MAX_REQUEST_SIZE = 100 << 20 // 100 MiB

Limit request size. Ideally this limit should be specific for each field in the JSON request but as a simple defensive measure we just limit the entire HTTP body. Configured by WithMaxRequestSize.

View Source
const FirstUserCode = 2
View Source
const X_RPC_ERROR = "X-Rpc-Error"
View Source
const X_RPC_Handler = "X-Rpc-handler"
View Source
const X_RPC_ID = "X-Rpc-Id"

Variables

This section is empty.

Functions

func NewErrors

func NewErrors() errors

func WithErrors

func WithErrors(es errors) func(c *Config)

func WithNoReconnect

func WithNoReconnect() func(c *Config)

func WithParamEncoder

func WithParamEncoder(t interface{}, encoder ParamEncoder) func(c *Config)

func WithPingInterval

func WithPingInterval(d time.Duration) func(c *Config)

Must be < Timeout/2

func WithReconnectBackoff

func WithReconnectBackoff(minDelay, maxDelay time.Duration) func(c *Config)

func WithTimeout

func WithTimeout(d time.Duration) func(c *Config)

Types

type ClientCloser

type ClientCloser func()

ClientCloser is used to close Client from further use

func NewClient

func NewClient(ctx context.Context, addr string, namespace string, handler interface{}, requestHeader http.Header) (ClientCloser, error)

NewClient creates new jsonrpc 2.0 client

handler must be pointer to a struct with function fields Returned value closes the client connection TODO: Example

func NewMergeClient

func NewMergeClient(ctx context.Context, addr string, namespace string, outs []interface{}, requestHeader http.Header, opts ...Option) (ClientCloser, error)

NewMergeClient is like NewClient, but allows to specify multiple structs to be filled in the same namespace, using one connection

type ClientErr added in v0.2.0

type ClientErr struct {
	// contains filtered or unexported fields
}

ClientErr is an error which occurred on the client side the library

func (*ClientErr) Error added in v0.2.0

func (e *ClientErr) Error() string

func (*ClientErr) Unwrap added in v0.2.0

func (e *ClientErr) Unwrap() error

Unwrap unwraps the actual error

type Config

type Config struct {
	// contains filtered or unexported fields
}

type Error added in v0.2.0

type Error struct {
	Code    errorCode       `json:"code,omitempty"`
	Message string          `json:"message,omitempty"`
	Detail  any             `json:"detail,omitempty"`
	Meta    json.RawMessage `json:"meta,omitempty"`
}

func NewCode added in v0.2.0

func NewCode(code int, msg string, args ...any) *Error

func NewDetail added in v0.2.0

func NewDetail(detail any, msg string, args ...any) *Error

func NewError added in v0.2.0

func NewError(code int, detail any, msg string, args ...any) *Error

func NewMessage added in v0.2.0

func NewMessage(msg string, args ...any) *Error

func (*Error) Error added in v0.2.0

func (e *Error) Error() string

type Option

type Option func(c *Config)

type ParamDecoder

type ParamDecoder func(ctx context.Context, json []byte) (reflect.Value, error)

type ParamEncoder

type ParamEncoder func(reflect.Value) (reflect.Value, error)

type RPCConnectionError

type RPCConnectionError struct {
	// contains filtered or unexported fields
}

func (*RPCConnectionError) Error

func (e *RPCConnectionError) Error() string

func (*RPCConnectionError) Unwrap

func (e *RPCConnectionError) Unwrap() error

type RPCServer

type RPCServer struct {
	// contains filtered or unexported fields
}

RPCServer provides a jsonrpc 2.0 http server handler

func NewServer

func NewServer(opts ...ServerOption) *RPCServer

NewServer creates new RPCServer instance

func (*RPCServer) AliasMethod

func (s *RPCServer) AliasMethod(alias, original string)

func (*RPCServer) Register

func (s *RPCServer) Register(namespace string, handler interface{})

Register registers new RPC handler

Handler is any value with methods defined

func (*RPCServer) ServeHTTP

func (s *RPCServer) ServeHTTP(w http.ResponseWriter, r *http.Request)

TODO: return errors to clients per spec

type Response added in v0.2.0

type Response struct {
	*Error
	ID interface{} `json:"id,omitempty"`
	//Jsonrpc string      `json:"jsonrpc,omitempty"`
	Result interface{} `json:"result,omitempty"`
}

type ServerConfig

type ServerConfig struct {
	// contains filtered or unexported fields
}

type ServerOption

type ServerOption func(c *ServerConfig)

func WithMaxRequestSize

func WithMaxRequestSize(max int64) ServerOption

func WithParamDecoder

func WithParamDecoder(t interface{}, decoder ParamDecoder) ServerOption

func WithServerErrors

func WithServerErrors(es errors) ServerOption

Directories

Path Synopsis

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL