github.com/ebceco/ebc@v1.8.19-0.20190309150932-8cb0b9e06484/core/headerchain.go (about) 1 // Copyright 2015 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 17 package core 18 19 import ( 20 crand "crypto/rand" 21 "errors" 22 "fmt" 23 "math" 24 "math/big" 25 mrand "math/rand" 26 "sync/atomic" 27 "time" 28 29 "github.com/ebceco/ebc/common" 30 "github.com/ebceco/ebc/consensus" 31 "github.com/ebceco/ebc/core/rawdb" 32 "github.com/ebceco/ebc/core/types" 33 "github.com/ebceco/ebc/ethdb" 34 "github.com/ebceco/ebc/log" 35 "github.com/ebceco/ebc/params" 36 "github.com/hashicorp/golang-lru" 37 ) 38 39 const ( 40 headerCacheLimit = 512 41 tdCacheLimit = 1024 42 numberCacheLimit = 2048 43 ) 44 45 // HeaderChain implements the basic block header chain logic that is shared by 46 // core.BlockChain and light.LightChain. It is not usable in itself, only as 47 // a part of either structure. 48 // It is not thread safe either, the encapsulating chain structures should do 49 // the necessary mutex locking/unlocking. 50 type HeaderChain struct { 51 config *params.ChainConfig 52 53 chainDb ethdb.Database 54 genesisHeader *types.Header 55 56 currentHeader atomic.Value // Current head of the header chain (may be above the block chain!) 57 currentHeaderHash common.Hash // Hash of the current head of the header chain (prevent recomputing all the time) 58 59 headerCache *lru.Cache // Cache for the most recent block headers 60 tdCache *lru.Cache // Cache for the most recent block total difficulties 61 numberCache *lru.Cache // Cache for the most recent block numbers 62 63 procInterrupt func() bool 64 65 rand *mrand.Rand 66 engine consensus.Engine 67 } 68 69 // NewHeaderChain creates a new HeaderChain structure. 70 // getValidator should return the parent's validator 71 // procInterrupt points to the parent's interrupt semaphore 72 // wg points to the parent's shutdown wait group 73 func NewHeaderChain(chainDb ethdb.Database, config *params.ChainConfig, engine consensus.Engine, procInterrupt func() bool) (*HeaderChain, error) { 74 headerCache, _ := lru.New(headerCacheLimit) 75 tdCache, _ := lru.New(tdCacheLimit) 76 numberCache, _ := lru.New(numberCacheLimit) 77 78 // Seed a fast but crypto originating random generator 79 seed, err := crand.Int(crand.Reader, big.NewInt(math.MaxInt64)) 80 if err != nil { 81 return nil, err 82 } 83 84 hc := &HeaderChain{ 85 config: config, 86 chainDb: chainDb, 87 headerCache: headerCache, 88 tdCache: tdCache, 89 numberCache: numberCache, 90 procInterrupt: procInterrupt, 91 rand: mrand.New(mrand.NewSource(seed.Int64())), 92 engine: engine, 93 } 94 95 hc.genesisHeader = hc.GetHeaderByNumber(0) 96 if hc.genesisHeader == nil { 97 return nil, ErrNoGenesis 98 } 99 100 hc.currentHeader.Store(hc.genesisHeader) 101 if head := rawdb.ReadHeadBlockHash(chainDb); head != (common.Hash{}) { 102 if chead := hc.GetHeaderByHash(head); chead != nil { 103 hc.currentHeader.Store(chead) 104 } 105 } 106 hc.currentHeaderHash = hc.CurrentHeader().Hash() 107 108 return hc, nil 109 } 110 111 // GetBlockNumber retrieves the block number belonging to the given hash 112 // from the cache or database 113 func (hc *HeaderChain) GetBlockNumber(hash common.Hash) *uint64 { 114 if cached, ok := hc.numberCache.Get(hash); ok { 115 number := cached.(uint64) 116 return &number 117 } 118 number := rawdb.ReadHeaderNumber(hc.chainDb, hash) 119 if number != nil { 120 hc.numberCache.Add(hash, *number) 121 } 122 return number 123 } 124 125 // WriteHeader writes a header into the local chain, given that its parent is 126 // already known. If the total difficulty of the newly inserted header becomes 127 // greater than the current known TD, the canonical chain is re-routed. 128 // 129 // Note: This method is not concurrent-safe with inserting blocks simultaneously 130 // into the chain, as side effects caused by reorganisations cannot be emulated 131 // without the real blocks. Hence, writing headers directly should only be done 132 // in two scenarios: pure-header mode of operation (light clients), or properly 133 // separated header/block phases (non-archive clients). 134 func (hc *HeaderChain) WriteHeader(header *types.Header) (status WriteStatus, err error) { 135 // Cache some values to prevent constant recalculation 136 var ( 137 hash = header.Hash() 138 number = header.Number.Uint64() 139 ) 140 // Calculate the total difficulty of the header 141 ptd := hc.GetTd(header.ParentHash, number-1) 142 if ptd == nil { 143 return NonStatTy, consensus.ErrUnknownAncestor 144 } 145 localTd := hc.GetTd(hc.currentHeaderHash, hc.CurrentHeader().Number.Uint64()) 146 externTd := new(big.Int).Add(header.Difficulty, ptd) 147 148 // Irrelevant of the canonical status, write the td and header to the database 149 if err := hc.WriteTd(hash, number, externTd); err != nil { 150 log.Crit("Failed to write header total difficulty", "err", err) 151 } 152 rawdb.WriteHeader(hc.chainDb, header) 153 154 // If the total difficulty is higher than our known, add it to the canonical chain 155 // Second clause in the if statement reduces the vulnerability to selfish mining. 156 // Please refer to http://www.cs.cornell.edu/~ie53/publications/btcProcFC.pdf 157 if externTd.Cmp(localTd) > 0 || (externTd.Cmp(localTd) == 0 && mrand.Float64() < 0.5) { 158 // Delete any canonical number assignments above the new head 159 batch := hc.chainDb.NewBatch() 160 for i := number + 1; ; i++ { 161 hash := rawdb.ReadCanonicalHash(hc.chainDb, i) 162 if hash == (common.Hash{}) { 163 break 164 } 165 rawdb.DeleteCanonicalHash(batch, i) 166 } 167 batch.Write() 168 169 // Overwrite any stale canonical number assignments 170 var ( 171 headHash = header.ParentHash 172 headNumber = header.Number.Uint64() - 1 173 headHeader = hc.GetHeader(headHash, headNumber) 174 ) 175 for rawdb.ReadCanonicalHash(hc.chainDb, headNumber) != headHash { 176 rawdb.WriteCanonicalHash(hc.chainDb, headHash, headNumber) 177 178 headHash = headHeader.ParentHash 179 headNumber = headHeader.Number.Uint64() - 1 180 headHeader = hc.GetHeader(headHash, headNumber) 181 } 182 // Extend the canonical chain with the new header 183 rawdb.WriteCanonicalHash(hc.chainDb, hash, number) 184 rawdb.WriteHeadHeaderHash(hc.chainDb, hash) 185 186 hc.currentHeaderHash = hash 187 hc.currentHeader.Store(types.CopyHeader(header)) 188 189 status = CanonStatTy 190 } else { 191 status = SideStatTy 192 } 193 194 hc.headerCache.Add(hash, header) 195 hc.numberCache.Add(hash, number) 196 197 return 198 } 199 200 // WhCallback is a callback function for inserting individual headers. 201 // A callback is used for two reasons: first, in a LightChain, status should be 202 // processed and light chain events sent, while in a BlockChain this is not 203 // necessary since chain events are sent after inserting blocks. Second, the 204 // header writes should be protected by the parent chain mutex individually. 205 type WhCallback func(*types.Header) error 206 207 func (hc *HeaderChain) ValidateHeaderChain(chain []*types.Header, checkFreq int) (int, error) { 208 // Do a sanity check that the provided chain is actually ordered and linked 209 for i := 1; i < len(chain); i++ { 210 if chain[i].Number.Uint64() != chain[i-1].Number.Uint64()+1 || chain[i].ParentHash != chain[i-1].Hash() { 211 // Chain broke ancestry, log a message (programming error) and skip insertion 212 log.Error("Non contiguous header insert", "number", chain[i].Number, "hash", chain[i].Hash(), 213 "parent", chain[i].ParentHash, "prevnumber", chain[i-1].Number, "prevhash", chain[i-1].Hash()) 214 215 return 0, fmt.Errorf("non contiguous insert: item %d is #%d [%x…], item %d is #%d [%x…] (parent [%x…])", i-1, chain[i-1].Number, 216 chain[i-1].Hash().Bytes()[:4], i, chain[i].Number, chain[i].Hash().Bytes()[:4], chain[i].ParentHash[:4]) 217 } 218 } 219 220 // Generate the list of seal verification requests, and start the parallel verifier 221 seals := make([]bool, len(chain)) 222 for i := 0; i < len(seals)/checkFreq; i++ { 223 index := i*checkFreq + hc.rand.Intn(checkFreq) 224 if index >= len(seals) { 225 index = len(seals) - 1 226 } 227 seals[index] = true 228 } 229 seals[len(seals)-1] = true // Last should always be verified to avoid junk 230 231 abort, results := hc.engine.VerifyHeaders(hc, chain, seals) 232 defer close(abort) 233 234 // Iterate over the headers and ensure they all check out 235 for i, header := range chain { 236 // If the chain is terminating, stop processing blocks 237 if hc.procInterrupt() { 238 log.Debug("Premature abort during headers verification") 239 return 0, errors.New("aborted") 240 } 241 // If the header is a banned one, straight out abort 242 if BadHashes[header.Hash()] { 243 return i, ErrBlacklistedHash 244 } 245 // Otherwise wait for headers checks and ensure they pass 246 if err := <-results; err != nil { 247 return i, err 248 } 249 } 250 251 return 0, nil 252 } 253 254 // InsertHeaderChain attempts to insert the given header chain in to the local 255 // chain, possibly creating a reorg. If an error is returned, it will return the 256 // index number of the failing header as well an error describing what went wrong. 257 // 258 // The verify parameter can be used to fine tune whether nonce verification 259 // should be done or not. The reason behind the optional check is because some 260 // of the header retrieval mechanisms already need to verfy nonces, as well as 261 // because nonces can be verified sparsely, not needing to check each. 262 func (hc *HeaderChain) InsertHeaderChain(chain []*types.Header, writeHeader WhCallback, start time.Time) (int, error) { 263 // Collect some import statistics to report on 264 stats := struct{ processed, ignored int }{} 265 // All headers passed verification, import them into the database 266 for i, header := range chain { 267 // Short circuit insertion if shutting down 268 if hc.procInterrupt() { 269 log.Debug("Premature abort during headers import") 270 return i, errors.New("aborted") 271 } 272 // If the header's already known, skip it, otherwise store 273 if hc.HasHeader(header.Hash(), header.Number.Uint64()) { 274 stats.ignored++ 275 continue 276 } 277 if err := writeHeader(header); err != nil { 278 return i, err 279 } 280 stats.processed++ 281 } 282 // Report some public statistics so the user has a clue what's going on 283 last := chain[len(chain)-1] 284 285 context := []interface{}{ 286 "count", stats.processed, "elapsed", common.PrettyDuration(time.Since(start)), 287 "number", last.Number, "hash", last.Hash(), 288 } 289 if timestamp := time.Unix(last.Time.Int64(), 0); time.Since(timestamp) > time.Minute { 290 context = append(context, []interface{}{"age", common.PrettyAge(timestamp)}...) 291 } 292 if stats.ignored > 0 { 293 context = append(context, []interface{}{"ignored", stats.ignored}...) 294 } 295 log.Info("Imported new block headers", context...) 296 297 return 0, nil 298 } 299 300 // GetBlockHashesFromHash retrieves a number of block hashes starting at a given 301 // hash, fetching towards the genesis block. 302 func (hc *HeaderChain) GetBlockHashesFromHash(hash common.Hash, max uint64) []common.Hash { 303 // Get the origin header from which to fetch 304 header := hc.GetHeaderByHash(hash) 305 if header == nil { 306 return nil 307 } 308 // Iterate the headers until enough is collected or the genesis reached 309 chain := make([]common.Hash, 0, max) 310 for i := uint64(0); i < max; i++ { 311 next := header.ParentHash 312 if header = hc.GetHeader(next, header.Number.Uint64()-1); header == nil { 313 break 314 } 315 chain = append(chain, next) 316 if header.Number.Sign() == 0 { 317 break 318 } 319 } 320 return chain 321 } 322 323 // GetAncestor retrieves the Nth ancestor of a given block. It assumes that either the given block or 324 // a close ancestor of it is canonical. maxNonCanonical points to a downwards counter limiting the 325 // number of blocks to be individually checked before we reach the canonical chain. 326 // 327 // Note: ancestor == 0 returns the same block, 1 returns its parent and so on. 328 func (hc *HeaderChain) GetAncestor(hash common.Hash, number, ancestor uint64, maxNonCanonical *uint64) (common.Hash, uint64) { 329 if ancestor > number { 330 return common.Hash{}, 0 331 } 332 if ancestor == 1 { 333 // in this case it is cheaper to just read the header 334 if header := hc.GetHeader(hash, number); header != nil { 335 return header.ParentHash, number - 1 336 } else { 337 return common.Hash{}, 0 338 } 339 } 340 for ancestor != 0 { 341 if rawdb.ReadCanonicalHash(hc.chainDb, number) == hash { 342 number -= ancestor 343 return rawdb.ReadCanonicalHash(hc.chainDb, number), number 344 } 345 if *maxNonCanonical == 0 { 346 return common.Hash{}, 0 347 } 348 *maxNonCanonical-- 349 ancestor-- 350 header := hc.GetHeader(hash, number) 351 if header == nil { 352 return common.Hash{}, 0 353 } 354 hash = header.ParentHash 355 number-- 356 } 357 return hash, number 358 } 359 360 // GetTd retrieves a block's total difficulty in the canonical chain from the 361 // database by hash and number, caching it if found. 362 func (hc *HeaderChain) GetTd(hash common.Hash, number uint64) *big.Int { 363 // Short circuit if the td's already in the cache, retrieve otherwise 364 if cached, ok := hc.tdCache.Get(hash); ok { 365 return cached.(*big.Int) 366 } 367 td := rawdb.ReadTd(hc.chainDb, hash, number) 368 if td == nil { 369 return nil 370 } 371 // Cache the found body for next time and return 372 hc.tdCache.Add(hash, td) 373 return td 374 } 375 376 // GetTdByHash retrieves a block's total difficulty in the canonical chain from the 377 // database by hash, caching it if found. 378 func (hc *HeaderChain) GetTdByHash(hash common.Hash) *big.Int { 379 number := hc.GetBlockNumber(hash) 380 if number == nil { 381 return nil 382 } 383 return hc.GetTd(hash, *number) 384 } 385 386 // WriteTd stores a block's total difficulty into the database, also caching it 387 // along the way. 388 func (hc *HeaderChain) WriteTd(hash common.Hash, number uint64, td *big.Int) error { 389 rawdb.WriteTd(hc.chainDb, hash, number, td) 390 hc.tdCache.Add(hash, new(big.Int).Set(td)) 391 return nil 392 } 393 394 // GetHeader retrieves a block header from the database by hash and number, 395 // caching it if found. 396 func (hc *HeaderChain) GetHeader(hash common.Hash, number uint64) *types.Header { 397 // Short circuit if the header's already in the cache, retrieve otherwise 398 if header, ok := hc.headerCache.Get(hash); ok { 399 return header.(*types.Header) 400 } 401 header := rawdb.ReadHeader(hc.chainDb, hash, number) 402 if header == nil { 403 return nil 404 } 405 // Cache the found header for next time and return 406 hc.headerCache.Add(hash, header) 407 return header 408 } 409 410 // GetHeaderByHash retrieves a block header from the database by hash, caching it if 411 // found. 412 func (hc *HeaderChain) GetHeaderByHash(hash common.Hash) *types.Header { 413 number := hc.GetBlockNumber(hash) 414 if number == nil { 415 return nil 416 } 417 return hc.GetHeader(hash, *number) 418 } 419 420 // HasHeader checks if a block header is present in the database or not. 421 func (hc *HeaderChain) HasHeader(hash common.Hash, number uint64) bool { 422 if hc.numberCache.Contains(hash) || hc.headerCache.Contains(hash) { 423 return true 424 } 425 return rawdb.HasHeader(hc.chainDb, hash, number) 426 } 427 428 // GetHeaderByNumber retrieves a block header from the database by number, 429 // caching it (associated with its hash) if found. 430 func (hc *HeaderChain) GetHeaderByNumber(number uint64) *types.Header { 431 hash := rawdb.ReadCanonicalHash(hc.chainDb, number) 432 if hash == (common.Hash{}) { 433 return nil 434 } 435 return hc.GetHeader(hash, number) 436 } 437 438 // CurrentHeader retrieves the current head header of the canonical chain. The 439 // header is retrieved from the HeaderChain's internal cache. 440 func (hc *HeaderChain) CurrentHeader() *types.Header { 441 return hc.currentHeader.Load().(*types.Header) 442 } 443 444 // SetCurrentHeader sets the current head header of the canonical chain. 445 func (hc *HeaderChain) SetCurrentHeader(head *types.Header) { 446 rawdb.WriteHeadHeaderHash(hc.chainDb, head.Hash()) 447 448 hc.currentHeader.Store(head) 449 hc.currentHeaderHash = head.Hash() 450 } 451 452 // DeleteCallback is a callback function that is called by SetHead before 453 // each header is deleted. 454 type DeleteCallback func(rawdb.DatabaseDeleter, common.Hash, uint64) 455 456 // SetHead rewinds the local chain to a new head. Everything above the new head 457 // will be deleted and the new one set. 458 func (hc *HeaderChain) SetHead(head uint64, delFn DeleteCallback) { 459 height := uint64(0) 460 461 if hdr := hc.CurrentHeader(); hdr != nil { 462 height = hdr.Number.Uint64() 463 } 464 batch := hc.chainDb.NewBatch() 465 for hdr := hc.CurrentHeader(); hdr != nil && hdr.Number.Uint64() > head; hdr = hc.CurrentHeader() { 466 hash := hdr.Hash() 467 num := hdr.Number.Uint64() 468 if delFn != nil { 469 delFn(batch, hash, num) 470 } 471 rawdb.DeleteHeader(batch, hash, num) 472 rawdb.DeleteTd(batch, hash, num) 473 474 hc.currentHeader.Store(hc.GetHeader(hdr.ParentHash, hdr.Number.Uint64()-1)) 475 } 476 // Roll back the canonical chain numbering 477 for i := height; i > head; i-- { 478 rawdb.DeleteCanonicalHash(batch, i) 479 } 480 batch.Write() 481 482 // Clear out any stale content from the caches 483 hc.headerCache.Purge() 484 hc.tdCache.Purge() 485 hc.numberCache.Purge() 486 487 if hc.CurrentHeader() == nil { 488 hc.currentHeader.Store(hc.genesisHeader) 489 } 490 hc.currentHeaderHash = hc.CurrentHeader().Hash() 491 492 rawdb.WriteHeadHeaderHash(hc.chainDb, hc.currentHeaderHash) 493 } 494 495 // SetGenesis sets a new genesis block header for the chain 496 func (hc *HeaderChain) SetGenesis(head *types.Header) { 497 hc.genesisHeader = head 498 } 499 500 // Config retrieves the header chain's chain configuration. 501 func (hc *HeaderChain) Config() *params.ChainConfig { return hc.config } 502 503 // Engine retrieves the header chain's consensus engine. 504 func (hc *HeaderChain) Engine() consensus.Engine { return hc.engine } 505 506 // GetBlock implements consensus.ChainReader, and returns nil for every input as 507 // a header chain does not have blocks available for retrieval. 508 func (hc *HeaderChain) GetBlock(hash common.Hash, number uint64) *types.Block { 509 return nil 510 }