blob: bda413d3dec3a2999e348b0c61c58905c919f69d [file] [log] [blame]
// Copyright 2016 The Vanadium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
package vom
import (
"errors"
"fmt"
"io"
"math"
"v.io/v23/vdl"
"v.io/v23/verror"
)
const (
// IEEE 754 represents float64 using 52 bits to represent the mantissa, with
// an extra implied leading bit. That gives us 53 bits to store integers
// without overflow - i.e. [0, (2^53)-1]. And since 2^53 is a small power of
// two, it can also be stored without loss via mantissa=1 exponent=53. Thus
// we have our max and min values. Ditto for float32, which uses 23 bits with
// an extra implied leading bit.
float64MaxInt = (1 << 53)
float64MinInt = -(1 << 53)
float32MaxInt = (1 << 24)
float32MinInt = -(1 << 24)
)
var (
errEmptyDecoderStack = errors.New("vom: empty decoder stack")
errReadRawBytesAlreadyStarted = errors.New("vom: read into vom.RawBytes after StartValue called")
errReadRawBytesFromNonAny = errors.New("vom: read into vom.RawBytes only supported on any values")
)
// Decoder manages the receipt and unmarshalling of typed values from the other
// side of a connection.
type Decoder struct {
dec xDecoder
}
type xDecoder struct {
old *ZDecoder
stack []decoderStackEntry
ignoreNextStartValue bool
}
type decoderStackEntry struct {
Type *vdl.Type
Index int
LenHint int
NumStarted int
IsAny bool
IsOptional bool
}
// NewDecoder returns a new Decoder that reads from the given reader. The
// Decoder understands all formats generated by the Encoder.
func NewDecoder(r io.Reader) *Decoder {
return &Decoder{xDecoder{
old: NewZDecoder(r),
}}
}
// NewDecoderWithTypeDecoder returns a new Decoder that reads from the given
// reader. Types are decoded separately through the typeDec.
func NewDecoderWithTypeDecoder(r io.Reader, typeDec *TypeDecoder) *Decoder {
return &Decoder{xDecoder{
old: NewZDecoderWithTypeDecoder(r, typeDec),
}}
}
// Decoder returns d as a vdl.Decoder.
func (d *Decoder) Decoder() vdl.Decoder {
return &d.dec
}
// Decode reads the next value and stores it in value v. The type of v need not
// exactly match the type of the originally encoded value; decoding succeeds as
// long as the values are convertible.
func (d *Decoder) Decode(v interface{}) error {
return vdl.Read(&d.dec, v)
}
// Ignore ignores the next value from d.
//
// TODO(toddw): Rename to SkipValue.
func (d *Decoder) Ignore() error {
return d.dec.old.Ignore()
}
func (d *xDecoder) IgnoreNextStartValue() {
d.ignoreNextStartValue = true
}
func (d *xDecoder) decodeWireType(wt *wireType) (TypeId, error) {
// TODO(toddw): Flip useOldDecoder=false to enable Decoder.
const useOldDecoder = false
if useOldDecoder {
return d.old.decodeWireType(wt)
}
// Type messages are just a regularly encoded wireType, which is a union. To
// decode we pre-populate the stack with an entry for the wire type, and run
// the code-generated __VDLRead_wireType method.
tid, err := d.old.nextMessage()
if err != nil {
return 0, err
}
d.stack = append(d.stack, decoderStackEntry{
Type: wireTypeType,
Index: -1,
LenHint: 1, // wireType is a union
})
d.ignoreNextStartValue = true
if err := __VDLRead_wireType(d, wt); err != nil {
return 0, err
}
return tid, nil
}
// readRawBytes fills in raw with the next value. It can be called for both
// top-level and internal values.
func (d *xDecoder) readRawBytes(raw *RawBytes) error {
if d.ignoreNextStartValue {
// If the user has already called StartValue on the decoder, it's harder to
// capture all the raw bytes, since the optional flag and length hints have
// already been decoded. So we simply disallow this from happening.
return errReadRawBytesAlreadyStarted
}
tt, err := d.dfsNextType()
if err != nil {
return err
}
// Handle top-level values. All types of values are supported, since we can
// simply copy the message bytes.
if len(d.stack) == 0 {
anyLen, err := d.old.peekValueByteLen(tt)
if err != nil {
return err
}
if err := d.old.decodeRaw(tt, anyLen, raw); err != nil {
return err
}
return d.old.endMessage()
}
// Handle internal values. Only any values are supported at the moment, since
// they come with a header that tells us the exact length to read.
//
// TODO(toddw): Handle other types, either by reading and skipping bytes based
// on the type, or by falling back to a decode / re-encode slowpath.
if tt.Kind() != vdl.Any {
return errReadRawBytesFromNonAny
}
ttElem, anyLen, err := d.old.readAnyHeader()
if err != nil {
return err
}
if ttElem == nil {
// This is a nil any value, which has already been read by readAnyHeader.
// We simply fill in RawBytes with the single WireCtrlNil byte.
raw.Version = d.old.buf.version
raw.Type = vdl.AnyType
raw.RefTypes = nil
raw.AnyLengths = nil
raw.Data = []byte{WireCtrlNil}
return nil
}
return d.old.decodeRaw(ttElem, anyLen, raw)
}
func (d *xDecoder) StartValue(want *vdl.Type) error {
if d.ignoreNextStartValue {
d.ignoreNextStartValue = false
return nil
}
tt, err := d.dfsNextType()
if err != nil {
return err
}
return d.setupValue(tt, want)
}
func (d *xDecoder) setupValue(tt, want *vdl.Type) error {
// Handle any, which may be nil. We "dereference" non-nil any to the inner
// type. If that happens to be an optional, it's handled below.
isAny := false
if tt.Kind() == vdl.Any {
isAny = true
var err error
switch tt, _, err = d.old.readAnyHeader(); {
case err != nil:
return err
case tt == nil:
tt = vdl.AnyType // nil any
}
}
// Handle optional, which may be nil. Similar to any, we "dereference"
// non-nil optional to the inner type, which is never allowed to be another
// optional or any type.
isOptional := false
if tt.Kind() == vdl.Optional {
isOptional = true
// Read the WireCtrlNil code, but if it's not WireCtrlNil we need to keep
// the buffer as-is, since it's the first byte of the value, which may
// itself be another control code.
switch ctrl, err := binaryPeekControl(d.old.buf); {
case err != nil:
return err
case ctrl == WireCtrlNil:
d.old.buf.Skip(1) // nil optional
default:
tt = tt.Elem() // non-nil optional
}
}
// Check compatibility between the actual type and the want type. Since
// compatibility applies to the entire static type, we only need to perform
// this check for top-level decoded values, and subsequently for decoded any
// values. We skip checking non-composite want types, since those will be
// naturally caught by the Decode* calls anyways.
if len(d.stack) == 0 || isAny {
switch want.Kind() {
case vdl.Optional, vdl.Array, vdl.List, vdl.Set, vdl.Map, vdl.Struct, vdl.Union:
if !vdl.Compatible2(tt, want) {
return fmt.Errorf("vom: incompatible decode from %v into %v", tt, want)
}
}
}
// Initialize LenHint for composite types.
entry := decoderStackEntry{
Type: tt,
Index: -1,
LenHint: -1,
IsAny: isAny,
IsOptional: isOptional,
}
switch tt.Kind() {
case vdl.Array, vdl.List, vdl.Set, vdl.Map:
// TODO(toddw): Handle sentry-terminated collections without a length hint.
len, err := binaryDecodeLenOrArrayLen(d.old.buf, tt)
if err != nil {
return err
}
entry.LenHint = len
case vdl.Union:
// Union shouldn't have a LenHint, but we abuse it in NextField as a
// convenience for detecting when fields are done, so we initialize it here.
// It has to be at least 1, since 0 will cause NextField to think that the
// union field has already been decoded.
entry.LenHint = 1
case vdl.Struct:
// Struct shouldn't have a LenHint, but we abuse it in NextField as a
// convenience for detecting when fields are done, so we initialize it here.
entry.LenHint = tt.NumField()
}
// Finally push the entry onto our stack.
d.stack = append(d.stack, entry)
return nil
}
func (d *xDecoder) FinishValue() error {
d.ignoreNextStartValue = false
stackTop := len(d.stack) - 1
if stackTop == -1 {
return errEmptyDecoderStack
}
d.stack = d.stack[:stackTop]
if stackTop == 0 {
return d.old.endMessage()
}
return nil
}
func (d *xDecoder) top() *decoderStackEntry {
if stackTop := len(d.stack) - 1; stackTop >= 0 {
return &d.stack[stackTop]
}
return nil
}
// dfsNextType determines the type of the next value that we will decode, by
// walking the static type in DFS order. To bootstrap we retrieve the top-level
// type from the VOM value message.
func (d *xDecoder) dfsNextType() (*vdl.Type, error) {
top := d.top()
if top == nil {
// Bootstrap: start decoding a new top-level value.
if err := d.old.decodeTypeDefs(); err != nil {
return nil, err
}
tid, err := d.old.nextMessage()
if err != nil {
return nil, err
}
return d.old.typeDec.lookupType(tid)
}
// Check invariants now, right before we actually walk to the next type, and
// before we've incremented NumStarted.
//
// TODO(toddw): In theory we could check the invariants in more places
// (e.g. in NextEntry and NextField after incrementing Index), but that may
// get expensive.
if err := d.checkInvariants(top); err != nil {
return nil, err
}
top.NumStarted++
// Return the next type from our composite types.
switch top.Type.Kind() {
case vdl.Array, vdl.List:
return top.Type.Elem(), nil
case vdl.Set:
return top.Type.Key(), nil
case vdl.Map:
// NumStarted is already incremented by the time we check it.
if top.NumStarted%2 == 1 {
return top.Type.Key(), nil
} else {
return top.Type.Elem(), nil
}
case vdl.Union, vdl.Struct:
return top.Type.Field(top.Index).Type, nil
}
return nil, fmt.Errorf("vom: can't StartValue on %v", top.Type)
}
func (d *xDecoder) checkInvariants(top *decoderStackEntry) error {
switch top.Type.Kind() {
case vdl.Array, vdl.List, vdl.Set, vdl.Map, vdl.Union, vdl.Struct:
if top.Index < 0 || (top.Index >= top.LenHint && top.LenHint >= 0) {
return fmt.Errorf("vom: invalid DFS walk, bad index, check NextEntry, NextField and FinishValue, stack %+v", d.stack)
}
default:
if top.Index != -1 || top.LenHint != -1 {
return fmt.Errorf("vom: invalid DFS walk, internal error, stack %+v", d.stack)
}
}
var bad bool
switch top.Type.Kind() {
case vdl.Array, vdl.List, vdl.Set:
bad = top.NumStarted != top.Index
case vdl.Map:
bad = top.NumStarted/2 != top.Index
case vdl.Union:
bad = top.NumStarted != 0
case vdl.Struct:
bad = top.NumStarted >= top.Type.NumField()
}
if bad {
return fmt.Errorf("vom: invalid DFS walk, mismatched NextEntry, NextField and StartValue, stack %+v", d.stack)
}
return nil
}
func (d *xDecoder) NextEntry() (bool, error) {
// Our strategy is to increment top.Index until it reaches top.LenHint.
// Currently the LenHint is always set, so it's stronger than a hint.
//
// TODO(toddw): Handle sentry-terminated collections without a LenHint.
top := d.top()
if top == nil {
return false, errEmptyDecoderStack
}
// Increment index and check errors.
top.Index++
switch top.Type.Kind() {
case vdl.Array, vdl.List, vdl.Set, vdl.Map:
if top.Index > top.LenHint && top.LenHint >= 0 {
return false, fmt.Errorf("vom: NextEntry called after done, stack: %+v", d.stack)
}
default:
return false, fmt.Errorf("vom: NextEntry called on invalid type, stack: %+v", d.stack)
}
return top.Index == top.LenHint, nil
}
func (d *xDecoder) NextField() (string, error) {
top := d.top()
if top == nil {
return "", errEmptyDecoderStack
}
// Increment index and check errors. Note that the actual top.Index is
// decoded from the buf data stream; we use top.LenHint to help detect when
// the fields are done, and to detect invalid calls after we're done.
top.Index++
switch top.Type.Kind() {
case vdl.Union, vdl.Struct:
if top.Index > top.LenHint {
return "", fmt.Errorf("vom: NextField called after done, stack: %+v", d.stack)
}
default:
return "", fmt.Errorf("vom: NextField called on invalid type, stack: %+v", d.stack)
}
var field int
switch top.Type.Kind() {
case vdl.Union:
if top.Index == top.LenHint {
// We know we're done since we set LenHint=Index+1 the first time around,
// and we incremented the index above.
return "", nil
}
// Decode the union field index.
switch index, err := binaryDecodeUint(d.old.buf); {
case err != nil:
return "", err
case index >= uint64(top.Type.NumField()):
return "", verror.New(errIndexOutOfRange, nil)
default:
// Set LenHint=Index+1 so that we'll know we're done next time around.
field = int(index)
top.Index = field
top.LenHint = field + 1
}
case vdl.Struct:
// Decode the struct field index.
switch index, ctrl, err := binaryDecodeUintWithControl(d.old.buf); {
case err != nil:
return "", err
case ctrl == WireCtrlEnd:
// Set Index=LenHint to ensure repeated calls will fail.
top.Index = top.LenHint
return "", nil
case ctrl != 0:
return "", verror.New(errUnexpectedControlByte, nil, ctrl)
case index >= uint64(top.Type.NumField()):
return "", verror.New(errIndexOutOfRange, nil)
default:
field = int(index)
top.Index = field
}
}
return top.Type.Field(field).Name, nil
}
func (d *xDecoder) Type() *vdl.Type {
if top := d.top(); top != nil {
return top.Type
}
return nil
}
func (d *xDecoder) IsAny() bool {
if top := d.top(); top != nil {
return top.IsAny
}
return false
}
func (d *xDecoder) IsOptional() bool {
if top := d.top(); top != nil {
return top.IsOptional
}
return false
}
func (d *xDecoder) IsNil() bool {
if top := d.top(); top != nil {
// Becuase of the "dereferencing" we do, the only time the type is any or
// optional is when it's nil.
return top.Type == vdl.AnyType || top.Type.Kind() == vdl.Optional
}
return false
}
func (d *xDecoder) Index() int {
if top := d.top(); top != nil {
return top.Index
}
return -1
}
func (d *xDecoder) LenHint() int {
if top := d.top(); top != nil {
// Note that union and struct shouldn't have a LenHint, but we abuse it in
// NextField as a convenience for detecting when fields are done, so an
// "arbitrary" value is returned here. Users shouldn't be looking at it for
// union and struct anyways.
return top.LenHint
}
return -1
}
func (d *xDecoder) DecodeBool() (bool, error) {
tt := d.Type()
if tt == nil {
return false, errEmptyDecoderStack
}
if tt.Kind() == vdl.Bool {
return binaryDecodeBool(d.old.buf)
}
return false, fmt.Errorf("vom: incompatible decode from %v into bool", tt)
}
func (d *xDecoder) binaryDecodeByte() (byte, error) {
// Handle a special-case where normally single bytes are written out as
// variable sized numbers, which use 2 bytes to encode bytes > 127. But each
// byte contained in a list or array is written out as one byte. E.g.
// byte(0x81) -> 0xFF81 : single byte with variable-size
// []byte("\x81\x82") -> 0x028182 : each elem byte encoded as one byte
if stackTop2 := len(d.stack) - 2; stackTop2 >= 0 {
if top2 := d.stack[stackTop2]; top2.Type.IsBytes() {
return d.old.buf.ReadByte()
}
}
x, err := binaryDecodeUint(d.old.buf)
return byte(x), err
}
func (d *xDecoder) DecodeUint(bitlen int) (uint64, error) {
const errFmt = "vom: conversion from %v into uint%d loses precision: %v"
tt, ubitlen := d.Type(), uint(bitlen)
if tt == nil {
return 0, errEmptyDecoderStack
}
switch tt.Kind() {
case vdl.Byte:
x, err := d.binaryDecodeByte()
if err != nil {
return 0, err
}
return uint64(x), err
case vdl.Uint16, vdl.Uint32, vdl.Uint64:
x, err := binaryDecodeUint(d.old.buf)
if err != nil {
return 0, err
}
if shift := 64 - ubitlen; x != (x<<shift)>>shift {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return x, nil
case vdl.Int8, vdl.Int16, vdl.Int32, vdl.Int64:
x, err := binaryDecodeInt(d.old.buf)
if err != nil {
return 0, err
}
ux := uint64(x)
if shift := 64 - ubitlen; x < 0 || ux != (ux<<shift)>>shift {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return ux, nil
case vdl.Float32, vdl.Float64:
x, err := binaryDecodeFloat(d.old.buf)
if err != nil {
return 0, err
}
ux := uint64(x)
if shift := 64 - ubitlen; x != float64(ux) || ux != (ux<<shift)>>shift {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return ux, nil
}
return 0, fmt.Errorf("vom: incompatible decode from %v into uint%d", tt, bitlen)
}
func (d *xDecoder) DecodeInt(bitlen int) (int64, error) {
const errFmt = "vom: conversion from %v into int%d loses precision: %v"
tt, ubitlen := d.Type(), uint(bitlen)
if tt == nil {
return 0, errEmptyDecoderStack
}
switch tt.Kind() {
case vdl.Byte:
x, err := d.binaryDecodeByte()
if err != nil {
return 0, err
}
// The only case that fails is if we're converting byte(x) to int8, and x
// uses more than 7 bits (i.e. is greater than 127).
if bitlen <= 8 && x > 0x7f {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return int64(x), nil
case vdl.Uint16, vdl.Uint32, vdl.Uint64:
x, err := binaryDecodeUint(d.old.buf)
if err != nil {
return 0, err
}
ix := int64(x)
// The shift uses 65 since the topmost bit is the sign bit. I.e. 32 bit
// numbers should be shifted by 33 rather than 32.
if shift := 65 - ubitlen; ix < 0 || x != (x<<shift)>>shift {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return ix, nil
case vdl.Int8, vdl.Int16, vdl.Int32, vdl.Int64:
x, err := binaryDecodeInt(d.old.buf)
if err != nil {
return 0, err
}
if shift := 64 - ubitlen; x != (x<<shift)>>shift {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return x, nil
case vdl.Float32, vdl.Float64:
x, err := binaryDecodeFloat(d.old.buf)
if err != nil {
return 0, err
}
ix := int64(x)
if shift := 64 - ubitlen; x != float64(ix) || ix != (ix<<shift)>>shift {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return ix, nil
}
return 0, fmt.Errorf("vom: incompatible decode from %v into int%d", tt, bitlen)
}
func (d *xDecoder) DecodeFloat(bitlen int) (float64, error) {
const errFmt = "vom: conversion from %v into float%d loses precision: %v"
tt := d.Type()
if tt == nil {
return 0, errEmptyDecoderStack
}
switch tt.Kind() {
case vdl.Byte:
x, err := d.binaryDecodeByte()
if err != nil {
return 0, err
}
return float64(x), nil
case vdl.Uint16, vdl.Uint32, vdl.Uint64:
x, err := binaryDecodeUint(d.old.buf)
if err != nil {
return 0, err
}
var max uint64
if bitlen > 32 {
max = float64MaxInt
} else {
max = float32MaxInt
}
if x > max {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return float64(x), nil
case vdl.Int8, vdl.Int16, vdl.Int32, vdl.Int64:
x, err := binaryDecodeInt(d.old.buf)
if err != nil {
return 0, err
}
var min, max int64
if bitlen > 32 {
min, max = float64MinInt, float64MaxInt
} else {
min, max = float32MinInt, float32MaxInt
}
if x < min || x > max {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return float64(x), nil
case vdl.Float32, vdl.Float64:
x, err := binaryDecodeFloat(d.old.buf)
if err != nil {
return 0, err
}
if bitlen <= 32 && (x < -math.MaxFloat32 || x > math.MaxFloat32) {
return 0, fmt.Errorf(errFmt, tt, bitlen, x)
}
return x, nil
}
return 0, fmt.Errorf("vom: incompatible decode from %v into float%d", tt, bitlen)
}
func (d *xDecoder) DecodeBytes(fixedlen int, v *[]byte) error {
top := d.top()
if top == nil {
return errEmptyDecoderStack
}
tt := top.Type
if !tt.IsBytes() {
return vdl.DecodeConvertedBytes(d, fixedlen, v)
}
len := top.LenHint
switch {
case len == -1:
return fmt.Errorf("vom: %v LenHint is currently required", tt)
case fixedlen >= 0 && fixedlen != len:
return fmt.Errorf("vom: %v got %d bytes, want fixed len %d", tt, len, fixedlen)
}
if cap(*v) >= len {
*v = (*v)[:len]
} else {
*v = make([]byte, len)
}
return d.old.buf.ReadIntoBuf(*v)
}
func (d *xDecoder) DecodeString() (string, error) {
tt := d.Type()
if tt == nil {
return "", errEmptyDecoderStack
}
switch tt.Kind() {
case vdl.String:
return binaryDecodeString(d.old.buf)
case vdl.Enum:
index, err := binaryDecodeUint(d.old.buf)
switch {
case err != nil:
return "", err
case index >= uint64(tt.NumEnumLabel()):
return "", fmt.Errorf("vom: %v enum index %d out of range", tt, index)
}
return tt.EnumLabel(int(index)), nil
}
return "", fmt.Errorf("vom: incompatible decode from %v into string", tt)
}
func (d *xDecoder) DecodeTypeObject() (*vdl.Type, error) {
tt := d.Type()
if tt == nil {
return nil, errEmptyDecoderStack
}
switch tt.Kind() {
case vdl.TypeObject:
typeIndex, err := binaryDecodeUint(d.old.buf)
if err != nil {
return nil, err
}
tid, err := d.old.refTypes.ReferencedTypeId(typeIndex)
if err != nil {
return nil, err
}
return d.old.typeDec.lookupType(tid)
}
return nil, fmt.Errorf("vom: incompatible decode from %v into typeobject", tt)
}
func (d *xDecoder) SkipValue() error {
if err := d.StartValue(vdl.AnyType); err != nil {
return err
}
// Nil values have already been read in StartValue, so we only need to
// explicitly ignore non-nil values.
if !d.IsNil() {
if err := d.old.ignoreValue(d.Type()); err != nil {
return err
}
}
return d.FinishValue()
}