summaryrefslogtreecommitdiff
path: root/vendor/google.golang.org/protobuf/proto
diff options
context:
space:
mode:
Diffstat (limited to 'vendor/google.golang.org/protobuf/proto')
-rw-r--r--vendor/google.golang.org/protobuf/proto/checkinit.go71
-rw-r--r--vendor/google.golang.org/protobuf/proto/decode.go312
-rw-r--r--vendor/google.golang.org/protobuf/proto/decode_gen.go603
-rw-r--r--vendor/google.golang.org/protobuf/proto/doc.go86
-rw-r--r--vendor/google.golang.org/protobuf/proto/encode.go355
-rw-r--r--vendor/google.golang.org/protobuf/proto/encode_gen.go97
-rw-r--r--vendor/google.golang.org/protobuf/proto/equal.go66
-rw-r--r--vendor/google.golang.org/protobuf/proto/extension.go166
-rw-r--r--vendor/google.golang.org/protobuf/proto/merge.go139
-rw-r--r--vendor/google.golang.org/protobuf/proto/messageset.go98
-rw-r--r--vendor/google.golang.org/protobuf/proto/proto.go45
-rw-r--r--vendor/google.golang.org/protobuf/proto/proto_methods.go20
-rw-r--r--vendor/google.golang.org/protobuf/proto/proto_reflect.go20
-rw-r--r--vendor/google.golang.org/protobuf/proto/reset.go43
-rw-r--r--vendor/google.golang.org/protobuf/proto/size.go111
-rw-r--r--vendor/google.golang.org/protobuf/proto/size_gen.go55
-rw-r--r--vendor/google.golang.org/protobuf/proto/wrapperopaque.go80
-rw-r--r--vendor/google.golang.org/protobuf/proto/wrappers.go29
18 files changed, 0 insertions, 2396 deletions
diff --git a/vendor/google.golang.org/protobuf/proto/checkinit.go b/vendor/google.golang.org/protobuf/proto/checkinit.go
deleted file mode 100644
index 3e9a6a2f6..000000000
--- a/vendor/google.golang.org/protobuf/proto/checkinit.go
+++ /dev/null
@@ -1,71 +0,0 @@
-// Copyright 2019 The Go 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 proto
-
-import (
- "google.golang.org/protobuf/internal/errors"
- "google.golang.org/protobuf/reflect/protoreflect"
- "google.golang.org/protobuf/runtime/protoiface"
-)
-
-// CheckInitialized returns an error if any required fields in m are not set.
-func CheckInitialized(m Message) error {
- // Treat a nil message interface as an "untyped" empty message,
- // which we assume to have no required fields.
- if m == nil {
- return nil
- }
-
- return checkInitialized(m.ProtoReflect())
-}
-
-// CheckInitialized returns an error if any required fields in m are not set.
-func checkInitialized(m protoreflect.Message) error {
- if methods := protoMethods(m); methods != nil && methods.CheckInitialized != nil {
- _, err := methods.CheckInitialized(protoiface.CheckInitializedInput{
- Message: m,
- })
- return err
- }
- return checkInitializedSlow(m)
-}
-
-func checkInitializedSlow(m protoreflect.Message) error {
- md := m.Descriptor()
- fds := md.Fields()
- for i, nums := 0, md.RequiredNumbers(); i < nums.Len(); i++ {
- fd := fds.ByNumber(nums.Get(i))
- if !m.Has(fd) {
- return errors.RequiredNotSet(string(fd.FullName()))
- }
- }
- var err error
- m.Range(func(fd protoreflect.FieldDescriptor, v protoreflect.Value) bool {
- switch {
- case fd.IsList():
- if fd.Message() == nil {
- return true
- }
- for i, list := 0, v.List(); i < list.Len() && err == nil; i++ {
- err = checkInitialized(list.Get(i).Message())
- }
- case fd.IsMap():
- if fd.MapValue().Message() == nil {
- return true
- }
- v.Map().Range(func(key protoreflect.MapKey, v protoreflect.Value) bool {
- err = checkInitialized(v.Message())
- return err == nil
- })
- default:
- if fd.Message() == nil {
- return true
- }
- err = checkInitialized(v.Message())
- }
- return err == nil
- })
- return err
-}
diff --git a/vendor/google.golang.org/protobuf/proto/decode.go b/vendor/google.golang.org/protobuf/proto/decode.go
deleted file mode 100644
index e28d7acb3..000000000
--- a/vendor/google.golang.org/protobuf/proto/decode.go
+++ /dev/null
@@ -1,312 +0,0 @@
-// Copyright 2018 The Go 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 proto
-
-import (
- "google.golang.org/protobuf/encoding/protowire"
- "google.golang.org/protobuf/internal/encoding/messageset"
- "google.golang.org/protobuf/internal/errors"
- "google.golang.org/protobuf/internal/flags"
- "google.golang.org/protobuf/internal/genid"
- "google.golang.org/protobuf/internal/pragma"
- "google.golang.org/protobuf/reflect/protoreflect"
- "google.golang.org/protobuf/reflect/protoregistry"
- "google.golang.org/protobuf/runtime/protoiface"
-)
-
-// UnmarshalOptions configures the unmarshaler.
-//
-// Example usage:
-//
-// err := UnmarshalOptions{DiscardUnknown: true}.Unmarshal(b, m)
-type UnmarshalOptions struct {
- pragma.NoUnkeyedLiterals
-
- // Merge merges the input into the destination message.
- // The default behavior is to always reset the message before unmarshaling,
- // unless Merge is specified.
- Merge bool
-
- // AllowPartial accepts input for messages that will result in missing
- // required fields. If AllowPartial is false (the default), Unmarshal will
- // return an error if there are any missing required fields.
- AllowPartial bool
-
- // If DiscardUnknown is set, unknown fields are ignored.
- DiscardUnknown bool
-
- // Resolver is used for looking up types when unmarshaling extension fields.
- // If nil, this defaults to using protoregistry.GlobalTypes.
- Resolver interface {
- FindExtensionByName(field protoreflect.FullName) (protoreflect.ExtensionType, error)
- FindExtensionByNumber(message protoreflect.FullName, field protoreflect.FieldNumber) (protoreflect.ExtensionType, error)
- }
-
- // RecursionLimit limits how deeply messages may be nested.
- // If zero, a default limit is applied.
- RecursionLimit int
-
- //
- // NoLazyDecoding turns off lazy decoding, which otherwise is enabled by
- // default. Lazy decoding only affects submessages (annotated with [lazy =
- // true] in the .proto file) within messages that use the Opaque API.
- NoLazyDecoding bool
-}
-
-// Unmarshal parses the wire-format message in b and places the result in m.
-// The provided message must be mutable (e.g., a non-nil pointer to a message).
-//
-// See the [UnmarshalOptions] type if you need more control.
-func Unmarshal(b []byte, m Message) error {
- _, err := UnmarshalOptions{RecursionLimit: protowire.DefaultRecursionLimit}.unmarshal(b, m.ProtoReflect())
- return err
-}
-
-// Unmarshal parses the wire-format message in b and places the result in m.
-// The provided message must be mutable (e.g., a non-nil pointer to a message).
-func (o UnmarshalOptions) Unmarshal(b []byte, m Message) error {
- if o.RecursionLimit == 0 {
- o.RecursionLimit = protowire.DefaultRecursionLimit
- }
- _, err := o.unmarshal(b, m.ProtoReflect())
- return err
-}
-
-// UnmarshalState parses a wire-format message and places the result in m.
-//
-// This method permits fine-grained control over the unmarshaler.
-// Most users should use [Unmarshal] instead.
-func (o UnmarshalOptions) UnmarshalState(in protoiface.UnmarshalInput) (protoiface.UnmarshalOutput, error) {
- if o.RecursionLimit == 0 {
- o.RecursionLimit = protowire.DefaultRecursionLimit
- }
- return o.unmarshal(in.Buf, in.Message)
-}
-
-// unmarshal is a centralized function that all unmarshal operations go through.
-// For profiling purposes, avoid changing the name of this function or
-// introducing other code paths for unmarshal that do not go through this.
-func (o UnmarshalOptions) unmarshal(b []byte, m protoreflect.Message) (out protoiface.UnmarshalOutput, err error) {
- if o.Resolver == nil {
- o.Resolver = protoregistry.GlobalTypes
- }
- if !o.Merge {
- Reset(m.Interface())
- }
- allowPartial := o.AllowPartial
- o.Merge = true
- o.AllowPartial = true
- methods := protoMethods(m)
- if methods != nil && methods.Unmarshal != nil &&
- !(o.DiscardUnknown && methods.Flags&protoiface.SupportUnmarshalDiscardUnknown == 0) {
- in := protoiface.UnmarshalInput{
- Message: m,
- Buf: b,
- Resolver: o.Resolver,
- Depth: o.RecursionLimit,
- }
- if o.DiscardUnknown {
- in.Flags |= protoiface.UnmarshalDiscardUnknown
- }
-
- if !allowPartial {
- // This does not affect how current unmarshal functions work, it just allows them
- // to record this for lazy the decoding case.
- in.Flags |= protoiface.UnmarshalCheckRequired
- }
- if o.NoLazyDecoding {
- in.Flags |= protoiface.UnmarshalNoLazyDecoding
- }
-
- out, err = methods.Unmarshal(in)
- } else {
- o.RecursionLimit--
- if o.RecursionLimit < 0 {
- return out, errors.New("exceeded max recursion depth")
- }
- err = o.unmarshalMessageSlow(b, m)
- }
- if err != nil {
- return out, err
- }
- if allowPartial || (out.Flags&protoiface.UnmarshalInitialized != 0) {
- return out, nil
- }
- return out, checkInitialized(m)
-}
-
-func (o UnmarshalOptions) unmarshalMessage(b []byte, m protoreflect.Message) error {
- _, err := o.unmarshal(b, m)
- return err
-}
-
-func (o UnmarshalOptions) unmarshalMessageSlow(b []byte, m protoreflect.Message) error {
- md := m.Descriptor()
- if messageset.IsMessageSet(md) {
- return o.unmarshalMessageSet(b, m)
- }
- fields := md.Fields()
- for len(b) > 0 {
- // Parse the tag (field number and wire type).
- num, wtyp, tagLen := protowire.ConsumeTag(b)
- if tagLen < 0 {
- return errDecode
- }
- if num > protowire.MaxValidNumber {
- return errDecode
- }
-
- // Find the field descriptor for this field number.
- fd := fields.ByNumber(num)
- if fd == nil && md.ExtensionRanges().Has(num) {
- extType, err := o.Resolver.FindExtensionByNumber(md.FullName(), num)
- if err != nil && err != protoregistry.NotFound {
- return errors.New("%v: unable to resolve extension %v: %v", md.FullName(), num, err)
- }
- if extType != nil {
- fd = extType.TypeDescriptor()
- }
- }
- var err error
- if fd == nil {
- err = errUnknown
- } else if flags.ProtoLegacyWeak {
- if fd.IsWeak() && fd.Message().IsPlaceholder() {
- err = errUnknown // weak referent is not linked in
- }
- }
-
- // Parse the field value.
- var valLen int
- switch {
- case err != nil:
- case fd.IsList():
- valLen, err = o.unmarshalList(b[tagLen:], wtyp, m.Mutable(fd).List(), fd)
- case fd.IsMap():
- valLen, err = o.unmarshalMap(b[tagLen:], wtyp, m.Mutable(fd).Map(), fd)
- default:
- valLen, err = o.unmarshalSingular(b[tagLen:], wtyp, m, fd)
- }
- if err != nil {
- if err != errUnknown {
- return err
- }
- valLen = protowire.ConsumeFieldValue(num, wtyp, b[tagLen:])
- if valLen < 0 {
- return errDecode
- }
- if !o.DiscardUnknown {
- m.SetUnknown(append(m.GetUnknown(), b[:tagLen+valLen]...))
- }
- }
- b = b[tagLen+valLen:]
- }
- return nil
-}
-
-func (o UnmarshalOptions) unmarshalSingular(b []byte, wtyp protowire.Type, m protoreflect.Message, fd protoreflect.FieldDescriptor) (n int, err error) {
- v, n, err := o.unmarshalScalar(b, wtyp, fd)
- if err != nil {
- return 0, err
- }
- switch fd.Kind() {
- case protoreflect.GroupKind, protoreflect.MessageKind:
- m2 := m.Mutable(fd).Message()
- if err := o.unmarshalMessage(v.Bytes(), m2); err != nil {
- return n, err
- }
- default:
- // Non-message scalars replace the previous value.
- m.Set(fd, v)
- }
- return n, nil
-}
-
-func (o UnmarshalOptions) unmarshalMap(b []byte, wtyp protowire.Type, mapv protoreflect.Map, fd protoreflect.FieldDescriptor) (n int, err error) {
- if wtyp != protowire.BytesType {
- return 0, errUnknown
- }
- b, n = protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- var (
- keyField = fd.MapKey()
- valField = fd.MapValue()
- key protoreflect.Value
- val protoreflect.Value
- haveKey bool
- haveVal bool
- )
- switch valField.Kind() {
- case protoreflect.GroupKind, protoreflect.MessageKind:
- val = mapv.NewValue()
- }
- // Map entries are represented as a two-element message with fields
- // containing the key and value.
- for len(b) > 0 {
- num, wtyp, n := protowire.ConsumeTag(b)
- if n < 0 {
- return 0, errDecode
- }
- if num > protowire.MaxValidNumber {
- return 0, errDecode
- }
- b = b[n:]
- err = errUnknown
- switch num {
- case genid.MapEntry_Key_field_number:
- key, n, err = o.unmarshalScalar(b, wtyp, keyField)
- if err != nil {
- break
- }
- haveKey = true
- case genid.MapEntry_Value_field_number:
- var v protoreflect.Value
- v, n, err = o.unmarshalScalar(b, wtyp, valField)
- if err != nil {
- break
- }
- switch valField.Kind() {
- case protoreflect.GroupKind, protoreflect.MessageKind:
- if err := o.unmarshalMessage(v.Bytes(), val.Message()); err != nil {
- return 0, err
- }
- default:
- val = v
- }
- haveVal = true
- }
- if err == errUnknown {
- n = protowire.ConsumeFieldValue(num, wtyp, b)
- if n < 0 {
- return 0, errDecode
- }
- } else if err != nil {
- return 0, err
- }
- b = b[n:]
- }
- // Every map entry should have entries for key and value, but this is not strictly required.
- if !haveKey {
- key = keyField.Default()
- }
- if !haveVal {
- switch valField.Kind() {
- case protoreflect.GroupKind, protoreflect.MessageKind:
- default:
- val = valField.Default()
- }
- }
- mapv.Set(key.MapKey(), val)
- return n, nil
-}
-
-// errUnknown is used internally to indicate fields which should be added
-// to the unknown field set of a message. It is never returned from an exported
-// function.
-var errUnknown = errors.New("BUG: internal error (unknown)")
-
-var errDecode = errors.New("cannot parse invalid wire-format data")
diff --git a/vendor/google.golang.org/protobuf/proto/decode_gen.go b/vendor/google.golang.org/protobuf/proto/decode_gen.go
deleted file mode 100644
index 301eeb20f..000000000
--- a/vendor/google.golang.org/protobuf/proto/decode_gen.go
+++ /dev/null
@@ -1,603 +0,0 @@
-// Copyright 2018 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// Code generated by generate-types. DO NOT EDIT.
-
-package proto
-
-import (
- "math"
- "unicode/utf8"
-
- "google.golang.org/protobuf/encoding/protowire"
- "google.golang.org/protobuf/internal/errors"
- "google.golang.org/protobuf/internal/strs"
- "google.golang.org/protobuf/reflect/protoreflect"
-)
-
-// unmarshalScalar decodes a value of the given kind.
-//
-// Message values are decoded into a []byte which aliases the input data.
-func (o UnmarshalOptions) unmarshalScalar(b []byte, wtyp protowire.Type, fd protoreflect.FieldDescriptor) (val protoreflect.Value, n int, err error) {
- switch fd.Kind() {
- case protoreflect.BoolKind:
- if wtyp != protowire.VarintType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfBool(protowire.DecodeBool(v)), n, nil
- case protoreflect.EnumKind:
- if wtyp != protowire.VarintType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfEnum(protoreflect.EnumNumber(v)), n, nil
- case protoreflect.Int32Kind:
- if wtyp != protowire.VarintType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfInt32(int32(v)), n, nil
- case protoreflect.Sint32Kind:
- if wtyp != protowire.VarintType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfInt32(int32(protowire.DecodeZigZag(v & math.MaxUint32))), n, nil
- case protoreflect.Uint32Kind:
- if wtyp != protowire.VarintType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfUint32(uint32(v)), n, nil
- case protoreflect.Int64Kind:
- if wtyp != protowire.VarintType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfInt64(int64(v)), n, nil
- case protoreflect.Sint64Kind:
- if wtyp != protowire.VarintType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfInt64(protowire.DecodeZigZag(v)), n, nil
- case protoreflect.Uint64Kind:
- if wtyp != protowire.VarintType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfUint64(v), n, nil
- case protoreflect.Sfixed32Kind:
- if wtyp != protowire.Fixed32Type {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeFixed32(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfInt32(int32(v)), n, nil
- case protoreflect.Fixed32Kind:
- if wtyp != protowire.Fixed32Type {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeFixed32(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfUint32(uint32(v)), n, nil
- case protoreflect.FloatKind:
- if wtyp != protowire.Fixed32Type {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeFixed32(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfFloat32(math.Float32frombits(uint32(v))), n, nil
- case protoreflect.Sfixed64Kind:
- if wtyp != protowire.Fixed64Type {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeFixed64(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfInt64(int64(v)), n, nil
- case protoreflect.Fixed64Kind:
- if wtyp != protowire.Fixed64Type {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeFixed64(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfUint64(v), n, nil
- case protoreflect.DoubleKind:
- if wtyp != protowire.Fixed64Type {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeFixed64(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfFloat64(math.Float64frombits(v)), n, nil
- case protoreflect.StringKind:
- if wtyp != protowire.BytesType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return val, 0, errDecode
- }
- if strs.EnforceUTF8(fd) && !utf8.Valid(v) {
- return protoreflect.Value{}, 0, errors.InvalidUTF8(string(fd.FullName()))
- }
- return protoreflect.ValueOfString(string(v)), n, nil
- case protoreflect.BytesKind:
- if wtyp != protowire.BytesType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfBytes(append(emptyBuf[:], v...)), n, nil
- case protoreflect.MessageKind:
- if wtyp != protowire.BytesType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfBytes(v), n, nil
- case protoreflect.GroupKind:
- if wtyp != protowire.StartGroupType {
- return val, 0, errUnknown
- }
- v, n := protowire.ConsumeGroup(fd.Number(), b)
- if n < 0 {
- return val, 0, errDecode
- }
- return protoreflect.ValueOfBytes(v), n, nil
- default:
- return val, 0, errUnknown
- }
-}
-
-func (o UnmarshalOptions) unmarshalList(b []byte, wtyp protowire.Type, list protoreflect.List, fd protoreflect.FieldDescriptor) (n int, err error) {
- switch fd.Kind() {
- case protoreflect.BoolKind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeVarint(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfBool(protowire.DecodeBool(v)))
- }
- return n, nil
- }
- if wtyp != protowire.VarintType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfBool(protowire.DecodeBool(v)))
- return n, nil
- case protoreflect.EnumKind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeVarint(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfEnum(protoreflect.EnumNumber(v)))
- }
- return n, nil
- }
- if wtyp != protowire.VarintType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfEnum(protoreflect.EnumNumber(v)))
- return n, nil
- case protoreflect.Int32Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeVarint(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfInt32(int32(v)))
- }
- return n, nil
- }
- if wtyp != protowire.VarintType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfInt32(int32(v)))
- return n, nil
- case protoreflect.Sint32Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeVarint(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfInt32(int32(protowire.DecodeZigZag(v & math.MaxUint32))))
- }
- return n, nil
- }
- if wtyp != protowire.VarintType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfInt32(int32(protowire.DecodeZigZag(v & math.MaxUint32))))
- return n, nil
- case protoreflect.Uint32Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeVarint(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfUint32(uint32(v)))
- }
- return n, nil
- }
- if wtyp != protowire.VarintType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfUint32(uint32(v)))
- return n, nil
- case protoreflect.Int64Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeVarint(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfInt64(int64(v)))
- }
- return n, nil
- }
- if wtyp != protowire.VarintType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfInt64(int64(v)))
- return n, nil
- case protoreflect.Sint64Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeVarint(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfInt64(protowire.DecodeZigZag(v)))
- }
- return n, nil
- }
- if wtyp != protowire.VarintType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfInt64(protowire.DecodeZigZag(v)))
- return n, nil
- case protoreflect.Uint64Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeVarint(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfUint64(v))
- }
- return n, nil
- }
- if wtyp != protowire.VarintType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeVarint(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfUint64(v))
- return n, nil
- case protoreflect.Sfixed32Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeFixed32(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfInt32(int32(v)))
- }
- return n, nil
- }
- if wtyp != protowire.Fixed32Type {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeFixed32(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfInt32(int32(v)))
- return n, nil
- case protoreflect.Fixed32Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeFixed32(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfUint32(uint32(v)))
- }
- return n, nil
- }
- if wtyp != protowire.Fixed32Type {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeFixed32(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfUint32(uint32(v)))
- return n, nil
- case protoreflect.FloatKind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeFixed32(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfFloat32(math.Float32frombits(uint32(v))))
- }
- return n, nil
- }
- if wtyp != protowire.Fixed32Type {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeFixed32(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfFloat32(math.Float32frombits(uint32(v))))
- return n, nil
- case protoreflect.Sfixed64Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeFixed64(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfInt64(int64(v)))
- }
- return n, nil
- }
- if wtyp != protowire.Fixed64Type {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeFixed64(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfInt64(int64(v)))
- return n, nil
- case protoreflect.Fixed64Kind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeFixed64(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfUint64(v))
- }
- return n, nil
- }
- if wtyp != protowire.Fixed64Type {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeFixed64(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfUint64(v))
- return n, nil
- case protoreflect.DoubleKind:
- if wtyp == protowire.BytesType {
- buf, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- for len(buf) > 0 {
- v, n := protowire.ConsumeFixed64(buf)
- if n < 0 {
- return 0, errDecode
- }
- buf = buf[n:]
- list.Append(protoreflect.ValueOfFloat64(math.Float64frombits(v)))
- }
- return n, nil
- }
- if wtyp != protowire.Fixed64Type {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeFixed64(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfFloat64(math.Float64frombits(v)))
- return n, nil
- case protoreflect.StringKind:
- if wtyp != protowire.BytesType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- if strs.EnforceUTF8(fd) && !utf8.Valid(v) {
- return 0, errors.InvalidUTF8(string(fd.FullName()))
- }
- list.Append(protoreflect.ValueOfString(string(v)))
- return n, nil
- case protoreflect.BytesKind:
- if wtyp != protowire.BytesType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- list.Append(protoreflect.ValueOfBytes(append(emptyBuf[:], v...)))
- return n, nil
- case protoreflect.MessageKind:
- if wtyp != protowire.BytesType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeBytes(b)
- if n < 0 {
- return 0, errDecode
- }
- m := list.NewElement()
- if err := o.unmarshalMessage(v, m.Message()); err != nil {
- return 0, err
- }
- list.Append(m)
- return n, nil
- case protoreflect.GroupKind:
- if wtyp != protowire.StartGroupType {
- return 0, errUnknown
- }
- v, n := protowire.ConsumeGroup(fd.Number(), b)
- if n < 0 {
- return 0, errDecode
- }
- m := list.NewElement()
- if err := o.unmarshalMessage(v, m.Message()); err != nil {
- return 0, err
- }
- list.Append(m)
- return n, nil
- default:
- return 0, errUnknown
- }
-}
-
-// We append to an empty array rather than a nil []byte to get non-nil zero-length byte slices.
-var emptyBuf [0]byte
diff --git a/vendor/google.golang.org/protobuf/proto/doc.go b/vendor/google.golang.org/protobuf/proto/doc.go
deleted file mode 100644
index 80ed16a0c..000000000
--- a/vendor/google.golang.org/protobuf/proto/doc.go
+++ /dev/null
@@ -1,86 +0,0 @@
-// Copyright 2019 The Go 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 proto provides functions operating on protocol buffer messages.
-//
-// For documentation on protocol buffers in general, see:
-// https://protobuf.dev.
-//
-// For a tutorial on using protocol buffers with Go, see:
-// https://protobuf.dev/getting-started/gotutorial.
-//
-// For a guide to generated Go protocol buffer code, see:
-// https://protobuf.dev/reference/go/go-generated.
-//
-// # Binary serialization
-//
-// This package contains functions to convert to and from the wire format,
-// an efficient binary serialization of protocol buffers.
-//
-// - [Size] reports the size of a message in the wire format.
-//
-// - [Marshal] converts a message to the wire format.
-// The [MarshalOptions] type provides more control over wire marshaling.
-//
-// - [Unmarshal] converts a message from the wire format.
-// The [UnmarshalOptions] type provides more control over wire unmarshaling.
-//
-// # Basic message operations
-//
-// - [Clone] makes a deep copy of a message.
-//
-// - [Merge] merges the content of a message into another.
-//
-// - [Equal] compares two messages. For more control over comparisons
-// and detailed reporting of differences, see package
-// [google.golang.org/protobuf/testing/protocmp].
-//
-// - [Reset] clears the content of a message.
-//
-// - [CheckInitialized] reports whether all required fields in a message are set.
-//
-// # Optional scalar constructors
-//
-// The API for some generated messages represents optional scalar fields
-// as pointers to a value. For example, an optional string field has the
-// Go type *string.
-//
-// - [Bool], [Int32], [Int64], [Uint32], [Uint64], [Float32], [Float64], and [String]
-// take a value and return a pointer to a new instance of it,
-// to simplify construction of optional field values.
-//
-// Generated enum types usually have an Enum method which performs the
-// same operation.
-//
-// Optional scalar fields are only supported in proto2.
-//
-// # Extension accessors
-//
-// - [HasExtension], [GetExtension], [SetExtension], and [ClearExtension]
-// access extension field values in a protocol buffer message.
-//
-// Extension fields are only supported in proto2.
-//
-// # Related packages
-//
-// - Package [google.golang.org/protobuf/encoding/protojson] converts messages to
-// and from JSON.
-//
-// - Package [google.golang.org/protobuf/encoding/prototext] converts messages to
-// and from the text format.
-//
-// - Package [google.golang.org/protobuf/reflect/protoreflect] provides a
-// reflection interface for protocol buffer data types.
-//
-// - Package [google.golang.org/protobuf/testing/protocmp] provides features
-// to compare protocol buffer messages with the [github.com/google/go-cmp/cmp]
-// package.
-//
-// - Package [google.golang.org/protobuf/types/dynamicpb] provides a dynamic
-// message type, suitable for working with messages where the protocol buffer
-// type is only known at runtime.
-//
-// This module contains additional packages for more specialized use cases.
-// Consult the individual package documentation for details.
-package proto
diff --git a/vendor/google.golang.org/protobuf/proto/encode.go b/vendor/google.golang.org/protobuf/proto/encode.go
deleted file mode 100644
index f0473c586..000000000
--- a/vendor/google.golang.org/protobuf/proto/encode.go
+++ /dev/null
@@ -1,355 +0,0 @@
-// Copyright 2019 The Go 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 proto
-
-import (
- "errors"
- "fmt"
-
- "google.golang.org/protobuf/encoding/protowire"
- "google.golang.org/protobuf/internal/encoding/messageset"
- "google.golang.org/protobuf/internal/order"
- "google.golang.org/protobuf/internal/pragma"
- "google.golang.org/protobuf/reflect/protoreflect"
- "google.golang.org/protobuf/runtime/protoiface"
-
- protoerrors "google.golang.org/protobuf/internal/errors"
-)
-
-// MarshalOptions configures the marshaler.
-//
-// Example usage:
-//
-// b, err := MarshalOptions{Deterministic: true}.Marshal(m)
-type MarshalOptions struct {
- pragma.NoUnkeyedLiterals
-
- // AllowPartial allows messages that have missing required fields to marshal
- // without returning an error. If AllowPartial is false (the default),
- // Marshal will return an error if there are any missing required fields.
- AllowPartial bool
-
- // Deterministic controls whether the same message will always be
- // serialized to the same bytes within the same binary.
- //
- // Setting this option guarantees that repeated serialization of
- // the same message will return the same bytes, and that different
- // processes of the same binary (which may be executing on different
- // machines) will serialize equal messages to the same bytes.
- // It has no effect on the resulting size of the encoded message compared
- // to a non-deterministic marshal.
- //
- // Note that the deterministic serialization is NOT canonical across
- // languages. It is not guaranteed to remain stable over time. It is
- // unstable across different builds with schema changes due to unknown
- // fields. Users who need canonical serialization (e.g., persistent
- // storage in a canonical form, fingerprinting, etc.) must define
- // their own canonicalization specification and implement their own
- // serializer rather than relying on this API.
- //
- // If deterministic serialization is requested, map entries will be
- // sorted by keys in lexographical order. This is an implementation
- // detail and subject to change.
- Deterministic bool
-
- // UseCachedSize indicates that the result of a previous Size call
- // may be reused.
- //
- // Setting this option asserts that:
- //
- // 1. Size has previously been called on this message with identical
- // options (except for UseCachedSize itself).
- //
- // 2. The message and all its submessages have not changed in any
- // way since the Size call. For lazily decoded messages, accessing
- // a message results in decoding the message, which is a change.
- //
- // If either of these invariants is violated,
- // the results are undefined and may include panics or corrupted output.
- //
- // Implementations MAY take this option into account to provide
- // better performance, but there is no guarantee that they will do so.
- // There is absolutely no guarantee that Size followed by Marshal with
- // UseCachedSize set will perform equivalently to Marshal alone.
- UseCachedSize bool
-}
-
-// flags turns the specified MarshalOptions (user-facing) into
-// protoiface.MarshalInputFlags (used internally by the marshaler).
-//
-// See impl.marshalOptions.Options for the inverse operation.
-func (o MarshalOptions) flags() protoiface.MarshalInputFlags {
- var flags protoiface.MarshalInputFlags
-
- // Note: o.AllowPartial is always forced to true by MarshalOptions.marshal,
- // which is why it is not a part of MarshalInputFlags.
-
- if o.Deterministic {
- flags |= protoiface.MarshalDeterministic
- }
-
- if o.UseCachedSize {
- flags |= protoiface.MarshalUseCachedSize
- }
-
- return flags
-}
-
-// Marshal returns the wire-format encoding of m.
-//
-// This is the most common entry point for encoding a Protobuf message.
-//
-// See the [MarshalOptions] type if you need more control.
-func Marshal(m Message) ([]byte, error) {
- // Treat nil message interface as an empty message; nothing to output.
- if m == nil {
- return nil, nil
- }
-
- out, err := MarshalOptions{}.marshal(nil, m.ProtoReflect())
- if len(out.Buf) == 0 && err == nil {
- out.Buf = emptyBytesForMessage(m)
- }
- return out.Buf, err
-}
-
-// Marshal returns the wire-format encoding of m.
-func (o MarshalOptions) Marshal(m Message) ([]byte, error) {
- // Treat nil message interface as an empty message; nothing to output.
- if m == nil {
- return nil, nil
- }
-
- out, err := o.marshal(nil, m.ProtoReflect())
- if len(out.Buf) == 0 && err == nil {
- out.Buf = emptyBytesForMessage(m)
- }
- return out.Buf, err
-}
-
-// emptyBytesForMessage returns a nil buffer if and only if m is invalid,
-// otherwise it returns a non-nil empty buffer.
-//
-// This is to assist the edge-case where user-code does the following:
-//
-// m1.OptionalBytes, _ = proto.Marshal(m2)
-//
-// where they expect the proto2 "optional_bytes" field to be populated
-// if any only if m2 is a valid message.
-func emptyBytesForMessage(m Message) []byte {
- if m == nil || !m.ProtoReflect().IsValid() {
- return nil
- }
- return emptyBuf[:]
-}
-
-// MarshalAppend appends the wire-format encoding of m to b,
-// returning the result.
-//
-// This is a less common entry point than [Marshal], which is only needed if you
-// need to supply your own buffers for performance reasons.
-func (o MarshalOptions) MarshalAppend(b []byte, m Message) ([]byte, error) {
- // Treat nil message interface as an empty message; nothing to append.
- if m == nil {
- return b, nil
- }
-
- out, err := o.marshal(b, m.ProtoReflect())
- return out.Buf, err
-}
-
-// MarshalState returns the wire-format encoding of a message.
-//
-// This method permits fine-grained control over the marshaler.
-// Most users should use [Marshal] instead.
-func (o MarshalOptions) MarshalState(in protoiface.MarshalInput) (protoiface.MarshalOutput, error) {
- return o.marshal(in.Buf, in.Message)
-}
-
-// marshal is a centralized function that all marshal operations go through.
-// For profiling purposes, avoid changing the name of this function or
-// introducing other code paths for marshal that do not go through this.
-func (o MarshalOptions) marshal(b []byte, m protoreflect.Message) (out protoiface.MarshalOutput, err error) {
- allowPartial := o.AllowPartial
- o.AllowPartial = true
- if methods := protoMethods(m); methods != nil && methods.Marshal != nil &&
- !(o.Deterministic && methods.Flags&protoiface.SupportMarshalDeterministic == 0) {
- in := protoiface.MarshalInput{
- Message: m,
- Buf: b,
- Flags: o.flags(),
- }
- if methods.Size != nil {
- sout := methods.Size(protoiface.SizeInput{
- Message: m,
- Flags: in.Flags,
- })
- if cap(b) < len(b)+sout.Size {
- in.Buf = make([]byte, len(b), growcap(cap(b), len(b)+sout.Size))
- copy(in.Buf, b)
- }
- in.Flags |= protoiface.MarshalUseCachedSize
- }
- out, err = methods.Marshal(in)
- } else {
- out.Buf, err = o.marshalMessageSlow(b, m)
- }
- if err != nil {
- var mismatch *protoerrors.SizeMismatchError
- if errors.As(err, &mismatch) {
- return out, fmt.Errorf("marshaling %s: %v", string(m.Descriptor().FullName()), err)
- }
- return out, err
- }
- if allowPartial {
- return out, nil
- }
- return out, checkInitialized(m)
-}
-
-func (o MarshalOptions) marshalMessage(b []byte, m protoreflect.Message) ([]byte, error) {
- out, err := o.marshal(b, m)
- return out.Buf, err
-}
-
-// growcap scales up the capacity of a slice.
-//
-// Given a slice with a current capacity of oldcap and a desired
-// capacity of wantcap, growcap returns a new capacity >= wantcap.
-//
-// The algorithm is mostly identical to the one used by append as of Go 1.14.
-func growcap(oldcap, wantcap int) (newcap int) {
- if wantcap > oldcap*2 {
- newcap = wantcap
- } else if oldcap < 1024 {
- // The Go 1.14 runtime takes this case when len(s) < 1024,
- // not when cap(s) < 1024. The difference doesn't seem
- // significant here.
- newcap = oldcap * 2
- } else {
- newcap = oldcap
- for 0 < newcap && newcap < wantcap {
- newcap += newcap / 4
- }
- if newcap <= 0 {
- newcap = wantcap
- }
- }
- return newcap
-}
-
-func (o MarshalOptions) marshalMessageSlow(b []byte, m protoreflect.Message) ([]byte, error) {
- if messageset.IsMessageSet(m.Descriptor()) {
- return o.marshalMessageSet(b, m)
- }
- fieldOrder := order.AnyFieldOrder
- if o.Deterministic {
- // TODO: This should use a more natural ordering like NumberFieldOrder,
- // but doing so breaks golden tests that make invalid assumption about
- // output stability of this implementation.
- fieldOrder = order.LegacyFieldOrder
- }
- var err error
- order.RangeFields(m, fieldOrder, func(fd protoreflect.FieldDescriptor, v protoreflect.Value) bool {
- b, err = o.marshalField(b, fd, v)
- return err == nil
- })
- if err != nil {
- return b, err
- }
- b = append(b, m.GetUnknown()...)
- return b, nil
-}
-
-func (o MarshalOptions) marshalField(b []byte, fd protoreflect.FieldDescriptor, value protoreflect.Value) ([]byte, error) {
- switch {
- case fd.IsList():
- return o.marshalList(b, fd, value.List())
- case fd.IsMap():
- return o.marshalMap(b, fd, value.Map())
- default:
- b = protowire.AppendTag(b, fd.Number(), wireTypes[fd.Kind()])
- return o.marshalSingular(b, fd, value)
- }
-}
-
-func (o MarshalOptions) marshalList(b []byte, fd protoreflect.FieldDescriptor, list protoreflect.List) ([]byte, error) {
- if fd.IsPacked() && list.Len() > 0 {
- b = protowire.AppendTag(b, fd.Number(), protowire.BytesType)
- b, pos := appendSpeculativeLength(b)
- for i, llen := 0, list.Len(); i < llen; i++ {
- var err error
- b, err = o.marshalSingular(b, fd, list.Get(i))
- if err != nil {
- return b, err
- }
- }
- b = finishSpeculativeLength(b, pos)
- return b, nil
- }
-
- kind := fd.Kind()
- for i, llen := 0, list.Len(); i < llen; i++ {
- var err error
- b = protowire.AppendTag(b, fd.Number(), wireTypes[kind])
- b, err = o.marshalSingular(b, fd, list.Get(i))
- if err != nil {
- return b, err
- }
- }
- return b, nil
-}
-
-func (o MarshalOptions) marshalMap(b []byte, fd protoreflect.FieldDescriptor, mapv protoreflect.Map) ([]byte, error) {
- keyf := fd.MapKey()
- valf := fd.MapValue()
- keyOrder := order.AnyKeyOrder
- if o.Deterministic {
- keyOrder = order.GenericKeyOrder
- }
- var err error
- order.RangeEntries(mapv, keyOrder, func(key protoreflect.MapKey, value protoreflect.Value) bool {
- b = protowire.AppendTag(b, fd.Number(), protowire.BytesType)
- var pos int
- b, pos = appendSpeculativeLength(b)
-
- b, err = o.marshalField(b, keyf, key.Value())
- if err != nil {
- return false
- }
- b, err = o.marshalField(b, valf, value)
- if err != nil {
- return false
- }
- b = finishSpeculativeLength(b, pos)
- return true
- })
- return b, err
-}
-
-// When encoding length-prefixed fields, we speculatively set aside some number of bytes
-// for the length, encode the data, and then encode the length (shifting the data if necessary
-// to make room).
-const speculativeLength = 1
-
-func appendSpeculativeLength(b []byte) ([]byte, int) {
- pos := len(b)
- b = append(b, "\x00\x00\x00\x00"[:speculativeLength]...)
- return b, pos
-}
-
-func finishSpeculativeLength(b []byte, pos int) []byte {
- mlen := len(b) - pos - speculativeLength
- msiz := protowire.SizeVarint(uint64(mlen))
- if msiz != speculativeLength {
- for i := 0; i < msiz-speculativeLength; i++ {
- b = append(b, 0)
- }
- copy(b[pos+msiz:], b[pos+speculativeLength:])
- b = b[:pos+msiz+mlen]
- }
- protowire.AppendVarint(b[:pos], uint64(mlen))
- return b
-}
diff --git a/vendor/google.golang.org/protobuf/proto/encode_gen.go b/vendor/google.golang.org/protobuf/proto/encode_gen.go
deleted file mode 100644
index 185dacfb4..000000000
--- a/vendor/google.golang.org/protobuf/proto/encode_gen.go
+++ /dev/null
@@ -1,97 +0,0 @@
-// Copyright 2018 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// Code generated by generate-types. DO NOT EDIT.
-
-package proto
-
-import (
- "math"
- "unicode/utf8"
-
- "google.golang.org/protobuf/encoding/protowire"
- "google.golang.org/protobuf/internal/errors"
- "google.golang.org/protobuf/internal/strs"
- "google.golang.org/protobuf/reflect/protoreflect"
-)
-
-var wireTypes = map[protoreflect.Kind]protowire.Type{
- protoreflect.BoolKind: protowire.VarintType,
- protoreflect.EnumKind: protowire.VarintType,
- protoreflect.Int32Kind: protowire.VarintType,
- protoreflect.Sint32Kind: protowire.VarintType,
- protoreflect.Uint32Kind: protowire.VarintType,
- protoreflect.Int64Kind: protowire.VarintType,
- protoreflect.Sint64Kind: protowire.VarintType,
- protoreflect.Uint64Kind: protowire.VarintType,
- protoreflect.Sfixed32Kind: protowire.Fixed32Type,
- protoreflect.Fixed32Kind: protowire.Fixed32Type,
- protoreflect.FloatKind: protowire.Fixed32Type,
- protoreflect.Sfixed64Kind: protowire.Fixed64Type,
- protoreflect.Fixed64Kind: protowire.Fixed64Type,
- protoreflect.DoubleKind: protowire.Fixed64Type,
- protoreflect.StringKind: protowire.BytesType,
- protoreflect.BytesKind: protowire.BytesType,
- protoreflect.MessageKind: protowire.BytesType,
- protoreflect.GroupKind: protowire.StartGroupType,
-}
-
-func (o MarshalOptions) marshalSingular(b []byte, fd protoreflect.FieldDescriptor, v protoreflect.Value) ([]byte, error) {
- switch fd.Kind() {
- case protoreflect.BoolKind:
- b = protowire.AppendVarint(b, protowire.EncodeBool(v.Bool()))
- case protoreflect.EnumKind:
- b = protowire.AppendVarint(b, uint64(v.Enum()))
- case protoreflect.Int32Kind:
- b = protowire.AppendVarint(b, uint64(int32(v.Int())))
- case protoreflect.Sint32Kind:
- b = protowire.AppendVarint(b, protowire.EncodeZigZag(int64(int32(v.Int()))))
- case protoreflect.Uint32Kind:
- b = protowire.AppendVarint(b, uint64(uint32(v.Uint())))
- case protoreflect.Int64Kind:
- b = protowire.AppendVarint(b, uint64(v.Int()))
- case protoreflect.Sint64Kind:
- b = protowire.AppendVarint(b, protowire.EncodeZigZag(v.Int()))
- case protoreflect.Uint64Kind:
- b = protowire.AppendVarint(b, v.Uint())
- case protoreflect.Sfixed32Kind:
- b = protowire.AppendFixed32(b, uint32(v.Int()))
- case protoreflect.Fixed32Kind:
- b = protowire.AppendFixed32(b, uint32(v.Uint()))
- case protoreflect.FloatKind:
- b = protowire.AppendFixed32(b, math.Float32bits(float32(v.Float())))
- case protoreflect.Sfixed64Kind:
- b = protowire.AppendFixed64(b, uint64(v.Int()))
- case protoreflect.Fixed64Kind:
- b = protowire.AppendFixed64(b, v.Uint())
- case protoreflect.DoubleKind:
- b = protowire.AppendFixed64(b, math.Float64bits(v.Float()))
- case protoreflect.StringKind:
- if strs.EnforceUTF8(fd) && !utf8.ValidString(v.String()) {
- return b, errors.InvalidUTF8(string(fd.FullName()))
- }
- b = protowire.AppendString(b, v.String())
- case protoreflect.BytesKind:
- b = protowire.AppendBytes(b, v.Bytes())
- case protoreflect.MessageKind:
- var pos int
- var err error
- b, pos = appendSpeculativeLength(b)
- b, err = o.marshalMessage(b, v.Message())
- if err != nil {
- return b, err
- }
- b = finishSpeculativeLength(b, pos)
- case protoreflect.GroupKind:
- var err error
- b, err = o.marshalMessage(b, v.Message())
- if err != nil {
- return b, err
- }
- b = protowire.AppendVarint(b, protowire.EncodeTag(fd.Number(), protowire.EndGroupType))
- default:
- return b, errors.New("invalid kind %v", fd.Kind())
- }
- return b, nil
-}
diff --git a/vendor/google.golang.org/protobuf/proto/equal.go b/vendor/google.golang.org/protobuf/proto/equal.go
deleted file mode 100644
index c36d4a9cd..000000000
--- a/vendor/google.golang.org/protobuf/proto/equal.go
+++ /dev/null
@@ -1,66 +0,0 @@
-// Copyright 2019 The Go 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 proto
-
-import (
- "reflect"
-
- "google.golang.org/protobuf/reflect/protoreflect"
- "google.golang.org/protobuf/runtime/protoiface"
-)
-
-// Equal reports whether two messages are equal,
-// by recursively comparing the fields of the message.
-//
-// - Bytes fields are equal if they contain identical bytes.
-// Empty bytes (regardless of nil-ness) are considered equal.
-//
-// - Floating-point fields are equal if they contain the same value.
-// Unlike the == operator, a NaN is equal to another NaN.
-//
-// - Other scalar fields are equal if they contain the same value.
-//
-// - Message fields are equal if they have
-// the same set of populated known and extension field values, and
-// the same set of unknown fields values.
-//
-// - Lists are equal if they are the same length and
-// each corresponding element is equal.
-//
-// - Maps are equal if they have the same set of keys and
-// the corresponding value for each key is equal.
-//
-// An invalid message is not equal to a valid message.
-// An invalid message is only equal to another invalid message of the
-// same type. An invalid message often corresponds to a nil pointer
-// of the concrete message type. For example, (*pb.M)(nil) is not equal
-// to &pb.M{}.
-// If two valid messages marshal to the same bytes under deterministic
-// serialization, then Equal is guaranteed to report true.
-func Equal(x, y Message) bool {
- if x == nil || y == nil {
- return x == nil && y == nil
- }
- if reflect.TypeOf(x).Kind() == reflect.Ptr && x == y {
- // Avoid an expensive comparison if both inputs are identical pointers.
- return true
- }
- mx := x.ProtoReflect()
- my := y.ProtoReflect()
- if mx.IsValid() != my.IsValid() {
- return false
- }
-
- // Only one of the messages needs to implement the fast-path for it to work.
- pmx := protoMethods(mx)
- pmy := protoMethods(my)
- if pmx != nil && pmy != nil && pmx.Equal != nil && pmy.Equal != nil {
- return pmx.Equal(protoiface.EqualInput{MessageA: mx, MessageB: my}).Equal
- }
-
- vx := protoreflect.ValueOfMessage(mx)
- vy := protoreflect.ValueOfMessage(my)
- return vx.Equal(vy)
-}
diff --git a/vendor/google.golang.org/protobuf/proto/extension.go b/vendor/google.golang.org/protobuf/proto/extension.go
deleted file mode 100644
index 78445d116..000000000
--- a/vendor/google.golang.org/protobuf/proto/extension.go
+++ /dev/null
@@ -1,166 +0,0 @@
-// Copyright 2019 The Go 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 proto
-
-import (
- "google.golang.org/protobuf/reflect/protoreflect"
-)
-
-// HasExtension reports whether an extension field is populated.
-// It returns false if m is invalid or if xt does not extend m.
-func HasExtension(m Message, xt protoreflect.ExtensionType) bool {
- // Treat nil message interface or descriptor as an empty message; no populated
- // fields.
- if m == nil || xt == nil {
- return false
- }
-
- // As a special-case, we reports invalid or mismatching descriptors
- // as always not being populated (since they aren't).
- mr := m.ProtoReflect()
- xd := xt.TypeDescriptor()
- if mr.Descriptor() != xd.ContainingMessage() {
- return false
- }
-
- return mr.Has(xd)
-}
-
-// ClearExtension clears an extension field such that subsequent
-// [HasExtension] calls return false.
-// It panics if m is invalid or if xt does not extend m.
-func ClearExtension(m Message, xt protoreflect.ExtensionType) {
- m.ProtoReflect().Clear(xt.TypeDescriptor())
-}
-
-// GetExtension retrieves the value for an extension field.
-// If the field is unpopulated, it returns the default value for
-// scalars and an immutable, empty value for lists or messages.
-// It panics if xt does not extend m.
-//
-// The type of the value is dependent on the field type of the extension.
-// For extensions generated by protoc-gen-go, the Go type is as follows:
-//
-// ╔═══════════════════╤═════════════════════════╗
-// ║ Go type │ Protobuf kind ║
-// ╠═══════════════════╪═════════════════════════╣
-// ║ bool │ bool ║
-// ║ int32 │ int32, sint32, sfixed32 ║
-// ║ int64 │ int64, sint64, sfixed64 ║
-// ║ uint32 │ uint32, fixed32 ║
-// ║ uint64 │ uint64, fixed64 ║
-// ║ float32 │ float ║
-// ║ float64 │ double ║
-// ║ string │ string ║
-// ║ []byte │ bytes ║
-// ║ protoreflect.Enum │ enum ║
-// ║ proto.Message │ message, group ║
-// ╚═══════════════════╧═════════════════════════╝
-//
-// The protoreflect.Enum and proto.Message types are the concrete Go type
-// associated with the named enum or message. Repeated fields are represented
-// using a Go slice of the base element type.
-//
-// If a generated extension descriptor variable is directly passed to
-// GetExtension, then the call should be followed immediately by a
-// type assertion to the expected output value. For example:
-//
-// mm := proto.GetExtension(m, foopb.E_MyExtension).(*foopb.MyMessage)
-//
-// This pattern enables static analysis tools to verify that the asserted type
-// matches the Go type associated with the extension field and
-// also enables a possible future migration to a type-safe extension API.
-//
-// Since singular messages are the most common extension type, the pattern of
-// calling HasExtension followed by GetExtension may be simplified to:
-//
-// if mm := proto.GetExtension(m, foopb.E_MyExtension).(*foopb.MyMessage); mm != nil {
-// ... // make use of mm
-// }
-//
-// The mm variable is non-nil if and only if HasExtension reports true.
-func GetExtension(m Message, xt protoreflect.ExtensionType) any {
- // Treat nil message interface as an empty message; return the default.
- if m == nil {
- return xt.InterfaceOf(xt.Zero())
- }
-
- return xt.InterfaceOf(m.ProtoReflect().Get(xt.TypeDescriptor()))
-}
-
-// SetExtension stores the value of an extension field.
-// It panics if m is invalid, xt does not extend m, or if type of v
-// is invalid for the specified extension field.
-//
-// The type of the value is dependent on the field type of the extension.
-// For extensions generated by protoc-gen-go, the Go type is as follows:
-//
-// ╔═══════════════════╤═════════════════════════╗
-// ║ Go type │ Protobuf kind ║
-// ╠═══════════════════╪═════════════════════════╣
-// ║ bool │ bool ║
-// ║ int32 │ int32, sint32, sfixed32 ║
-// ║ int64 │ int64, sint64, sfixed64 ║
-// ║ uint32 │ uint32, fixed32 ║
-// ║ uint64 │ uint64, fixed64 ║
-// ║ float32 │ float ║
-// ║ float64 │ double ║
-// ║ string │ string ║
-// ║ []byte │ bytes ║
-// ║ protoreflect.Enum │ enum ║
-// ║ proto.Message │ message, group ║
-// ╚═══════════════════╧═════════════════════════╝
-//
-// The protoreflect.Enum and proto.Message types are the concrete Go type
-// associated with the named enum or message. Repeated fields are represented
-// using a Go slice of the base element type.
-//
-// If a generated extension descriptor variable is directly passed to
-// SetExtension (e.g., foopb.E_MyExtension), then the value should be a
-// concrete type that matches the expected Go type for the extension descriptor
-// so that static analysis tools can verify type correctness.
-// This also enables a possible future migration to a type-safe extension API.
-func SetExtension(m Message, xt protoreflect.ExtensionType, v any) {
- xd := xt.TypeDescriptor()
- pv := xt.ValueOf(v)
-
- // Specially treat an invalid list, map, or message as clear.
- isValid := true
- switch {
- case xd.IsList():
- isValid = pv.List().IsValid()
- case xd.IsMap():
- isValid = pv.Map().IsValid()
- case xd.Message() != nil:
- isValid = pv.Message().IsValid()
- }
- if !isValid {
- m.ProtoReflect().Clear(xd)
- return
- }
-
- m.ProtoReflect().Set(xd, pv)
-}
-
-// RangeExtensions iterates over every populated extension field in m in an
-// undefined order, calling f for each extension type and value encountered.
-// It returns immediately if f returns false.
-// While iterating, mutating operations may only be performed
-// on the current extension field.
-func RangeExtensions(m Message, f func(protoreflect.ExtensionType, any) bool) {
- // Treat nil message interface as an empty message; nothing to range over.
- if m == nil {
- return
- }
-
- m.ProtoReflect().Range(func(fd protoreflect.FieldDescriptor, v protoreflect.Value) bool {
- if fd.IsExtension() {
- xt := fd.(protoreflect.ExtensionTypeDescriptor).Type()
- vi := xt.InterfaceOf(v)
- return f(xt, vi)
- }
- return true
- })
-}
diff --git a/vendor/google.golang.org/protobuf/proto/merge.go b/vendor/google.golang.org/protobuf/proto/merge.go
deleted file mode 100644
index 3c6fe5780..000000000
--- a/vendor/google.golang.org/protobuf/proto/merge.go
+++ /dev/null
@@ -1,139 +0,0 @@
-// Copyright 2019 The Go 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 proto
-
-import (
- "fmt"
-
- "google.golang.org/protobuf/reflect/protoreflect"
- "google.golang.org/protobuf/runtime/protoiface"
-)
-
-// Merge merges src into dst, which must be a message with the same descriptor.
-//
-// Populated scalar fields in src are copied to dst, while populated
-// singular messages in src are merged into dst by recursively calling Merge.
-// The elements of every list field in src is appended to the corresponded
-// list fields in dst. The entries of every map field in src is copied into
-// the corresponding map field in dst, possibly replacing existing entries.
-// The unknown fields of src are appended to the unknown fields of dst.
-//
-// It is semantically equivalent to unmarshaling the encoded form of src
-// into dst with the [UnmarshalOptions.Merge] option specified.
-func Merge(dst, src Message) {
- // TODO: Should nil src be treated as semantically equivalent to a
- // untyped, read-only, empty message? What about a nil dst?
-
- dstMsg, srcMsg := dst.ProtoReflect(), src.ProtoReflect()
- if dstMsg.Descriptor() != srcMsg.Descriptor() {
- if got, want := dstMsg.Descriptor().FullName(), srcMsg.Descriptor().FullName(); got != want {
- panic(fmt.Sprintf("descriptor mismatch: %v != %v", got, want))
- }
- panic("descriptor mismatch")
- }
- mergeOptions{}.mergeMessage(dstMsg, srcMsg)
-}
-
-// Clone returns a deep copy of m.
-// If the top-level message is invalid, it returns an invalid message as well.
-func Clone(m Message) Message {
- // NOTE: Most usages of Clone assume the following properties:
- // t := reflect.TypeOf(m)
- // t == reflect.TypeOf(m.ProtoReflect().New().Interface())
- // t == reflect.TypeOf(m.ProtoReflect().Type().Zero().Interface())
- //
- // Embedding protobuf messages breaks this since the parent type will have
- // a forwarded ProtoReflect method, but the Interface method will return
- // the underlying embedded message type.
- if m == nil {
- return nil
- }
- src := m.ProtoReflect()
- if !src.IsValid() {
- return src.Type().Zero().Interface()
- }
- dst := src.New()
- mergeOptions{}.mergeMessage(dst, src)
- return dst.Interface()
-}
-
-// mergeOptions provides a namespace for merge functions, and can be
-// exported in the future if we add user-visible merge options.
-type mergeOptions struct{}
-
-func (o mergeOptions) mergeMessage(dst, src protoreflect.Message) {
- methods := protoMethods(dst)
- if methods != nil && methods.Merge != nil {
- in := protoiface.MergeInput{
- Destination: dst,
- Source: src,
- }
- out := methods.Merge(in)
- if out.Flags&protoiface.MergeComplete != 0 {
- return
- }
- }
-
- if !dst.IsValid() {
- panic(fmt.Sprintf("cannot merge into invalid %v message", dst.Descriptor().FullName()))
- }
-
- src.Range(func(fd protoreflect.FieldDescriptor, v protoreflect.Value) bool {
- switch {
- case fd.IsList():
- o.mergeList(dst.Mutable(fd).List(), v.List(), fd)
- case fd.IsMap():
- o.mergeMap(dst.Mutable(fd).Map(), v.Map(), fd.MapValue())
- case fd.Message() != nil:
- o.mergeMessage(dst.Mutable(fd).Message(), v.Message())
- case fd.Kind() == protoreflect.BytesKind:
- dst.Set(fd, o.cloneBytes(v))
- default:
- dst.Set(fd, v)
- }
- return true
- })
-
- if len(src.GetUnknown()) > 0 {
- dst.SetUnknown(append(dst.GetUnknown(), src.GetUnknown()...))
- }
-}
-
-func (o mergeOptions) mergeList(dst, src protoreflect.List, fd protoreflect.FieldDescriptor) {
- // Merge semantics appends to the end of the existing list.
- for i, n := 0, src.Len(); i < n; i++ {
- switch v := src.Get(i); {
- case fd.Message() != nil:
- dstv := dst.NewElement()
- o.mergeMessage(dstv.Message(), v.Message())
- dst.Append(dstv)
- case fd.Kind() == protoreflect.BytesKind:
- dst.Append(o.cloneBytes(v))
- default:
- dst.Append(v)
- }
- }
-}
-
-func (o mergeOptions) mergeMap(dst, src protoreflect.Map, fd protoreflect.FieldDescriptor) {
- // Merge semantics replaces, rather than merges into existing entries.
- src.Range(func(k protoreflect.MapKey, v protoreflect.Value) bool {
- switch {
- case fd.Message() != nil:
- dstv := dst.NewValue()
- o.mergeMessage(dstv.Message(), v.Message())
- dst.Set(k, dstv)
- case fd.Kind() == protoreflect.BytesKind:
- dst.Set(k, o.cloneBytes(v))
- default:
- dst.Set(k, v)
- }
- return true
- })
-}
-
-func (o mergeOptions) cloneBytes(v protoreflect.Value) protoreflect.Value {
- return protoreflect.ValueOfBytes(append([]byte{}, v.Bytes()...))
-}
diff --git a/vendor/google.golang.org/protobuf/proto/messageset.go b/vendor/google.golang.org/protobuf/proto/messageset.go
deleted file mode 100644
index 575d14831..000000000
--- a/vendor/google.golang.org/protobuf/proto/messageset.go
+++ /dev/null
@@ -1,98 +0,0 @@
-// Copyright 2019 The Go 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 proto
-
-import (
- "google.golang.org/protobuf/encoding/protowire"
- "google.golang.org/protobuf/internal/encoding/messageset"
- "google.golang.org/protobuf/internal/errors"
- "google.golang.org/protobuf/internal/flags"
- "google.golang.org/protobuf/internal/order"
- "google.golang.org/protobuf/reflect/protoreflect"
- "google.golang.org/protobuf/reflect/protoregistry"
-)
-
-func (o MarshalOptions) sizeMessageSet(m protoreflect.Message) (size int) {
- m.Range(func(fd protoreflect.FieldDescriptor, v protoreflect.Value) bool {
- size += messageset.SizeField(fd.Number())
- size += protowire.SizeTag(messageset.FieldMessage)
- size += protowire.SizeBytes(o.size(v.Message()))
- return true
- })
- size += messageset.SizeUnknown(m.GetUnknown())
- return size
-}
-
-func (o MarshalOptions) marshalMessageSet(b []byte, m protoreflect.Message) ([]byte, error) {
- if !flags.ProtoLegacy {
- return b, errors.New("no support for message_set_wire_format")
- }
- fieldOrder := order.AnyFieldOrder
- if o.Deterministic {
- fieldOrder = order.NumberFieldOrder
- }
- var err error
- order.RangeFields(m, fieldOrder, func(fd protoreflect.FieldDescriptor, v protoreflect.Value) bool {
- b, err = o.marshalMessageSetField(b, fd, v)
- return err == nil
- })
- if err != nil {
- return b, err
- }
- return messageset.AppendUnknown(b, m.GetUnknown())
-}
-
-func (o MarshalOptions) marshalMessageSetField(b []byte, fd protoreflect.FieldDescriptor, value protoreflect.Value) ([]byte, error) {
- b = messageset.AppendFieldStart(b, fd.Number())
- b = protowire.AppendTag(b, messageset.FieldMessage, protowire.BytesType)
- calculatedSize := o.Size(value.Message().Interface())
- b = protowire.AppendVarint(b, uint64(calculatedSize))
- before := len(b)
- b, err := o.marshalMessage(b, value.Message())
- if err != nil {
- return b, err
- }
- if measuredSize := len(b) - before; calculatedSize != measuredSize {
- return nil, errors.MismatchedSizeCalculation(calculatedSize, measuredSize)
- }
- b = messageset.AppendFieldEnd(b)
- return b, nil
-}
-
-func (o UnmarshalOptions) unmarshalMessageSet(b []byte, m protoreflect.Message) error {
- if !flags.ProtoLegacy {
- return errors.New("no support for message_set_wire_format")
- }
- return messageset.Unmarshal(b, false, func(num protowire.Number, v []byte) error {
- err := o.unmarshalMessageSetField(m, num, v)
- if err == errUnknown {
- unknown := m.GetUnknown()
- unknown = protowire.AppendTag(unknown, num, protowire.BytesType)
- unknown = protowire.AppendBytes(unknown, v)
- m.SetUnknown(unknown)
- return nil
- }
- return err
- })
-}
-
-func (o UnmarshalOptions) unmarshalMessageSetField(m protoreflect.Message, num protowire.Number, v []byte) error {
- md := m.Descriptor()
- if !md.ExtensionRanges().Has(num) {
- return errUnknown
- }
- xt, err := o.Resolver.FindExtensionByNumber(md.FullName(), num)
- if err == protoregistry.NotFound {
- return errUnknown
- }
- if err != nil {
- return errors.New("%v: unable to resolve extension %v: %v", md.FullName(), num, err)
- }
- xd := xt.TypeDescriptor()
- if err := o.unmarshalMessage(v, m.Mutable(xd).Message()); err != nil {
- return err
- }
- return nil
-}
diff --git a/vendor/google.golang.org/protobuf/proto/proto.go b/vendor/google.golang.org/protobuf/proto/proto.go
deleted file mode 100644
index 7543ee6b2..000000000
--- a/vendor/google.golang.org/protobuf/proto/proto.go
+++ /dev/null
@@ -1,45 +0,0 @@
-// Copyright 2018 The Go 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 proto
-
-import (
- "google.golang.org/protobuf/internal/errors"
- "google.golang.org/protobuf/reflect/protoreflect"
-)
-
-// Message is the top-level interface that all messages must implement.
-// It provides access to a reflective view of a message.
-// Any implementation of this interface may be used with all functions in the
-// protobuf module that accept a Message, except where otherwise specified.
-//
-// This is the v2 interface definition for protobuf messages.
-// The v1 interface definition is [github.com/golang/protobuf/proto.Message].
-//
-// - To convert a v1 message to a v2 message,
-// use [google.golang.org/protobuf/protoadapt.MessageV2Of].
-// - To convert a v2 message to a v1 message,
-// use [google.golang.org/protobuf/protoadapt.MessageV1Of].
-type Message = protoreflect.ProtoMessage
-
-// Error matches all errors produced by packages in the protobuf module
-// according to [errors.Is].
-//
-// Example usage:
-//
-// if errors.Is(err, proto.Error) { ... }
-var Error error
-
-func init() {
- Error = errors.Error
-}
-
-// MessageName returns the full name of m.
-// If m is nil, it returns an empty string.
-func MessageName(m Message) protoreflect.FullName {
- if m == nil {
- return ""
- }
- return m.ProtoReflect().Descriptor().FullName()
-}
diff --git a/vendor/google.golang.org/protobuf/proto/proto_methods.go b/vendor/google.golang.org/protobuf/proto/proto_methods.go
deleted file mode 100644
index 465e057b3..000000000
--- a/vendor/google.golang.org/protobuf/proto/proto_methods.go
+++ /dev/null
@@ -1,20 +0,0 @@
-// Copyright 2019 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// The protoreflect build tag disables use of fast-path methods.
-//go:build !protoreflect
-// +build !protoreflect
-
-package proto
-
-import (
- "google.golang.org/protobuf/reflect/protoreflect"
- "google.golang.org/protobuf/runtime/protoiface"
-)
-
-const hasProtoMethods = true
-
-func protoMethods(m protoreflect.Message) *protoiface.Methods {
- return m.ProtoMethods()
-}
diff --git a/vendor/google.golang.org/protobuf/proto/proto_reflect.go b/vendor/google.golang.org/protobuf/proto/proto_reflect.go
deleted file mode 100644
index 494d6ceef..000000000
--- a/vendor/google.golang.org/protobuf/proto/proto_reflect.go
+++ /dev/null
@@ -1,20 +0,0 @@
-// Copyright 2019 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// The protoreflect build tag disables use of fast-path methods.
-//go:build protoreflect
-// +build protoreflect
-
-package proto
-
-import (
- "google.golang.org/protobuf/reflect/protoreflect"
- "google.golang.org/protobuf/runtime/protoiface"
-)
-
-const hasProtoMethods = false
-
-func protoMethods(m protoreflect.Message) *protoiface.Methods {
- return nil
-}
diff --git a/vendor/google.golang.org/protobuf/proto/reset.go b/vendor/google.golang.org/protobuf/proto/reset.go
deleted file mode 100644
index 3d7f89436..000000000
--- a/vendor/google.golang.org/protobuf/proto/reset.go
+++ /dev/null
@@ -1,43 +0,0 @@
-// Copyright 2019 The Go 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 proto
-
-import (
- "fmt"
-
- "google.golang.org/protobuf/reflect/protoreflect"
-)
-
-// Reset clears every field in the message.
-// The resulting message shares no observable memory with its previous state
-// other than the memory for the message itself.
-func Reset(m Message) {
- if mr, ok := m.(interface{ Reset() }); ok && hasProtoMethods {
- mr.Reset()
- return
- }
- resetMessage(m.ProtoReflect())
-}
-
-func resetMessage(m protoreflect.Message) {
- if !m.IsValid() {
- panic(fmt.Sprintf("cannot reset invalid %v message", m.Descriptor().FullName()))
- }
-
- // Clear all known fields.
- fds := m.Descriptor().Fields()
- for i := 0; i < fds.Len(); i++ {
- m.Clear(fds.Get(i))
- }
-
- // Clear extension fields.
- m.Range(func(fd protoreflect.FieldDescriptor, _ protoreflect.Value) bool {
- m.Clear(fd)
- return true
- })
-
- // Clear unknown fields.
- m.SetUnknown(nil)
-}
diff --git a/vendor/google.golang.org/protobuf/proto/size.go b/vendor/google.golang.org/protobuf/proto/size.go
deleted file mode 100644
index c8675806c..000000000
--- a/vendor/google.golang.org/protobuf/proto/size.go
+++ /dev/null
@@ -1,111 +0,0 @@
-// Copyright 2019 The Go 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 proto
-
-import (
- "google.golang.org/protobuf/encoding/protowire"
- "google.golang.org/protobuf/internal/encoding/messageset"
- "google.golang.org/protobuf/reflect/protoreflect"
- "google.golang.org/protobuf/runtime/protoiface"
-)
-
-// Size returns the size in bytes of the wire-format encoding of m.
-//
-// Note that Size might return more bytes than Marshal will write in the case of
-// lazily decoded messages that arrive in non-minimal wire format: see
-// https://protobuf.dev/reference/go/size/ for more details.
-func Size(m Message) int {
- return MarshalOptions{}.Size(m)
-}
-
-// Size returns the size in bytes of the wire-format encoding of m.
-//
-// Note that Size might return more bytes than Marshal will write in the case of
-// lazily decoded messages that arrive in non-minimal wire format: see
-// https://protobuf.dev/reference/go/size/ for more details.
-func (o MarshalOptions) Size(m Message) int {
- // Treat a nil message interface as an empty message; nothing to output.
- if m == nil {
- return 0
- }
-
- return o.size(m.ProtoReflect())
-}
-
-// size is a centralized function that all size operations go through.
-// For profiling purposes, avoid changing the name of this function or
-// introducing other code paths for size that do not go through this.
-func (o MarshalOptions) size(m protoreflect.Message) (size int) {
- methods := protoMethods(m)
- if methods != nil && methods.Size != nil {
- out := methods.Size(protoiface.SizeInput{
- Message: m,
- Flags: o.flags(),
- })
- return out.Size
- }
- if methods != nil && methods.Marshal != nil {
- // This is not efficient, but we don't have any choice.
- // This case is mainly used for legacy types with a Marshal method.
- out, _ := methods.Marshal(protoiface.MarshalInput{
- Message: m,
- Flags: o.flags(),
- })
- return len(out.Buf)
- }
- return o.sizeMessageSlow(m)
-}
-
-func (o MarshalOptions) sizeMessageSlow(m protoreflect.Message) (size int) {
- if messageset.IsMessageSet(m.Descriptor()) {
- return o.sizeMessageSet(m)
- }
- m.Range(func(fd protoreflect.FieldDescriptor, v protoreflect.Value) bool {
- size += o.sizeField(fd, v)
- return true
- })
- size += len(m.GetUnknown())
- return size
-}
-
-func (o MarshalOptions) sizeField(fd protoreflect.FieldDescriptor, value protoreflect.Value) (size int) {
- num := fd.Number()
- switch {
- case fd.IsList():
- return o.sizeList(num, fd, value.List())
- case fd.IsMap():
- return o.sizeMap(num, fd, value.Map())
- default:
- return protowire.SizeTag(num) + o.sizeSingular(num, fd.Kind(), value)
- }
-}
-
-func (o MarshalOptions) sizeList(num protowire.Number, fd protoreflect.FieldDescriptor, list protoreflect.List) (size int) {
- sizeTag := protowire.SizeTag(num)
-
- if fd.IsPacked() && list.Len() > 0 {
- content := 0
- for i, llen := 0, list.Len(); i < llen; i++ {
- content += o.sizeSingular(num, fd.Kind(), list.Get(i))
- }
- return sizeTag + protowire.SizeBytes(content)
- }
-
- for i, llen := 0, list.Len(); i < llen; i++ {
- size += sizeTag + o.sizeSingular(num, fd.Kind(), list.Get(i))
- }
- return size
-}
-
-func (o MarshalOptions) sizeMap(num protowire.Number, fd protoreflect.FieldDescriptor, mapv protoreflect.Map) (size int) {
- sizeTag := protowire.SizeTag(num)
-
- mapv.Range(func(key protoreflect.MapKey, value protoreflect.Value) bool {
- size += sizeTag
- size += protowire.SizeBytes(o.sizeField(fd.MapKey(), key.Value()) + o.sizeField(fd.MapValue(), value))
- return true
- })
- return size
-}
diff --git a/vendor/google.golang.org/protobuf/proto/size_gen.go b/vendor/google.golang.org/protobuf/proto/size_gen.go
deleted file mode 100644
index 3cf61a824..000000000
--- a/vendor/google.golang.org/protobuf/proto/size_gen.go
+++ /dev/null
@@ -1,55 +0,0 @@
-// Copyright 2018 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// Code generated by generate-types. DO NOT EDIT.
-
-package proto
-
-import (
- "google.golang.org/protobuf/encoding/protowire"
- "google.golang.org/protobuf/reflect/protoreflect"
-)
-
-func (o MarshalOptions) sizeSingular(num protowire.Number, kind protoreflect.Kind, v protoreflect.Value) int {
- switch kind {
- case protoreflect.BoolKind:
- return protowire.SizeVarint(protowire.EncodeBool(v.Bool()))
- case protoreflect.EnumKind:
- return protowire.SizeVarint(uint64(v.Enum()))
- case protoreflect.Int32Kind:
- return protowire.SizeVarint(uint64(int32(v.Int())))
- case protoreflect.Sint32Kind:
- return protowire.SizeVarint(protowire.EncodeZigZag(int64(int32(v.Int()))))
- case protoreflect.Uint32Kind:
- return protowire.SizeVarint(uint64(uint32(v.Uint())))
- case protoreflect.Int64Kind:
- return protowire.SizeVarint(uint64(v.Int()))
- case protoreflect.Sint64Kind:
- return protowire.SizeVarint(protowire.EncodeZigZag(v.Int()))
- case protoreflect.Uint64Kind:
- return protowire.SizeVarint(v.Uint())
- case protoreflect.Sfixed32Kind:
- return protowire.SizeFixed32()
- case protoreflect.Fixed32Kind:
- return protowire.SizeFixed32()
- case protoreflect.FloatKind:
- return protowire.SizeFixed32()
- case protoreflect.Sfixed64Kind:
- return protowire.SizeFixed64()
- case protoreflect.Fixed64Kind:
- return protowire.SizeFixed64()
- case protoreflect.DoubleKind:
- return protowire.SizeFixed64()
- case protoreflect.StringKind:
- return protowire.SizeBytes(len(v.String()))
- case protoreflect.BytesKind:
- return protowire.SizeBytes(len(v.Bytes()))
- case protoreflect.MessageKind:
- return protowire.SizeBytes(o.size(v.Message()))
- case protoreflect.GroupKind:
- return protowire.SizeGroup(num, o.size(v.Message()))
- default:
- return 0
- }
-}
diff --git a/vendor/google.golang.org/protobuf/proto/wrapperopaque.go b/vendor/google.golang.org/protobuf/proto/wrapperopaque.go
deleted file mode 100644
index 267fd0f1f..000000000
--- a/vendor/google.golang.org/protobuf/proto/wrapperopaque.go
+++ /dev/null
@@ -1,80 +0,0 @@
-// Copyright 2024 The Go 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 proto
-
-// ValueOrNil returns nil if has is false, or a pointer to a new variable
-// containing the value returned by the specified getter.
-//
-// This function is similar to the wrappers (proto.Int32(), proto.String(),
-// etc.), but is generic (works for any field type) and works with the hasser
-// and getter of a field, as opposed to a value.
-//
-// This is convenient when populating builder fields.
-//
-// Example:
-//
-// hop := attr.GetDirectHop()
-// injectedRoute := ripb.InjectedRoute_builder{
-// Prefixes: route.GetPrefixes(),
-// NextHop: proto.ValueOrNil(hop.HasAddress(), hop.GetAddress),
-// }
-func ValueOrNil[T any](has bool, getter func() T) *T {
- if !has {
- return nil
- }
- v := getter()
- return &v
-}
-
-// ValueOrDefault returns the protobuf message val if val is not nil, otherwise
-// it returns a pointer to an empty val message.
-//
-// This function allows for translating code from the old Open Struct API to the
-// new Opaque API.
-//
-// The old Open Struct API represented oneof fields with a wrapper struct:
-//
-// var signedImg *accountpb.SignedImage
-// profile := &accountpb.Profile{
-// // The Avatar oneof will be set, with an empty SignedImage.
-// Avatar: &accountpb.Profile_SignedImage{signedImg},
-// }
-//
-// The new Opaque API treats oneof fields like regular fields, there are no more
-// wrapper structs:
-//
-// var signedImg *accountpb.SignedImage
-// profile := &accountpb.Profile{}
-// profile.SetSignedImage(signedImg)
-//
-// For convenience, the Opaque API also offers Builders, which allow for a
-// direct translation of struct initialization. However, because Builders use
-// nilness to represent field presence (but there is no non-nil wrapper struct
-// anymore), Builders cannot distinguish between an unset oneof and a set oneof
-// with nil message. The above code would need to be translated with help of the
-// ValueOrDefault function to retain the same behavior:
-//
-// var signedImg *accountpb.SignedImage
-// return &accountpb.Profile_builder{
-// SignedImage: proto.ValueOrDefault(signedImg),
-// }.Build()
-func ValueOrDefault[T interface {
- *P
- Message
-}, P any](val T) T {
- if val == nil {
- return T(new(P))
- }
- return val
-}
-
-// ValueOrDefaultBytes is like ValueOrDefault but for working with fields of
-// type []byte.
-func ValueOrDefaultBytes(val []byte) []byte {
- if val == nil {
- return []byte{}
- }
- return val
-}
diff --git a/vendor/google.golang.org/protobuf/proto/wrappers.go b/vendor/google.golang.org/protobuf/proto/wrappers.go
deleted file mode 100644
index 653b12c3a..000000000
--- a/vendor/google.golang.org/protobuf/proto/wrappers.go
+++ /dev/null
@@ -1,29 +0,0 @@
-// Copyright 2019 The Go 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 proto
-
-// Bool stores v in a new bool value and returns a pointer to it.
-func Bool(v bool) *bool { return &v }
-
-// Int32 stores v in a new int32 value and returns a pointer to it.
-func Int32(v int32) *int32 { return &v }
-
-// Int64 stores v in a new int64 value and returns a pointer to it.
-func Int64(v int64) *int64 { return &v }
-
-// Float32 stores v in a new float32 value and returns a pointer to it.
-func Float32(v float32) *float32 { return &v }
-
-// Float64 stores v in a new float64 value and returns a pointer to it.
-func Float64(v float64) *float64 { return &v }
-
-// Uint32 stores v in a new uint32 value and returns a pointer to it.
-func Uint32(v uint32) *uint32 { return &v }
-
-// Uint64 stores v in a new uint64 value and returns a pointer to it.
-func Uint64(v uint64) *uint64 { return &v }
-
-// String stores v in a new string value and returns a pointer to it.
-func String(v string) *string { return &v }