mirror of
https://github.com/kaspanet/kaspad.git
synced 2025-03-30 15:08:33 +00:00

* [NOD-58] Replace lastBlock with selected tip in version message (#210) * [NOD-58] Replace lastBlock with selected tip in version message * [NOD-58] Fix typo in comment * [NOD-58] Add mutex to SelectedTipHash * [NOD-58] Remove redundant comment * [NOD-58] Remove wantStartingHeight from peerStats * [NOD-58] Remove lock from SelectedTipHash * Nod 53 change getheaders message to handle new block locator (#213) * [NOD-53] Change getheaders message to handle the new block locator mechanism * [NOD-53] Use heap in locateHeaders * [NOD-53] Create a constructor for each heap direction * [NOD-57] Check if a node is synced only by timestamps (#214) * [NOD-60] implement isSyncCandidate (#218) * [NOD-60] Implement isSyncCandidate * [NOD-60] Fix typo * [NOD-65] Fix netsync related tests and remove fields optionality from… (#220) * [NOD-65] Fix netsync related tests and remove fields optionality from msgversion * [NOD-65] gofmt rpcserver.go * [NOD-65] add missing test for verRelayTxFalse * [NOD-62] Change getblocks message to handle the new block locator mechanism (#219) * [NOD-62] Change getblocks message to handle the new block locator mechanism * [NOD-62] Add locateBlockNodes function * [NOD-68] Adjust orphan parents requesting for a DAG (#222) * [NOD-68] Adjust orphan parents requesting for a DAG * [NOD-68] add sendInvsFromRequestedQueue and trigger it when requested blocks slice is empty, or immediatly if we're not in sync mode * [NOD-68] Prevent duplicates from entering to state.requestQueue and add wrapping locks to addBlocksToRequestQueue * [NOD-68] Fix Lock -> Unlock in sendInvsFromRequestedQueue * [NOD-74] Starts syncing again when the current sync peer is done (#225) * [NOD-74] Starts syncing again when the current sync peer is done * [NOD-74] Unlock mtx before netsync is restarted * [NOD-74] Fix name isSyncPeerFree -> isWaitingForBlocks * [NOD-75] fixing netsync bugs (#227) * [NOD-74] Starts syncing again when the current sync peer is done * [NOD-74] Unlock mtx before netsync is restarted * [NOD-75] Fixing netsync bugs * [NOD-80] Request block data from block propagation just after you are… (#231) * [NOD-80] Request block data from block propagation just after you are current * [NOD-80] Fix adding to both queues in addInvToRequestQueue * [NOD-81] Start to mine on top of genesis iff all peers selected tip is genesis (#232) * [NOD-81] Start to mine on top of genesis only if all of your peers' selected tip is genesis * [NOD-81] Explain forAllPeers/forAllOutboundPeers shouldContinue behaviour in comments * [NOD-81] Add forAllInboundPeers and add return values for forAllPeers/forAllOutboundPeers/forAllInboundPeers functions * [NOD-16] Add pushSet to the BlockHeap type * [NOD-16] Fixed syntax error
199 lines
5.5 KiB
Go
199 lines
5.5 KiB
Go
// Copyright (c) 2015-2016 The btcsuite developers
|
|
// Use of this source code is governed by an ISC
|
|
// license that can be found in the LICENSE file.
|
|
|
|
package peer
|
|
|
|
import (
|
|
"fmt"
|
|
"strings"
|
|
"time"
|
|
|
|
"github.com/btcsuite/btclog"
|
|
"github.com/daglabs/btcd/dagconfig/daghash"
|
|
"github.com/daglabs/btcd/logger"
|
|
"github.com/daglabs/btcd/txscript"
|
|
"github.com/daglabs/btcd/wire"
|
|
)
|
|
|
|
const (
|
|
// maxRejectReasonLen is the maximum length of a sanitized reject reason
|
|
// that will be logged.
|
|
maxRejectReasonLen = 250
|
|
)
|
|
|
|
// log is a logger that is initialized with no output filters. This
|
|
// means the package will not perform any logging by default until the caller
|
|
// requests it.
|
|
var log btclog.Logger
|
|
|
|
// The default amount of logging is none.
|
|
func init() {
|
|
log, _ = logger.Get(logger.SubsystemTags.PEER)
|
|
}
|
|
|
|
// LogClosure is a closure that can be printed with %s to be used to
|
|
// generate expensive-to-create data for a detailed log level and avoid doing
|
|
// the work if the data isn't printed.
|
|
type logClosure func() string
|
|
|
|
func (c logClosure) String() string {
|
|
return c()
|
|
}
|
|
|
|
func newLogClosure(c func() string) logClosure {
|
|
return logClosure(c)
|
|
}
|
|
|
|
// formatLockTime returns a transaction lock time as a human-readable string.
|
|
func formatLockTime(lockTime uint64) string {
|
|
// The lock time field of a transaction is either a block height at
|
|
// which the transaction is finalized or a timestamp depending on if the
|
|
// value is before the lockTimeThreshold. When it is under the
|
|
// threshold it is a block height.
|
|
if lockTime < txscript.LockTimeThreshold {
|
|
return fmt.Sprintf("height %d", lockTime)
|
|
}
|
|
|
|
return time.Unix(int64(lockTime), 0).String()
|
|
}
|
|
|
|
// invSummary returns an inventory message as a human-readable string.
|
|
func invSummary(invList []*wire.InvVect) string {
|
|
// No inventory.
|
|
invLen := len(invList)
|
|
if invLen == 0 {
|
|
return "empty"
|
|
}
|
|
|
|
// One inventory item.
|
|
if invLen == 1 {
|
|
iv := invList[0]
|
|
switch iv.Type {
|
|
case wire.InvTypeError:
|
|
return fmt.Sprintf("error %s", iv.Hash)
|
|
case wire.InvTypeBlock:
|
|
return fmt.Sprintf("block %s", iv.Hash)
|
|
case wire.InvTypeSyncBlock:
|
|
return fmt.Sprintf("sync block %s", iv.Hash)
|
|
case wire.InvTypeTx:
|
|
return fmt.Sprintf("tx %s", iv.Hash)
|
|
}
|
|
|
|
return fmt.Sprintf("unknown (%d) %s", uint32(iv.Type), iv.Hash)
|
|
}
|
|
|
|
// More than one inv item.
|
|
return fmt.Sprintf("size %d", invLen)
|
|
}
|
|
|
|
// locatorSummary returns a block locator as a human-readable string.
|
|
func locatorSummary(locator []*daghash.Hash, stopHash *daghash.Hash) string {
|
|
if len(locator) > 0 {
|
|
return fmt.Sprintf("locator %s, stop %s", locator[0], stopHash)
|
|
}
|
|
|
|
return fmt.Sprintf("no locator, stop %s", stopHash)
|
|
|
|
}
|
|
|
|
// sanitizeString strips any characters which are even remotely dangerous, such
|
|
// as html control characters, from the passed string. It also limits it to
|
|
// the passed maximum size, which can be 0 for unlimited. When the string is
|
|
// limited, it will also add "..." to the string to indicate it was truncated.
|
|
func sanitizeString(str string, maxLength uint) string {
|
|
const safeChars = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXY" +
|
|
"Z01234567890 .,;_/:?@"
|
|
|
|
// Strip any characters not in the safeChars string removed.
|
|
str = strings.Map(func(r rune) rune {
|
|
if strings.ContainsRune(safeChars, r) {
|
|
return r
|
|
}
|
|
return -1
|
|
}, str)
|
|
|
|
// Limit the string to the max allowed length.
|
|
if maxLength > 0 && uint(len(str)) > maxLength {
|
|
str = str[:maxLength]
|
|
str = str + "..."
|
|
}
|
|
return str
|
|
}
|
|
|
|
// messageSummary returns a human-readable string which summarizes a message.
|
|
// Not all messages have or need a summary. This is used for debug logging.
|
|
func messageSummary(msg wire.Message) string {
|
|
switch msg := msg.(type) {
|
|
case *wire.MsgVersion:
|
|
return fmt.Sprintf("agent %s, pver %d, selected tip %s",
|
|
msg.UserAgent, msg.ProtocolVersion, msg.SelectedTip)
|
|
|
|
case *wire.MsgVerAck:
|
|
// No summary.
|
|
|
|
case *wire.MsgGetAddr:
|
|
return fmt.Sprintf("subnetwork ID %v", msg.SubnetworkID)
|
|
|
|
case *wire.MsgAddr:
|
|
return fmt.Sprintf("%d addr", len(msg.AddrList))
|
|
|
|
case *wire.MsgPing:
|
|
// No summary - perhaps add nonce.
|
|
|
|
case *wire.MsgPong:
|
|
// No summary - perhaps add nonce.
|
|
|
|
case *wire.MsgAlert:
|
|
// No summary.
|
|
|
|
case *wire.MsgMemPool:
|
|
// No summary.
|
|
|
|
case *wire.MsgTx:
|
|
return fmt.Sprintf("hash %s, %d inputs, %d outputs, lock %s",
|
|
msg.TxID(), len(msg.TxIn), len(msg.TxOut),
|
|
formatLockTime(msg.LockTime))
|
|
|
|
case *wire.MsgBlock:
|
|
header := &msg.Header
|
|
return fmt.Sprintf("hash %s, ver %d, %d tx, %s", msg.BlockHash(),
|
|
header.Version, len(msg.Transactions), header.Timestamp)
|
|
|
|
case *wire.MsgInv:
|
|
return invSummary(msg.InvList)
|
|
|
|
case *wire.MsgNotFound:
|
|
return invSummary(msg.InvList)
|
|
|
|
case *wire.MsgGetData:
|
|
return invSummary(msg.InvList)
|
|
|
|
case *wire.MsgGetBlocks:
|
|
return locatorSummary(msg.BlockLocatorHashes, &msg.HashStop)
|
|
|
|
case *wire.MsgGetHeaders:
|
|
return locatorSummary(msg.BlockLocatorHashes, &msg.HashStop)
|
|
|
|
case *wire.MsgHeaders:
|
|
return fmt.Sprintf("num %d", len(msg.Headers))
|
|
|
|
case *wire.MsgReject:
|
|
// Ensure the variable length strings don't contain any
|
|
// characters which are even remotely dangerous such as HTML
|
|
// control characters, etc. Also limit them to sane length for
|
|
// logging.
|
|
rejCommand := sanitizeString(msg.Cmd, wire.CommandSize)
|
|
rejReason := sanitizeString(msg.Reason, maxRejectReasonLen)
|
|
summary := fmt.Sprintf("cmd %s, code %s, reason %s", rejCommand,
|
|
msg.Code, rejReason)
|
|
if rejCommand == wire.CmdBlock || rejCommand == wire.CmdTx {
|
|
summary += fmt.Sprintf(", hash %s", msg.Hash)
|
|
}
|
|
return summary
|
|
}
|
|
|
|
// No summary for other messages.
|
|
return ""
|
|
}
|