当然,想必您已经猜到了,在对一些复杂类型(如struct)的转换时,gconv模块内部其实使用了反射的特性来实现的。这虽然为开发者提供了极大的便捷,但是这确实是以性能损耗为代价的。其实在对于struct转换时,如果开发者已经明确转换规则,并且对于其中的性能损耗比较在意,那么可以对特定的struct实现UnmarshalValue接口来实现自定义转换。当使用gconv模块对该struct进行转换时,无论该struct是直接作为转换对象或者转换对象的属性,gconv都将会自动识别其实现的UnmarshalValue接口并直接调用该接口实现类型转换,而不会使用反射特性来实现转换。

标准库的常用反序列化接口,如UnmarshalText(text []byte) error其实也是支持的哟,使用方式同UnmarshalValue,只是参数不同。

接口定义

  1. // apiUnmarshalValue is the interface for custom defined types customizing value assignment.
  2. // Note that only pointer can implement interface apiUnmarshalValue.
  3. type apiUnmarshalValue interface {
  4. UnmarshalValue(interface{}) error
  5. }

可以看到,自定义的类型可以通过定义UnmarshalValue方法来实现自定义的类型转换。这里的输入参数为interface{}类型,开发者可以在实际使用场景中通过 类型断言 或者其他方式进行类型转换。

需要特别注意,由于UnmarshalValue类型转换会修改当前对象的属性值,因此需要保证该接口实现的接受者(Receiver)是指针类型。

正确的接口实现定义示例(使用指针接受):

  1. func (c *Receiver) UnmarshalValue(interface{}) error

错误的接口实现定义示例(使用了值传递):

  1. func (c Receiver) UnmarshalValue(interface{}) error

使用示例

一个TCP通信的数据包解包示例。

  1. package main
  2. import (
  3. "errors"
  4. "fmt"
  5. "github.com/gogf/gf/crypto/gcrc32"
  6. "github.com/gogf/gf/encoding/gbinary"
  7. "github.com/gogf/gf/util/gconv"
  8. )
  9. type Pkg struct {
  10. Length uint16 // Total length.
  11. Crc32 uint32 // CRC32.
  12. Data []byte
  13. }
  14. // NewPkg creates and returns a package with given data.
  15. func NewPkg(data []byte) *Pkg {
  16. return &Pkg{
  17. Length: uint16(len(data) + 6),
  18. Crc32: gcrc32.Encrypt(data),
  19. Data: data,
  20. }
  21. }
  22. // Marshal encodes the protocol struct to bytes.
  23. func (p *Pkg) Marshal() []byte {
  24. b := make([]byte, 6+len(p.Data))
  25. copy(b, gbinary.EncodeUint16(p.Length))
  26. copy(b[2:], gbinary.EncodeUint32(p.Crc32))
  27. copy(b[6:], p.Data)
  28. return b
  29. }
  30. // UnmarshalValue decodes bytes to protocol struct.
  31. func (p *Pkg) UnmarshalValue(v interface{}) error {
  32. b := gconv.Bytes(v)
  33. if len(b) < 6 {
  34. return errors.New("invalid package length")
  35. }
  36. p.Length = gbinary.DecodeToUint16(b[:2])
  37. if len(b) < int(p.Length) {
  38. return errors.New("invalid data length")
  39. }
  40. p.Crc32 = gbinary.DecodeToUint32(b[2:6])
  41. p.Data = b[6:]
  42. if gcrc32.Encrypt(p.Data) != p.Crc32 {
  43. return errors.New("crc32 validation failed")
  44. }
  45. return nil
  46. }
  47. func main() {
  48. var p1, p2 *Pkg
  49. // Create a demo pkg as p1.
  50. p1 = NewPkg([]byte("123"))
  51. fmt.Println(p1)
  52. // Convert bytes from p1 to p2 using gconv.Struct.
  53. err := gconv.Struct(p1.Marshal(), &p2)
  54. if err != nil {
  55. panic(err)
  56. }
  57. fmt.Println(p2)
  58. }

执行后,终端输出:

  1. &{9 2286445522 [49 50 51]}
  2. &{9 2286445522 [49 50 51]}