96 lines
2.1 KiB
Go
96 lines
2.1 KiB
Go
// Package jsonpb provides a json codec
|
|
package jsonpb
|
|
|
|
import (
|
|
"bytes"
|
|
"io"
|
|
"io/ioutil"
|
|
|
|
oldjsonpb "github.com/golang/protobuf/jsonpb"
|
|
oldproto "github.com/golang/protobuf/proto"
|
|
"github.com/unistack-org/micro/v3/codec"
|
|
jsonpb "google.golang.org/protobuf/encoding/protojson"
|
|
"google.golang.org/protobuf/proto"
|
|
)
|
|
|
|
var (
|
|
JsonpbMarshaler = &jsonpb.MarshalOptions{}
|
|
OldJsonpbMarshaler = &oldjsonpb.Marshaler{}
|
|
JsonpbUnmarshaler = &jsonpb.UnmarshalOptions{}
|
|
OldJsonpbUnmarshaler = &oldjsonpb.Unmarshaler{}
|
|
)
|
|
|
|
type jsonpbCodec struct {
|
|
}
|
|
|
|
func (c *jsonpbCodec) ReadHeader(conn io.ReadWriter, m *codec.Message, t codec.MessageType) error {
|
|
return nil
|
|
}
|
|
|
|
func (c *jsonpbCodec) ReadBody(conn io.ReadWriter, b interface{}) error {
|
|
if b == nil {
|
|
return nil
|
|
}
|
|
switch m := b.(type) {
|
|
case oldproto.Message:
|
|
return OldJsonpbUnmarshaler.Unmarshal(conn, m)
|
|
case proto.Message:
|
|
buf, err := ioutil.ReadAll(conn)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
return JsonpbUnmarshaler.Unmarshal(buf, m)
|
|
}
|
|
return codec.ErrInvalidMessage
|
|
}
|
|
|
|
func (c *jsonpbCodec) Write(conn io.ReadWriter, m *codec.Message, b interface{}) error {
|
|
if b == nil {
|
|
return nil
|
|
}
|
|
switch m := b.(type) {
|
|
case oldproto.Message:
|
|
return OldJsonpbMarshaler.Marshal(conn, m)
|
|
case proto.Message:
|
|
buf, err := JsonpbMarshaler.Marshal(m)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
_, err = conn.Write(buf)
|
|
return err
|
|
}
|
|
return codec.ErrInvalidMessage
|
|
}
|
|
|
|
func (c *jsonpbCodec) String() string {
|
|
return "jsonpb"
|
|
}
|
|
|
|
func NewCodec() codec.Codec {
|
|
return &jsonpbCodec{}
|
|
}
|
|
|
|
func (c *jsonpbCodec) Marshal(v interface{}) ([]byte, error) {
|
|
switch m := v.(type) {
|
|
case proto.Message:
|
|
return JsonpbMarshaler.Marshal(m)
|
|
case oldproto.Message:
|
|
buf, err := OldJsonpbMarshaler.MarshalToString(m)
|
|
return []byte(buf), err
|
|
}
|
|
return nil, codec.ErrInvalidMessage
|
|
}
|
|
|
|
func (c *jsonpbCodec) Unmarshal(d []byte, v interface{}) error {
|
|
if d == nil {
|
|
return nil
|
|
}
|
|
switch m := v.(type) {
|
|
case proto.Message:
|
|
return JsonpbUnmarshaler.Unmarshal(d, m)
|
|
case oldproto.Message:
|
|
return OldJsonpbUnmarshaler.Unmarshal(bytes.NewReader(d), m)
|
|
}
|
|
return codec.ErrInvalidMessage
|
|
}
|