package blocks
|
|
|
|
import (
|
|
"errors"
|
|
"fmt"
|
|
"io"
|
|
|
|
. "github.com/tendermint/tendermint/binary"
|
|
. "github.com/tendermint/tendermint/common"
|
|
)
|
|
|
|
const (
|
|
VoteTypePrevote = byte(0x00)
|
|
VoteTypePrecommit = byte(0x01)
|
|
VoteTypeCommit = byte(0x02)
|
|
)
|
|
|
|
var (
|
|
ErrVoteUnexpectedStep = errors.New("Unexpected step")
|
|
ErrVoteInvalidAccount = errors.New("Invalid round vote account")
|
|
ErrVoteInvalidSignature = errors.New("Invalid round vote signature")
|
|
ErrVoteInvalidBlockHash = errors.New("Invalid block hash")
|
|
ErrVoteConflictingSignature = errors.New("Conflicting round vote signature")
|
|
)
|
|
|
|
// Represents a prevote, precommit, or commit vote for proposals.
|
|
type Vote struct {
|
|
Height uint32
|
|
Round uint16
|
|
Type byte
|
|
BlockHash []byte // empty if vote is nil.
|
|
BlockParts PartSetHeader // zero if vote is nil.
|
|
Signature
|
|
}
|
|
|
|
func ReadVote(r io.Reader, n *int64, err *error) *Vote {
|
|
return &Vote{
|
|
Height: ReadUInt32(r, n, err),
|
|
Round: ReadUInt16(r, n, err),
|
|
Type: ReadByte(r, n, err),
|
|
BlockHash: ReadByteSlice(r, n, err),
|
|
BlockParts: ReadPartSetHeader(r, n, err),
|
|
Signature: ReadSignature(r, n, err),
|
|
}
|
|
}
|
|
|
|
func (v *Vote) WriteTo(w io.Writer) (n int64, err error) {
|
|
WriteUInt32(w, v.Height, &n, &err)
|
|
WriteUInt16(w, v.Round, &n, &err)
|
|
WriteByte(w, v.Type, &n, &err)
|
|
WriteByteSlice(w, v.BlockHash, &n, &err)
|
|
WriteBinary(w, v.BlockParts, &n, &err)
|
|
WriteBinary(w, v.Signature, &n, &err)
|
|
return
|
|
}
|
|
|
|
func (v *Vote) GetSignature() Signature {
|
|
return v.Signature
|
|
}
|
|
|
|
func (v *Vote) SetSignature(sig Signature) {
|
|
v.Signature = sig
|
|
}
|
|
|
|
func (v *Vote) Copy() *Vote {
|
|
vCopy := *v
|
|
return &vCopy
|
|
}
|
|
|
|
func (v *Vote) String() string {
|
|
var typeString string
|
|
switch v.Type {
|
|
case VoteTypePrevote:
|
|
typeString = "Prevote"
|
|
case VoteTypePrecommit:
|
|
typeString = "Precommit"
|
|
case VoteTypeCommit:
|
|
typeString = "Commit"
|
|
default:
|
|
panic("Unknown vote type")
|
|
}
|
|
|
|
return fmt.Sprintf("%v{%v/%v:%X:%v:%v}", typeString, v.Height, v.Round, Fingerprint(v.BlockHash), v.BlockParts, v.SignerId)
|
|
}
|