github.com/ethereum/go-ethereum@v1.14.3/core/blockchain_insert.go (about)

     1  // Copyright 2018 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  	"time"
    21  
    22  	"github.com/ethereum/go-ethereum/common"
    23  	"github.com/ethereum/go-ethereum/common/mclock"
    24  	"github.com/ethereum/go-ethereum/core/types"
    25  	"github.com/ethereum/go-ethereum/log"
    26  )
    27  
    28  // insertStats tracks and reports on block insertion.
    29  type insertStats struct {
    30  	queued, processed, ignored int
    31  	usedGas                    uint64
    32  	lastIndex                  int
    33  	startTime                  mclock.AbsTime
    34  }
    35  
    36  // statsReportLimit is the time limit during import and export after which we
    37  // always print out progress. This avoids the user wondering what's going on.
    38  const statsReportLimit = 8 * time.Second
    39  
    40  // report prints statistics if some number of blocks have been processed
    41  // or more than a few seconds have passed since the last message.
    42  func (st *insertStats) report(chain []*types.Block, index int, snapDiffItems, snapBufItems, trieDiffNodes, triebufNodes common.StorageSize, setHead bool) {
    43  	// Fetch the timings for the batch
    44  	var (
    45  		now     = mclock.Now()
    46  		elapsed = now.Sub(st.startTime)
    47  	)
    48  	// If we're at the last block of the batch or report period reached, log
    49  	if index == len(chain)-1 || elapsed >= statsReportLimit {
    50  		// Count the number of transactions in this segment
    51  		var txs int
    52  		for _, block := range chain[st.lastIndex : index+1] {
    53  			txs += len(block.Transactions())
    54  		}
    55  		end := chain[index]
    56  
    57  		// Assemble the log context and send it to the logger
    58  		context := []interface{}{
    59  			"number", end.Number(), "hash", end.Hash(),
    60  			"blocks", st.processed, "txs", txs, "mgas", float64(st.usedGas) / 1000000,
    61  			"elapsed", common.PrettyDuration(elapsed), "mgasps", float64(st.usedGas) * 1000 / float64(elapsed),
    62  		}
    63  		if timestamp := time.Unix(int64(end.Time()), 0); time.Since(timestamp) > time.Minute {
    64  			context = append(context, []interface{}{"age", common.PrettyAge(timestamp)}...)
    65  		}
    66  		if snapDiffItems != 0 || snapBufItems != 0 { // snapshots enabled
    67  			context = append(context, []interface{}{"snapdiffs", snapDiffItems}...)
    68  			if snapBufItems != 0 { // future snapshot refactor
    69  				context = append(context, []interface{}{"snapdirty", snapBufItems}...)
    70  			}
    71  		}
    72  		if trieDiffNodes != 0 { // pathdb
    73  			context = append(context, []interface{}{"triediffs", trieDiffNodes}...)
    74  		}
    75  		context = append(context, []interface{}{"triedirty", triebufNodes}...)
    76  
    77  		if st.queued > 0 {
    78  			context = append(context, []interface{}{"queued", st.queued}...)
    79  		}
    80  		if st.ignored > 0 {
    81  			context = append(context, []interface{}{"ignored", st.ignored}...)
    82  		}
    83  		if setHead {
    84  			log.Info("Imported new chain segment", context...)
    85  		} else {
    86  			log.Info("Imported new potential chain segment", context...)
    87  		}
    88  		// Bump the stats reported to the next section
    89  		*st = insertStats{startTime: now, lastIndex: index + 1}
    90  	}
    91  }
    92  
    93  // insertIterator is a helper to assist during chain import.
    94  type insertIterator struct {
    95  	chain types.Blocks // Chain of blocks being iterated over
    96  
    97  	results <-chan error // Verification result sink from the consensus engine
    98  	errors  []error      // Header verification errors for the blocks
    99  
   100  	index     int       // Current offset of the iterator
   101  	validator Validator // Validator to run if verification succeeds
   102  }
   103  
   104  // newInsertIterator creates a new iterator based on the given blocks, which are
   105  // assumed to be a contiguous chain.
   106  func newInsertIterator(chain types.Blocks, results <-chan error, validator Validator) *insertIterator {
   107  	return &insertIterator{
   108  		chain:     chain,
   109  		results:   results,
   110  		errors:    make([]error, 0, len(chain)),
   111  		index:     -1,
   112  		validator: validator,
   113  	}
   114  }
   115  
   116  // next returns the next block in the iterator, along with any potential validation
   117  // error for that block. When the end is reached, it will return (nil, nil).
   118  func (it *insertIterator) next() (*types.Block, error) {
   119  	// If we reached the end of the chain, abort
   120  	if it.index+1 >= len(it.chain) {
   121  		it.index = len(it.chain)
   122  		return nil, nil
   123  	}
   124  	// Advance the iterator and wait for verification result if not yet done
   125  	it.index++
   126  	if len(it.errors) <= it.index {
   127  		it.errors = append(it.errors, <-it.results)
   128  	}
   129  	if it.errors[it.index] != nil {
   130  		return it.chain[it.index], it.errors[it.index]
   131  	}
   132  	// Block header valid, run body validation and return
   133  	return it.chain[it.index], it.validator.ValidateBody(it.chain[it.index])
   134  }
   135  
   136  // peek returns the next block in the iterator, along with any potential validation
   137  // error for that block, but does **not** advance the iterator.
   138  //
   139  // Both header and body validation errors (nil too) is cached into the iterator
   140  // to avoid duplicating work on the following next() call.
   141  func (it *insertIterator) peek() (*types.Block, error) {
   142  	// If we reached the end of the chain, abort
   143  	if it.index+1 >= len(it.chain) {
   144  		return nil, nil
   145  	}
   146  	// Wait for verification result if not yet done
   147  	if len(it.errors) <= it.index+1 {
   148  		it.errors = append(it.errors, <-it.results)
   149  	}
   150  	if it.errors[it.index+1] != nil {
   151  		return it.chain[it.index+1], it.errors[it.index+1]
   152  	}
   153  	// Block header valid, ignore body validation since we don't have a parent anyway
   154  	return it.chain[it.index+1], nil
   155  }
   156  
   157  // previous returns the previous header that was being processed, or nil.
   158  func (it *insertIterator) previous() *types.Header {
   159  	if it.index < 1 {
   160  		return nil
   161  	}
   162  	return it.chain[it.index-1].Header()
   163  }
   164  
   165  // current returns the current header that is being processed, or nil.
   166  func (it *insertIterator) current() *types.Header {
   167  	if it.index == -1 || it.index >= len(it.chain) {
   168  		return nil
   169  	}
   170  	return it.chain[it.index].Header()
   171  }
   172  
   173  // first returns the first block in it.
   174  func (it *insertIterator) first() *types.Block {
   175  	return it.chain[0]
   176  }
   177  
   178  // remaining returns the number of remaining blocks.
   179  func (it *insertIterator) remaining() int {
   180  	return len(it.chain) - it.index
   181  }