encoding/binary包实现了简单的数字(固定长度的数字类型或者只包含定长值的结构体或数组)与字节系列的转换以及变长值的编解码。
func Write(w io.Writer, order ByteOrder, data interface{}) error
序列化,将数据转换成byte字节流,order指定字节序
func Read(r io.Reader, order ByteOrder, data interface{}) error
反序列化,将字节流转换成原始数据
order:
binary.BigEndian(大端模式):内存的低地址存放着数据高位
binary.LittleEndian(小端模式):内存的低地址存放着数据地位
实现代码如下:
import ( "bytes" "encoding/binary" "fmt" "log" ) func main(){ //序列化 var dataA uint64=6010 var buffer bytes.Buffer err1 := binary.Write(&buffer, binary.BigEndian, &dataA) if err1!=nil{ log.Panic(err1) } byteA:=buffer.Bytes() fmt.Println("序列化后:",byteA) //反序列化 var dataB uint64 var byteB []byte=byteA err2:=binary.Read(bytes.NewReader(byteB),binary.BigEndian,&dataB) if err2!=nil{ log.Panic(err2) } fmt.Println("反序列化后:",dataB) }