peer.go 39 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103110411051106110711081109111011111112111311141115111611171118111911201121112211231124112511261127112811291130113111321133113411351136113711381139114011411142114311441145114611471148114911501151115211531154115511561157115811591160116111621163116411651166116711681169117011711172117311741175117611771178117911801181118211831184118511861187118811891190119111921193119411951196119711981199120012011202120312041205120612071208120912101211121212131214121512161217121812191220122112221223122412251226
  1. // Copyright 2016 The go-ethereum Authors
  2. // This file is part of the go-ethereum library.
  3. //
  4. // The go-ethereum library is free software: you can redistribute it and/or modify
  5. // it under the terms of the GNU Lesser General Public License as published by
  6. // the Free Software Foundation, either version 3 of the License, or
  7. // (at your option) any later version.
  8. //
  9. // The go-ethereum library is distributed in the hope that it will be useful,
  10. // but WITHOUT ANY WARRANTY; without even the implied warranty of
  11. // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  12. // GNU Lesser General Public License for more details.
  13. //
  14. // You should have received a copy of the GNU Lesser General Public License
  15. // along with the go-ethereum library. If not, see <http://www.gnu.org/licenses/>.
  16. package les
  17. import (
  18. "errors"
  19. "fmt"
  20. "math/big"
  21. "math/rand"
  22. "net"
  23. "sync"
  24. "sync/atomic"
  25. "time"
  26. "github.com/ethereum/go-ethereum/common"
  27. "github.com/ethereum/go-ethereum/common/mclock"
  28. "github.com/ethereum/go-ethereum/core"
  29. "github.com/ethereum/go-ethereum/core/forkid"
  30. "github.com/ethereum/go-ethereum/core/types"
  31. "github.com/ethereum/go-ethereum/les/flowcontrol"
  32. "github.com/ethereum/go-ethereum/les/utils"
  33. vfc "github.com/ethereum/go-ethereum/les/vflux/client"
  34. vfs "github.com/ethereum/go-ethereum/les/vflux/server"
  35. "github.com/ethereum/go-ethereum/light"
  36. "github.com/ethereum/go-ethereum/p2p"
  37. "github.com/ethereum/go-ethereum/params"
  38. "github.com/ethereum/go-ethereum/rlp"
  39. )
  40. var (
  41. errClosed = errors.New("peer set is closed")
  42. errAlreadyRegistered = errors.New("peer is already registered")
  43. errNotRegistered = errors.New("peer is not registered")
  44. )
  45. const (
  46. maxRequestErrors = 20 // number of invalid requests tolerated (makes the protocol less brittle but still avoids spam)
  47. maxResponseErrors = 50 // number of invalid responses tolerated (makes the protocol less brittle but still avoids spam)
  48. allowedUpdateBytes = 100000 // initial/maximum allowed update size
  49. allowedUpdateRate = time.Millisecond * 10 // time constant for recharging one byte of allowance
  50. freezeTimeBase = time.Millisecond * 700 // fixed component of client freeze time
  51. freezeTimeRandom = time.Millisecond * 600 // random component of client freeze time
  52. freezeCheckPeriod = time.Millisecond * 100 // buffer value recheck period after initial freeze time has elapsed
  53. // If the total encoded size of a sent transaction batch is over txSizeCostLimit
  54. // per transaction then the request cost is calculated as proportional to the
  55. // encoded size instead of the transaction count
  56. txSizeCostLimit = 0x4000
  57. // handshakeTimeout is the timeout LES handshake will be treated as failed.
  58. handshakeTimeout = 5 * time.Second
  59. )
  60. const (
  61. announceTypeNone = iota
  62. announceTypeSimple
  63. announceTypeSigned
  64. )
  65. type keyValueEntry struct {
  66. Key string
  67. Value rlp.RawValue
  68. }
  69. type keyValueList []keyValueEntry
  70. type keyValueMap map[string]rlp.RawValue
  71. func (l keyValueList) add(key string, val interface{}) keyValueList {
  72. var entry keyValueEntry
  73. entry.Key = key
  74. if val == nil {
  75. val = uint64(0)
  76. }
  77. enc, err := rlp.EncodeToBytes(val)
  78. if err == nil {
  79. entry.Value = enc
  80. }
  81. return append(l, entry)
  82. }
  83. func (l keyValueList) decode() (keyValueMap, uint64) {
  84. m := make(keyValueMap)
  85. var size uint64
  86. for _, entry := range l {
  87. m[entry.Key] = entry.Value
  88. size += uint64(len(entry.Key)) + uint64(len(entry.Value)) + 8
  89. }
  90. return m, size
  91. }
  92. func (m keyValueMap) get(key string, val interface{}) error {
  93. enc, ok := m[key]
  94. if !ok {
  95. return errResp(ErrMissingKey, "%s", key)
  96. }
  97. if val == nil {
  98. return nil
  99. }
  100. return rlp.DecodeBytes(enc, val)
  101. }
  102. // peerCommons contains fields needed by both server peer and client peer.
  103. type peerCommons struct {
  104. *p2p.Peer
  105. rw p2p.MsgReadWriter
  106. id string // Peer identity.
  107. version int // Protocol version negotiated.
  108. network uint64 // Network ID being on.
  109. frozen uint32 // Flag whether the peer is frozen.
  110. announceType uint64 // New block announcement type.
  111. serving uint32 // The status indicates the peer is served.
  112. headInfo blockInfo // Last announced block information.
  113. // Background task queue for caching peer tasks and executing in order.
  114. sendQueue *utils.ExecQueue
  115. // Flow control agreement.
  116. fcParams flowcontrol.ServerParams // The config for token bucket.
  117. fcCosts requestCostTable // The Maximum request cost table.
  118. closeCh chan struct{}
  119. lock sync.RWMutex // Lock used to protect all thread-sensitive fields.
  120. }
  121. // isFrozen returns true if the client is frozen or the server has put our
  122. // client in frozen state
  123. func (p *peerCommons) isFrozen() bool {
  124. return atomic.LoadUint32(&p.frozen) != 0
  125. }
  126. // canQueue returns an indicator whether the peer can queue an operation.
  127. func (p *peerCommons) canQueue() bool {
  128. return p.sendQueue.CanQueue() && !p.isFrozen()
  129. }
  130. // queueSend caches a peer operation in the background task queue.
  131. // Please ensure to check `canQueue` before call this function
  132. func (p *peerCommons) queueSend(f func()) bool {
  133. return p.sendQueue.Queue(f)
  134. }
  135. // String implements fmt.Stringer.
  136. func (p *peerCommons) String() string {
  137. return fmt.Sprintf("Peer %s [%s]", p.id, fmt.Sprintf("les/%d", p.version))
  138. }
  139. // PeerInfo represents a short summary of the `eth` sub-protocol metadata known
  140. // about a connected peer.
  141. type PeerInfo struct {
  142. Version int `json:"version"` // Ethereum protocol version negotiated
  143. Difficulty *big.Int `json:"difficulty"` // Total difficulty of the peer's blockchain
  144. Head string `json:"head"` // SHA3 hash of the peer's best owned block
  145. }
  146. // Info gathers and returns a collection of metadata known about a peer.
  147. func (p *peerCommons) Info() *PeerInfo {
  148. return &PeerInfo{
  149. Version: p.version,
  150. Difficulty: p.Td(),
  151. Head: fmt.Sprintf("%x", p.Head()),
  152. }
  153. }
  154. // Head retrieves a copy of the current head (most recent) hash of the peer.
  155. func (p *peerCommons) Head() (hash common.Hash) {
  156. p.lock.RLock()
  157. defer p.lock.RUnlock()
  158. return p.headInfo.Hash
  159. }
  160. // Td retrieves the current total difficulty of a peer.
  161. func (p *peerCommons) Td() *big.Int {
  162. p.lock.RLock()
  163. defer p.lock.RUnlock()
  164. return new(big.Int).Set(p.headInfo.Td)
  165. }
  166. // HeadAndTd retrieves the current head hash and total difficulty of a peer.
  167. func (p *peerCommons) HeadAndTd() (hash common.Hash, td *big.Int) {
  168. p.lock.RLock()
  169. defer p.lock.RUnlock()
  170. return p.headInfo.Hash, new(big.Int).Set(p.headInfo.Td)
  171. }
  172. // sendReceiveHandshake exchanges handshake packet with remote peer and returns any error
  173. // if failed to send or receive packet.
  174. func (p *peerCommons) sendReceiveHandshake(sendList keyValueList) (keyValueList, error) {
  175. var (
  176. errc = make(chan error, 2)
  177. recvList keyValueList
  178. )
  179. // Send out own handshake in a new thread
  180. go func() {
  181. errc <- p2p.Send(p.rw, StatusMsg, sendList)
  182. }()
  183. go func() {
  184. // In the mean time retrieve the remote status message
  185. msg, err := p.rw.ReadMsg()
  186. if err != nil {
  187. errc <- err
  188. return
  189. }
  190. if msg.Code != StatusMsg {
  191. errc <- errResp(ErrNoStatusMsg, "first msg has code %x (!= %x)", msg.Code, StatusMsg)
  192. return
  193. }
  194. if msg.Size > ProtocolMaxMsgSize {
  195. errc <- errResp(ErrMsgTooLarge, "%v > %v", msg.Size, ProtocolMaxMsgSize)
  196. return
  197. }
  198. // Decode the handshake
  199. if err := msg.Decode(&recvList); err != nil {
  200. errc <- errResp(ErrDecode, "msg %v: %v", msg, err)
  201. return
  202. }
  203. errc <- nil
  204. }()
  205. timeout := time.NewTimer(handshakeTimeout)
  206. defer timeout.Stop()
  207. for i := 0; i < 2; i++ {
  208. select {
  209. case err := <-errc:
  210. if err != nil {
  211. return nil, err
  212. }
  213. case <-timeout.C:
  214. return nil, p2p.DiscReadTimeout
  215. }
  216. }
  217. return recvList, nil
  218. }
  219. // handshake executes the les protocol handshake, negotiating version number,
  220. // network IDs, difficulties, head and genesis blocks. Besides the basic handshake
  221. // fields, server and client can exchange and resolve some specified fields through
  222. // two callback functions.
  223. func (p *peerCommons) handshake(td *big.Int, head common.Hash, headNum uint64, genesis common.Hash, forkID forkid.ID, forkFilter forkid.Filter, sendCallback func(*keyValueList), recvCallback func(keyValueMap) error) error {
  224. p.lock.Lock()
  225. defer p.lock.Unlock()
  226. var send keyValueList
  227. // Add some basic handshake fields
  228. send = send.add("protocolVersion", uint64(p.version))
  229. send = send.add("networkId", p.network)
  230. // Note: the head info announced at handshake is only used in case of server peers
  231. // but dummy values are still announced by clients for compatibility with older servers
  232. send = send.add("headTd", td)
  233. send = send.add("headHash", head)
  234. send = send.add("headNum", headNum)
  235. send = send.add("genesisHash", genesis)
  236. // If the protocol version is beyond les4, then pass the forkID
  237. // as well. Check http://eips.ethereum.org/EIPS/eip-2124 for more
  238. // spec detail.
  239. if p.version >= lpv4 {
  240. send = send.add("forkID", forkID)
  241. }
  242. // Add client-specified or server-specified fields
  243. if sendCallback != nil {
  244. sendCallback(&send)
  245. }
  246. // Exchange the handshake packet and resolve the received one.
  247. recvList, err := p.sendReceiveHandshake(send)
  248. if err != nil {
  249. return err
  250. }
  251. recv, size := recvList.decode()
  252. if size > allowedUpdateBytes {
  253. return errResp(ErrRequestRejected, "")
  254. }
  255. var rGenesis common.Hash
  256. var rVersion, rNetwork uint64
  257. if err := recv.get("protocolVersion", &rVersion); err != nil {
  258. return err
  259. }
  260. if err := recv.get("networkId", &rNetwork); err != nil {
  261. return err
  262. }
  263. if err := recv.get("genesisHash", &rGenesis); err != nil {
  264. return err
  265. }
  266. if rGenesis != genesis {
  267. return errResp(ErrGenesisBlockMismatch, "%x (!= %x)", rGenesis[:8], genesis[:8])
  268. }
  269. if rNetwork != p.network {
  270. return errResp(ErrNetworkIdMismatch, "%d (!= %d)", rNetwork, p.network)
  271. }
  272. if int(rVersion) != p.version {
  273. return errResp(ErrProtocolVersionMismatch, "%d (!= %d)", rVersion, p.version)
  274. }
  275. // Check forkID if the protocol version is beyond the les4
  276. if p.version >= lpv4 {
  277. var forkID forkid.ID
  278. if err := recv.get("forkID", &forkID); err != nil {
  279. return err
  280. }
  281. if err := forkFilter(forkID); err != nil {
  282. return errResp(ErrForkIDRejected, "%v", err)
  283. }
  284. }
  285. if recvCallback != nil {
  286. return recvCallback(recv)
  287. }
  288. return nil
  289. }
  290. // close closes the channel and notifies all background routines to exit.
  291. func (p *peerCommons) close() {
  292. close(p.closeCh)
  293. p.sendQueue.Quit()
  294. }
  295. // serverPeer represents each node to which the client is connected.
  296. // The node here refers to the les server.
  297. type serverPeer struct {
  298. peerCommons
  299. // Status fields
  300. trusted bool // The flag whether the server is selected as trusted server.
  301. onlyAnnounce bool // The flag whether the server sends announcement only.
  302. chainSince, chainRecent uint64 // The range of chain server peer can serve.
  303. stateSince, stateRecent uint64 // The range of state server peer can serve.
  304. txHistory uint64 // The length of available tx history, 0 means all, 1 means disabled
  305. // Advertised checkpoint fields
  306. checkpointNumber uint64 // The block height which the checkpoint is registered.
  307. checkpoint params.TrustedCheckpoint // The advertised checkpoint sent by server.
  308. fcServer *flowcontrol.ServerNode // Client side mirror token bucket.
  309. vtLock sync.Mutex
  310. valueTracker *vfc.ValueTracker
  311. nodeValueTracker *vfc.NodeValueTracker
  312. sentReqs map[uint64]sentReqEntry
  313. // Statistics
  314. errCount utils.LinearExpiredValue // Counter the invalid responses server has replied
  315. updateCount uint64
  316. updateTime mclock.AbsTime
  317. // Test callback hooks
  318. hasBlockHook func(common.Hash, uint64, bool) bool // Used to determine whether the server has the specified block.
  319. }
  320. func newServerPeer(version int, network uint64, trusted bool, p *p2p.Peer, rw p2p.MsgReadWriter) *serverPeer {
  321. return &serverPeer{
  322. peerCommons: peerCommons{
  323. Peer: p,
  324. rw: rw,
  325. id: p.ID().String(),
  326. version: version,
  327. network: network,
  328. sendQueue: utils.NewExecQueue(100),
  329. closeCh: make(chan struct{}),
  330. },
  331. trusted: trusted,
  332. errCount: utils.LinearExpiredValue{Rate: mclock.AbsTime(time.Hour)},
  333. }
  334. }
  335. // rejectUpdate returns true if a parameter update has to be rejected because
  336. // the size and/or rate of updates exceed the capacity limitation
  337. func (p *serverPeer) rejectUpdate(size uint64) bool {
  338. now := mclock.Now()
  339. if p.updateCount == 0 {
  340. p.updateTime = now
  341. } else {
  342. dt := now - p.updateTime
  343. p.updateTime = now
  344. r := uint64(dt / mclock.AbsTime(allowedUpdateRate))
  345. if p.updateCount > r {
  346. p.updateCount -= r
  347. } else {
  348. p.updateCount = 0
  349. }
  350. }
  351. p.updateCount += size
  352. return p.updateCount > allowedUpdateBytes
  353. }
  354. // freeze processes Stop messages from the given server and set the status as
  355. // frozen.
  356. func (p *serverPeer) freeze() {
  357. if atomic.CompareAndSwapUint32(&p.frozen, 0, 1) {
  358. p.sendQueue.Clear()
  359. }
  360. }
  361. // unfreeze processes Resume messages from the given server and set the status
  362. // as unfrozen.
  363. func (p *serverPeer) unfreeze() {
  364. atomic.StoreUint32(&p.frozen, 0)
  365. }
  366. // sendRequest send a request to the server based on the given message type
  367. // and content.
  368. func sendRequest(w p2p.MsgWriter, msgcode, reqID uint64, data interface{}) error {
  369. type req struct {
  370. ReqID uint64
  371. Data interface{}
  372. }
  373. return p2p.Send(w, msgcode, req{reqID, data})
  374. }
  375. func (p *serverPeer) sendRequest(msgcode, reqID uint64, data interface{}, amount int) error {
  376. p.sentRequest(reqID, uint32(msgcode), uint32(amount))
  377. return sendRequest(p.rw, msgcode, reqID, data)
  378. }
  379. // requestHeadersByHash fetches a batch of blocks' headers corresponding to the
  380. // specified header query, based on the hash of an origin block.
  381. func (p *serverPeer) requestHeadersByHash(reqID uint64, origin common.Hash, amount int, skip int, reverse bool) error {
  382. p.Log().Debug("Fetching batch of headers", "count", amount, "fromhash", origin, "skip", skip, "reverse", reverse)
  383. return p.sendRequest(GetBlockHeadersMsg, reqID, &GetBlockHeadersData{Origin: hashOrNumber{Hash: origin}, Amount: uint64(amount), Skip: uint64(skip), Reverse: reverse}, amount)
  384. }
  385. // requestHeadersByNumber fetches a batch of blocks' headers corresponding to the
  386. // specified header query, based on the number of an origin block.
  387. func (p *serverPeer) requestHeadersByNumber(reqID, origin uint64, amount int, skip int, reverse bool) error {
  388. p.Log().Debug("Fetching batch of headers", "count", amount, "fromnum", origin, "skip", skip, "reverse", reverse)
  389. return p.sendRequest(GetBlockHeadersMsg, reqID, &GetBlockHeadersData{Origin: hashOrNumber{Number: origin}, Amount: uint64(amount), Skip: uint64(skip), Reverse: reverse}, amount)
  390. }
  391. // requestBodies fetches a batch of blocks' bodies corresponding to the hashes
  392. // specified.
  393. func (p *serverPeer) requestBodies(reqID uint64, hashes []common.Hash) error {
  394. p.Log().Debug("Fetching batch of block bodies", "count", len(hashes))
  395. return p.sendRequest(GetBlockBodiesMsg, reqID, hashes, len(hashes))
  396. }
  397. // requestCode fetches a batch of arbitrary data from a node's known state
  398. // data, corresponding to the specified hashes.
  399. func (p *serverPeer) requestCode(reqID uint64, reqs []CodeReq) error {
  400. p.Log().Debug("Fetching batch of codes", "count", len(reqs))
  401. return p.sendRequest(GetCodeMsg, reqID, reqs, len(reqs))
  402. }
  403. // requestReceipts fetches a batch of transaction receipts from a remote node.
  404. func (p *serverPeer) requestReceipts(reqID uint64, hashes []common.Hash) error {
  405. p.Log().Debug("Fetching batch of receipts", "count", len(hashes))
  406. return p.sendRequest(GetReceiptsMsg, reqID, hashes, len(hashes))
  407. }
  408. // requestProofs fetches a batch of merkle proofs from a remote node.
  409. func (p *serverPeer) requestProofs(reqID uint64, reqs []ProofReq) error {
  410. p.Log().Debug("Fetching batch of proofs", "count", len(reqs))
  411. return p.sendRequest(GetProofsV2Msg, reqID, reqs, len(reqs))
  412. }
  413. // requestHelperTrieProofs fetches a batch of HelperTrie merkle proofs from a remote node.
  414. func (p *serverPeer) requestHelperTrieProofs(reqID uint64, reqs []HelperTrieReq) error {
  415. p.Log().Debug("Fetching batch of HelperTrie proofs", "count", len(reqs))
  416. return p.sendRequest(GetHelperTrieProofsMsg, reqID, reqs, len(reqs))
  417. }
  418. // requestTxStatus fetches a batch of transaction status records from a remote node.
  419. func (p *serverPeer) requestTxStatus(reqID uint64, txHashes []common.Hash) error {
  420. p.Log().Debug("Requesting transaction status", "count", len(txHashes))
  421. return p.sendRequest(GetTxStatusMsg, reqID, txHashes, len(txHashes))
  422. }
  423. // sendTxs creates a reply with a batch of transactions to be added to the remote transaction pool.
  424. func (p *serverPeer) sendTxs(reqID uint64, amount int, txs rlp.RawValue) error {
  425. p.Log().Debug("Sending batch of transactions", "amount", amount, "size", len(txs))
  426. sizeFactor := (len(txs) + txSizeCostLimit/2) / txSizeCostLimit
  427. if sizeFactor > amount {
  428. amount = sizeFactor
  429. }
  430. return p.sendRequest(SendTxV2Msg, reqID, txs, amount)
  431. }
  432. // waitBefore implements distPeer interface
  433. func (p *serverPeer) waitBefore(maxCost uint64) (time.Duration, float64) {
  434. return p.fcServer.CanSend(maxCost)
  435. }
  436. // getRequestCost returns an estimated request cost according to the flow control
  437. // rules negotiated between the server and the client.
  438. func (p *serverPeer) getRequestCost(msgcode uint64, amount int) uint64 {
  439. p.lock.RLock()
  440. defer p.lock.RUnlock()
  441. costs := p.fcCosts[msgcode]
  442. if costs == nil {
  443. return 0
  444. }
  445. cost := costs.baseCost + costs.reqCost*uint64(amount)
  446. if cost > p.fcParams.BufLimit {
  447. cost = p.fcParams.BufLimit
  448. }
  449. return cost
  450. }
  451. // getTxRelayCost returns an estimated relay cost according to the flow control
  452. // rules negotiated between the server and the client.
  453. func (p *serverPeer) getTxRelayCost(amount, size int) uint64 {
  454. p.lock.RLock()
  455. defer p.lock.RUnlock()
  456. costs := p.fcCosts[SendTxV2Msg]
  457. if costs == nil {
  458. return 0
  459. }
  460. cost := costs.baseCost + costs.reqCost*uint64(amount)
  461. sizeCost := costs.baseCost + costs.reqCost*uint64(size)/txSizeCostLimit
  462. if sizeCost > cost {
  463. cost = sizeCost
  464. }
  465. if cost > p.fcParams.BufLimit {
  466. cost = p.fcParams.BufLimit
  467. }
  468. return cost
  469. }
  470. // HasBlock checks if the peer has a given block
  471. func (p *serverPeer) HasBlock(hash common.Hash, number uint64, hasState bool) bool {
  472. p.lock.RLock()
  473. defer p.lock.RUnlock()
  474. if p.hasBlockHook != nil {
  475. return p.hasBlockHook(hash, number, hasState)
  476. }
  477. head := p.headInfo.Number
  478. var since, recent uint64
  479. if hasState {
  480. since = p.stateSince
  481. recent = p.stateRecent
  482. } else {
  483. since = p.chainSince
  484. recent = p.chainRecent
  485. }
  486. return head >= number && number >= since && (recent == 0 || number+recent+4 > head)
  487. }
  488. // updateFlowControl updates the flow control parameters belonging to the server
  489. // node if the announced key/value set contains relevant fields
  490. func (p *serverPeer) updateFlowControl(update keyValueMap) {
  491. p.lock.Lock()
  492. defer p.lock.Unlock()
  493. // If any of the flow control params is nil, refuse to update.
  494. var params flowcontrol.ServerParams
  495. if update.get("flowControl/BL", &params.BufLimit) == nil && update.get("flowControl/MRR", &params.MinRecharge) == nil {
  496. // todo can light client set a minimal acceptable flow control params?
  497. p.fcParams = params
  498. p.fcServer.UpdateParams(params)
  499. }
  500. var MRC RequestCostList
  501. if update.get("flowControl/MRC", &MRC) == nil {
  502. costUpdate := MRC.decode(ProtocolLengths[uint(p.version)])
  503. for code, cost := range costUpdate {
  504. p.fcCosts[code] = cost
  505. }
  506. }
  507. }
  508. // updateHead updates the head information based on the announcement from
  509. // the peer.
  510. func (p *serverPeer) updateHead(hash common.Hash, number uint64, td *big.Int) {
  511. p.lock.Lock()
  512. defer p.lock.Unlock()
  513. p.headInfo = blockInfo{Hash: hash, Number: number, Td: td}
  514. }
  515. // Handshake executes the les protocol handshake, negotiating version number,
  516. // network IDs and genesis blocks.
  517. func (p *serverPeer) Handshake(genesis common.Hash, forkid forkid.ID, forkFilter forkid.Filter) error {
  518. // Note: there is no need to share local head with a server but older servers still
  519. // require these fields so we announce zero values.
  520. return p.handshake(common.Big0, common.Hash{}, 0, genesis, forkid, forkFilter, func(lists *keyValueList) {
  521. // Add some client-specific handshake fields
  522. //
  523. // Enable signed announcement randomly even the server is not trusted.
  524. p.announceType = announceTypeSimple
  525. if p.trusted {
  526. p.announceType = announceTypeSigned
  527. }
  528. *lists = (*lists).add("announceType", p.announceType)
  529. }, func(recv keyValueMap) error {
  530. var (
  531. rHash common.Hash
  532. rNum uint64
  533. rTd *big.Int
  534. )
  535. if err := recv.get("headTd", &rTd); err != nil {
  536. return err
  537. }
  538. if err := recv.get("headHash", &rHash); err != nil {
  539. return err
  540. }
  541. if err := recv.get("headNum", &rNum); err != nil {
  542. return err
  543. }
  544. p.headInfo = blockInfo{Hash: rHash, Number: rNum, Td: rTd}
  545. if recv.get("serveChainSince", &p.chainSince) != nil {
  546. p.onlyAnnounce = true
  547. }
  548. if recv.get("serveRecentChain", &p.chainRecent) != nil {
  549. p.chainRecent = 0
  550. }
  551. if recv.get("serveStateSince", &p.stateSince) != nil {
  552. p.onlyAnnounce = true
  553. }
  554. if recv.get("serveRecentState", &p.stateRecent) != nil {
  555. p.stateRecent = 0
  556. }
  557. if recv.get("txRelay", nil) != nil {
  558. p.onlyAnnounce = true
  559. }
  560. if p.version >= lpv4 {
  561. var recentTx uint
  562. if err := recv.get("recentTxLookup", &recentTx); err != nil {
  563. return err
  564. }
  565. p.txHistory = uint64(recentTx)
  566. } else {
  567. // The weak assumption is held here that legacy les server(les2,3)
  568. // has unlimited transaction history. The les serving in these legacy
  569. // versions is disabled if the transaction is unindexed.
  570. p.txHistory = txIndexUnlimited
  571. }
  572. if p.onlyAnnounce && !p.trusted {
  573. return errResp(ErrUselessPeer, "peer cannot serve requests")
  574. }
  575. // Parse flow control handshake packet.
  576. var sParams flowcontrol.ServerParams
  577. if err := recv.get("flowControl/BL", &sParams.BufLimit); err != nil {
  578. return err
  579. }
  580. if err := recv.get("flowControl/MRR", &sParams.MinRecharge); err != nil {
  581. return err
  582. }
  583. var MRC RequestCostList
  584. if err := recv.get("flowControl/MRC", &MRC); err != nil {
  585. return err
  586. }
  587. p.fcParams = sParams
  588. p.fcServer = flowcontrol.NewServerNode(sParams, &mclock.System{})
  589. p.fcCosts = MRC.decode(ProtocolLengths[uint(p.version)])
  590. recv.get("checkpoint/value", &p.checkpoint)
  591. recv.get("checkpoint/registerHeight", &p.checkpointNumber)
  592. if !p.onlyAnnounce {
  593. for msgCode := range reqAvgTimeCost {
  594. if p.fcCosts[msgCode] == nil {
  595. return errResp(ErrUselessPeer, "peer does not support message %d", msgCode)
  596. }
  597. }
  598. }
  599. return nil
  600. })
  601. }
  602. // setValueTracker sets the value tracker references for connected servers. Note that the
  603. // references should be removed upon disconnection by setValueTracker(nil, nil).
  604. func (p *serverPeer) setValueTracker(vt *vfc.ValueTracker, nvt *vfc.NodeValueTracker) {
  605. p.vtLock.Lock()
  606. p.valueTracker = vt
  607. p.nodeValueTracker = nvt
  608. if nvt != nil {
  609. p.sentReqs = make(map[uint64]sentReqEntry)
  610. } else {
  611. p.sentReqs = nil
  612. }
  613. p.vtLock.Unlock()
  614. }
  615. // updateVtParams updates the server's price table in the value tracker.
  616. func (p *serverPeer) updateVtParams() {
  617. p.vtLock.Lock()
  618. defer p.vtLock.Unlock()
  619. if p.nodeValueTracker == nil {
  620. return
  621. }
  622. reqCosts := make([]uint64, len(requestList))
  623. for code, costs := range p.fcCosts {
  624. if m, ok := requestMapping[uint32(code)]; ok {
  625. reqCosts[m.first] = costs.baseCost + costs.reqCost
  626. if m.rest != -1 {
  627. reqCosts[m.rest] = costs.reqCost
  628. }
  629. }
  630. }
  631. p.valueTracker.UpdateCosts(p.nodeValueTracker, reqCosts)
  632. }
  633. // sentReqEntry remembers sent requests and their sending times
  634. type sentReqEntry struct {
  635. reqType, amount uint32
  636. at mclock.AbsTime
  637. }
  638. // sentRequest marks a request sent at the current moment to this server.
  639. func (p *serverPeer) sentRequest(id uint64, reqType, amount uint32) {
  640. p.vtLock.Lock()
  641. if p.sentReqs != nil {
  642. p.sentReqs[id] = sentReqEntry{reqType, amount, mclock.Now()}
  643. }
  644. p.vtLock.Unlock()
  645. }
  646. // answeredRequest marks a request answered at the current moment by this server.
  647. func (p *serverPeer) answeredRequest(id uint64) {
  648. p.vtLock.Lock()
  649. if p.sentReqs == nil {
  650. p.vtLock.Unlock()
  651. return
  652. }
  653. e, ok := p.sentReqs[id]
  654. delete(p.sentReqs, id)
  655. vt := p.valueTracker
  656. nvt := p.nodeValueTracker
  657. p.vtLock.Unlock()
  658. if !ok {
  659. return
  660. }
  661. var (
  662. vtReqs [2]vfc.ServedRequest
  663. reqCount int
  664. )
  665. m := requestMapping[e.reqType]
  666. if m.rest == -1 || e.amount <= 1 {
  667. reqCount = 1
  668. vtReqs[0] = vfc.ServedRequest{ReqType: uint32(m.first), Amount: e.amount}
  669. } else {
  670. reqCount = 2
  671. vtReqs[0] = vfc.ServedRequest{ReqType: uint32(m.first), Amount: 1}
  672. vtReqs[1] = vfc.ServedRequest{ReqType: uint32(m.rest), Amount: e.amount - 1}
  673. }
  674. dt := time.Duration(mclock.Now() - e.at)
  675. vt.Served(nvt, vtReqs[:reqCount], dt)
  676. }
  677. // clientPeer represents each node to which the les server is connected.
  678. // The node here refers to the light client.
  679. type clientPeer struct {
  680. peerCommons
  681. // responseLock ensures that responses are queued in the same order as
  682. // RequestProcessed is called
  683. responseLock sync.Mutex
  684. responseCount uint64 // Counter to generate an unique id for request processing.
  685. balance *vfs.NodeBalance
  686. // invalidLock is used for protecting invalidCount.
  687. invalidLock sync.RWMutex
  688. invalidCount utils.LinearExpiredValue // Counter the invalid request the client peer has made.
  689. server bool
  690. errCh chan error
  691. fcClient *flowcontrol.ClientNode // Server side mirror token bucket.
  692. }
  693. func newClientPeer(version int, network uint64, p *p2p.Peer, rw p2p.MsgReadWriter) *clientPeer {
  694. return &clientPeer{
  695. peerCommons: peerCommons{
  696. Peer: p,
  697. rw: rw,
  698. id: p.ID().String(),
  699. version: version,
  700. network: network,
  701. sendQueue: utils.NewExecQueue(100),
  702. closeCh: make(chan struct{}),
  703. },
  704. invalidCount: utils.LinearExpiredValue{Rate: mclock.AbsTime(time.Hour)},
  705. errCh: make(chan error, 1),
  706. }
  707. }
  708. // freeClientId returns a string identifier for the peer. Multiple peers with
  709. // the same identifier can not be connected in free mode simultaneously.
  710. func (p *clientPeer) freeClientId() string {
  711. if addr, ok := p.RemoteAddr().(*net.TCPAddr); ok {
  712. if addr.IP.IsLoopback() {
  713. // using peer id instead of loopback ip address allows multiple free
  714. // connections from local machine to own server
  715. return p.id
  716. } else {
  717. return addr.IP.String()
  718. }
  719. }
  720. return p.id
  721. }
  722. // sendStop notifies the client about being in frozen state
  723. func (p *clientPeer) sendStop() error {
  724. return p2p.Send(p.rw, StopMsg, struct{}{})
  725. }
  726. // sendResume notifies the client about getting out of frozen state
  727. func (p *clientPeer) sendResume(bv uint64) error {
  728. return p2p.Send(p.rw, ResumeMsg, bv)
  729. }
  730. // freeze temporarily puts the client in a frozen state which means all unprocessed
  731. // and subsequent requests are dropped. Unfreezing happens automatically after a short
  732. // time if the client's buffer value is at least in the slightly positive region.
  733. // The client is also notified about being frozen/unfrozen with a Stop/Resume message.
  734. func (p *clientPeer) freeze() {
  735. if p.version < lpv3 {
  736. // if Stop/Resume is not supported then just drop the peer after setting
  737. // its frozen status permanently
  738. atomic.StoreUint32(&p.frozen, 1)
  739. p.Peer.Disconnect(p2p.DiscUselessPeer)
  740. return
  741. }
  742. if atomic.SwapUint32(&p.frozen, 1) == 0 {
  743. go func() {
  744. p.sendStop()
  745. time.Sleep(freezeTimeBase + time.Duration(rand.Int63n(int64(freezeTimeRandom))))
  746. for {
  747. bufValue, bufLimit := p.fcClient.BufferStatus()
  748. if bufLimit == 0 {
  749. return
  750. }
  751. if bufValue <= bufLimit/8 {
  752. time.Sleep(freezeCheckPeriod)
  753. continue
  754. }
  755. atomic.StoreUint32(&p.frozen, 0)
  756. p.sendResume(bufValue)
  757. return
  758. }
  759. }()
  760. }
  761. }
  762. // reply struct represents a reply with the actual data already RLP encoded and
  763. // only the bv (buffer value) missing. This allows the serving mechanism to
  764. // calculate the bv value which depends on the data size before sending the reply.
  765. type reply struct {
  766. w p2p.MsgWriter
  767. msgcode, reqID uint64
  768. data rlp.RawValue
  769. }
  770. // send sends the reply with the calculated buffer value
  771. func (r *reply) send(bv uint64) error {
  772. type resp struct {
  773. ReqID, BV uint64
  774. Data rlp.RawValue
  775. }
  776. return p2p.Send(r.w, r.msgcode, resp{r.reqID, bv, r.data})
  777. }
  778. // size returns the RLP encoded size of the message data
  779. func (r *reply) size() uint32 {
  780. return uint32(len(r.data))
  781. }
  782. // replyBlockHeaders creates a reply with a batch of block headers
  783. func (p *clientPeer) replyBlockHeaders(reqID uint64, headers []*types.Header) *reply {
  784. data, _ := rlp.EncodeToBytes(headers)
  785. return &reply{p.rw, BlockHeadersMsg, reqID, data}
  786. }
  787. // replyBlockBodiesRLP creates a reply with a batch of block contents from
  788. // an already RLP encoded format.
  789. func (p *clientPeer) replyBlockBodiesRLP(reqID uint64, bodies []rlp.RawValue) *reply {
  790. data, _ := rlp.EncodeToBytes(bodies)
  791. return &reply{p.rw, BlockBodiesMsg, reqID, data}
  792. }
  793. // replyCode creates a reply with a batch of arbitrary internal data, corresponding to the
  794. // hashes requested.
  795. func (p *clientPeer) replyCode(reqID uint64, codes [][]byte) *reply {
  796. data, _ := rlp.EncodeToBytes(codes)
  797. return &reply{p.rw, CodeMsg, reqID, data}
  798. }
  799. // replyReceiptsRLP creates a reply with a batch of transaction receipts, corresponding to the
  800. // ones requested from an already RLP encoded format.
  801. func (p *clientPeer) replyReceiptsRLP(reqID uint64, receipts []rlp.RawValue) *reply {
  802. data, _ := rlp.EncodeToBytes(receipts)
  803. return &reply{p.rw, ReceiptsMsg, reqID, data}
  804. }
  805. // replyProofsV2 creates a reply with a batch of merkle proofs, corresponding to the ones requested.
  806. func (p *clientPeer) replyProofsV2(reqID uint64, proofs light.NodeList) *reply {
  807. data, _ := rlp.EncodeToBytes(proofs)
  808. return &reply{p.rw, ProofsV2Msg, reqID, data}
  809. }
  810. // replyHelperTrieProofs creates a reply with a batch of HelperTrie proofs, corresponding to the ones requested.
  811. func (p *clientPeer) replyHelperTrieProofs(reqID uint64, resp HelperTrieResps) *reply {
  812. data, _ := rlp.EncodeToBytes(resp)
  813. return &reply{p.rw, HelperTrieProofsMsg, reqID, data}
  814. }
  815. // replyTxStatus creates a reply with a batch of transaction status records, corresponding to the ones requested.
  816. func (p *clientPeer) replyTxStatus(reqID uint64, stats []light.TxStatus) *reply {
  817. data, _ := rlp.EncodeToBytes(stats)
  818. return &reply{p.rw, TxStatusMsg, reqID, data}
  819. }
  820. // sendAnnounce announces the availability of a number of blocks through
  821. // a hash notification.
  822. func (p *clientPeer) sendAnnounce(request announceData) error {
  823. return p2p.Send(p.rw, AnnounceMsg, request)
  824. }
  825. // allowInactive implements clientPoolPeer
  826. func (p *clientPeer) allowInactive() bool {
  827. return false
  828. }
  829. // updateCapacity updates the request serving capacity assigned to a given client
  830. // and also sends an announcement about the updated flow control parameters
  831. func (p *clientPeer) updateCapacity(cap uint64) {
  832. p.lock.Lock()
  833. defer p.lock.Unlock()
  834. if cap != p.fcParams.MinRecharge {
  835. p.fcParams = flowcontrol.ServerParams{MinRecharge: cap, BufLimit: cap * bufLimitRatio}
  836. p.fcClient.UpdateParams(p.fcParams)
  837. var kvList keyValueList
  838. kvList = kvList.add("flowControl/MRR", cap)
  839. kvList = kvList.add("flowControl/BL", cap*bufLimitRatio)
  840. p.queueSend(func() { p.sendAnnounce(announceData{Update: kvList}) })
  841. }
  842. }
  843. // freezeClient temporarily puts the client in a frozen state which means all
  844. // unprocessed and subsequent requests are dropped. Unfreezing happens automatically
  845. // after a short time if the client's buffer value is at least in the slightly positive
  846. // region. The client is also notified about being frozen/unfrozen with a Stop/Resume
  847. // message.
  848. func (p *clientPeer) freezeClient() {
  849. if p.version < lpv3 {
  850. // if Stop/Resume is not supported then just drop the peer after setting
  851. // its frozen status permanently
  852. atomic.StoreUint32(&p.frozen, 1)
  853. p.Peer.Disconnect(p2p.DiscUselessPeer)
  854. return
  855. }
  856. if atomic.SwapUint32(&p.frozen, 1) == 0 {
  857. go func() {
  858. p.sendStop()
  859. time.Sleep(freezeTimeBase + time.Duration(rand.Int63n(int64(freezeTimeRandom))))
  860. for {
  861. bufValue, bufLimit := p.fcClient.BufferStatus()
  862. if bufLimit == 0 {
  863. return
  864. }
  865. if bufValue <= bufLimit/8 {
  866. time.Sleep(freezeCheckPeriod)
  867. } else {
  868. atomic.StoreUint32(&p.frozen, 0)
  869. p.sendResume(bufValue)
  870. break
  871. }
  872. }
  873. }()
  874. }
  875. }
  876. // Handshake executes the les protocol handshake, negotiating version number,
  877. // network IDs, difficulties, head and genesis blocks.
  878. func (p *clientPeer) Handshake(td *big.Int, head common.Hash, headNum uint64, genesis common.Hash, forkID forkid.ID, forkFilter forkid.Filter, server *LesServer) error {
  879. recentTx := server.handler.blockchain.TxLookupLimit()
  880. if recentTx != txIndexUnlimited {
  881. if recentTx < blockSafetyMargin {
  882. recentTx = txIndexDisabled
  883. } else {
  884. recentTx -= blockSafetyMargin - txIndexRecentOffset
  885. }
  886. }
  887. if server.config.UltraLightOnlyAnnounce {
  888. recentTx = txIndexDisabled
  889. }
  890. if recentTx != txIndexUnlimited && p.version < lpv4 {
  891. return errors.New("Cannot serve old clients without a complete tx index")
  892. }
  893. // Note: clientPeer.headInfo should contain the last head announced to the client by us.
  894. // The values announced in the handshake are dummy values for compatibility reasons and should be ignored.
  895. p.headInfo = blockInfo{Hash: head, Number: headNum, Td: td}
  896. return p.handshake(td, head, headNum, genesis, forkID, forkFilter, func(lists *keyValueList) {
  897. // Add some information which services server can offer.
  898. if !server.config.UltraLightOnlyAnnounce {
  899. *lists = (*lists).add("serveHeaders", nil)
  900. *lists = (*lists).add("serveChainSince", uint64(0))
  901. *lists = (*lists).add("serveStateSince", uint64(0))
  902. // If local ethereum node is running in archive mode, advertise ourselves we have
  903. // all version state data. Otherwise only recent state is available.
  904. stateRecent := uint64(core.TriesInMemory - blockSafetyMargin)
  905. if server.archiveMode {
  906. stateRecent = 0
  907. }
  908. *lists = (*lists).add("serveRecentState", stateRecent)
  909. *lists = (*lists).add("txRelay", nil)
  910. }
  911. if p.version >= lpv4 {
  912. *lists = (*lists).add("recentTxLookup", recentTx)
  913. }
  914. *lists = (*lists).add("flowControl/BL", server.defParams.BufLimit)
  915. *lists = (*lists).add("flowControl/MRR", server.defParams.MinRecharge)
  916. var costList RequestCostList
  917. if server.costTracker.testCostList != nil {
  918. costList = server.costTracker.testCostList
  919. } else {
  920. costList = server.costTracker.makeCostList(server.costTracker.globalFactor())
  921. }
  922. *lists = (*lists).add("flowControl/MRC", costList)
  923. p.fcCosts = costList.decode(ProtocolLengths[uint(p.version)])
  924. p.fcParams = server.defParams
  925. // Add advertised checkpoint and register block height which
  926. // client can verify the checkpoint validity.
  927. if server.oracle != nil && server.oracle.IsRunning() {
  928. cp, height := server.oracle.StableCheckpoint()
  929. if cp != nil {
  930. *lists = (*lists).add("checkpoint/value", cp)
  931. *lists = (*lists).add("checkpoint/registerHeight", height)
  932. }
  933. }
  934. }, func(recv keyValueMap) error {
  935. p.server = recv.get("flowControl/MRR", nil) == nil
  936. if p.server {
  937. p.announceType = announceTypeNone // connected to another server, send no messages
  938. } else {
  939. if recv.get("announceType", &p.announceType) != nil {
  940. // set default announceType on server side
  941. p.announceType = announceTypeSimple
  942. }
  943. p.fcClient = flowcontrol.NewClientNode(server.fcManager, p.fcParams)
  944. }
  945. return nil
  946. })
  947. }
  948. func (p *clientPeer) bumpInvalid() {
  949. p.invalidLock.Lock()
  950. p.invalidCount.Add(1, mclock.Now())
  951. p.invalidLock.Unlock()
  952. }
  953. func (p *clientPeer) getInvalid() uint64 {
  954. p.invalidLock.RLock()
  955. defer p.invalidLock.RUnlock()
  956. return p.invalidCount.Value(mclock.Now())
  957. }
  958. // serverPeerSubscriber is an interface to notify services about added or
  959. // removed server peers
  960. type serverPeerSubscriber interface {
  961. registerPeer(*serverPeer)
  962. unregisterPeer(*serverPeer)
  963. }
  964. // serverPeerSet represents the set of active server peers currently
  965. // participating in the Light Ethereum sub-protocol.
  966. type serverPeerSet struct {
  967. peers map[string]*serverPeer
  968. // subscribers is a batch of subscribers and peerset will notify
  969. // these subscribers when the peerset changes(new server peer is
  970. // added or removed)
  971. subscribers []serverPeerSubscriber
  972. closed bool
  973. lock sync.RWMutex
  974. }
  975. // newServerPeerSet creates a new peer set to track the active server peers.
  976. func newServerPeerSet() *serverPeerSet {
  977. return &serverPeerSet{peers: make(map[string]*serverPeer)}
  978. }
  979. // subscribe adds a service to be notified about added or removed
  980. // peers and also register all active peers into the given service.
  981. func (ps *serverPeerSet) subscribe(sub serverPeerSubscriber) {
  982. ps.lock.Lock()
  983. defer ps.lock.Unlock()
  984. ps.subscribers = append(ps.subscribers, sub)
  985. for _, p := range ps.peers {
  986. sub.registerPeer(p)
  987. }
  988. }
  989. // unSubscribe removes the specified service from the subscriber pool.
  990. func (ps *serverPeerSet) unSubscribe(sub serverPeerSubscriber) {
  991. ps.lock.Lock()
  992. defer ps.lock.Unlock()
  993. for i, s := range ps.subscribers {
  994. if s == sub {
  995. ps.subscribers = append(ps.subscribers[:i], ps.subscribers[i+1:]...)
  996. return
  997. }
  998. }
  999. }
  1000. // register adds a new server peer into the set, or returns an error if the
  1001. // peer is already known.
  1002. func (ps *serverPeerSet) register(peer *serverPeer) error {
  1003. ps.lock.Lock()
  1004. defer ps.lock.Unlock()
  1005. if ps.closed {
  1006. return errClosed
  1007. }
  1008. if _, exist := ps.peers[peer.id]; exist {
  1009. return errAlreadyRegistered
  1010. }
  1011. ps.peers[peer.id] = peer
  1012. for _, sub := range ps.subscribers {
  1013. sub.registerPeer(peer)
  1014. }
  1015. return nil
  1016. }
  1017. // unregister removes a remote peer from the active set, disabling any further
  1018. // actions to/from that particular entity. It also initiates disconnection at
  1019. // the networking layer.
  1020. func (ps *serverPeerSet) unregister(id string) error {
  1021. ps.lock.Lock()
  1022. defer ps.lock.Unlock()
  1023. p, ok := ps.peers[id]
  1024. if !ok {
  1025. return errNotRegistered
  1026. }
  1027. delete(ps.peers, id)
  1028. for _, sub := range ps.subscribers {
  1029. sub.unregisterPeer(p)
  1030. }
  1031. p.Peer.Disconnect(p2p.DiscRequested)
  1032. return nil
  1033. }
  1034. // ids returns a list of all registered peer IDs
  1035. func (ps *serverPeerSet) ids() []string {
  1036. ps.lock.RLock()
  1037. defer ps.lock.RUnlock()
  1038. var ids []string
  1039. for id := range ps.peers {
  1040. ids = append(ids, id)
  1041. }
  1042. return ids
  1043. }
  1044. // peer retrieves the registered peer with the given id.
  1045. func (ps *serverPeerSet) peer(id string) *serverPeer {
  1046. ps.lock.RLock()
  1047. defer ps.lock.RUnlock()
  1048. return ps.peers[id]
  1049. }
  1050. // len returns if the current number of peers in the set.
  1051. func (ps *serverPeerSet) len() int {
  1052. ps.lock.RLock()
  1053. defer ps.lock.RUnlock()
  1054. return len(ps.peers)
  1055. }
  1056. // bestPeer retrieves the known peer with the currently highest total difficulty.
  1057. // If the peerset is "client peer set", then nothing meaningful will return. The
  1058. // reason is client peer never send back their latest status to server.
  1059. func (ps *serverPeerSet) bestPeer() *serverPeer {
  1060. ps.lock.RLock()
  1061. defer ps.lock.RUnlock()
  1062. var (
  1063. bestPeer *serverPeer
  1064. bestTd *big.Int
  1065. )
  1066. for _, p := range ps.peers {
  1067. if td := p.Td(); bestTd == nil || td.Cmp(bestTd) > 0 {
  1068. bestPeer, bestTd = p, td
  1069. }
  1070. }
  1071. return bestPeer
  1072. }
  1073. // allServerPeers returns all server peers in a list.
  1074. func (ps *serverPeerSet) allPeers() []*serverPeer {
  1075. ps.lock.RLock()
  1076. defer ps.lock.RUnlock()
  1077. list := make([]*serverPeer, 0, len(ps.peers))
  1078. for _, p := range ps.peers {
  1079. list = append(list, p)
  1080. }
  1081. return list
  1082. }
  1083. // close disconnects all peers. No new peers can be registered
  1084. // after close has returned.
  1085. func (ps *serverPeerSet) close() {
  1086. ps.lock.Lock()
  1087. defer ps.lock.Unlock()
  1088. for _, p := range ps.peers {
  1089. p.Disconnect(p2p.DiscQuitting)
  1090. }
  1091. ps.closed = true
  1092. }