github.com/palisadeinc/bor@v0.0.0-20230615125219-ab7196213d15/ethdb/leveldb/leveldb.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 //go:build !js 18 // +build !js 19 20 // Package leveldb implements the key-value database layer based on LevelDB. 21 package leveldb 22 23 import ( 24 "fmt" 25 "strconv" 26 "strings" 27 "sync" 28 "time" 29 30 "github.com/ethereum/go-ethereum/common" 31 "github.com/ethereum/go-ethereum/ethdb" 32 "github.com/ethereum/go-ethereum/log" 33 "github.com/ethereum/go-ethereum/metrics" 34 "github.com/syndtr/goleveldb/leveldb" 35 "github.com/syndtr/goleveldb/leveldb/errors" 36 "github.com/syndtr/goleveldb/leveldb/filter" 37 "github.com/syndtr/goleveldb/leveldb/opt" 38 "github.com/syndtr/goleveldb/leveldb/util" 39 ) 40 41 const ( 42 // degradationWarnInterval specifies how often warning should be printed if the 43 // leveldb database cannot keep up with requested writes. 44 degradationWarnInterval = time.Minute 45 46 // minCache is the minimum amount of memory in megabytes to allocate to leveldb 47 // read and write caching, split half and half. 48 minCache = 16 49 50 // minHandles is the minimum number of files handles to allocate to the open 51 // database files. 52 minHandles = 16 53 54 // metricsGatheringInterval specifies the interval to retrieve leveldb database 55 // compaction, io and pause stats to report to the user. 56 metricsGatheringInterval = 3 * time.Second 57 ) 58 59 // Database is a persistent key-value store. Apart from basic data storage 60 // functionality it also supports batch writes and iterating over the keyspace in 61 // binary-alphabetical order. 62 type Database struct { 63 fn string // filename for reporting 64 db *leveldb.DB // LevelDB instance 65 66 compTimeMeter metrics.Meter // Meter for measuring the total time spent in database compaction 67 compReadMeter metrics.Meter // Meter for measuring the data read during compaction 68 compWriteMeter metrics.Meter // Meter for measuring the data written during compaction 69 writeDelayNMeter metrics.Meter // Meter for measuring the write delay number due to database compaction 70 writeDelayMeter metrics.Meter // Meter for measuring the write delay duration due to database compaction 71 diskSizeGauge metrics.Gauge // Gauge for tracking the size of all the levels in the database 72 diskReadMeter metrics.Meter // Meter for measuring the effective amount of data read 73 diskWriteMeter metrics.Meter // Meter for measuring the effective amount of data written 74 memCompGauge metrics.Gauge // Gauge for tracking the number of memory compaction 75 level0CompGauge metrics.Gauge // Gauge for tracking the number of table compaction in level0 76 nonlevel0CompGauge metrics.Gauge // Gauge for tracking the number of table compaction in non0 level 77 seekCompGauge metrics.Gauge // Gauge for tracking the number of table compaction caused by read opt 78 79 quitLock sync.Mutex // Mutex protecting the quit channel access 80 quitChan chan chan error // Quit channel to stop the metrics collection before closing the database 81 82 log log.Logger // Contextual logger tracking the database path 83 } 84 85 // New returns a wrapped LevelDB object. The namespace is the prefix that the 86 // metrics reporting should use for surfacing internal stats. 87 func New(file string, cache int, handles int, namespace string, readonly bool) (*Database, error) { 88 return NewCustom(file, namespace, func(options *opt.Options) { 89 // Ensure we have some minimal caching and file guarantees 90 if cache < minCache { 91 cache = minCache 92 } 93 if handles < minHandles { 94 handles = minHandles 95 } 96 // Set default options 97 options.OpenFilesCacheCapacity = handles 98 options.BlockCacheCapacity = cache / 2 * opt.MiB 99 options.WriteBuffer = cache / 4 * opt.MiB // Two of these are used internally 100 if readonly { 101 options.ReadOnly = true 102 } 103 }) 104 } 105 106 // NewCustom returns a wrapped LevelDB object. The namespace is the prefix that the 107 // metrics reporting should use for surfacing internal stats. 108 // The customize function allows the caller to modify the leveldb options. 109 func NewCustom(file string, namespace string, customize func(options *opt.Options)) (*Database, error) { 110 options := configureOptions(customize) 111 logger := log.New("database", file) 112 usedCache := options.GetBlockCacheCapacity() + options.GetWriteBuffer()*2 113 logCtx := []interface{}{"cache", common.StorageSize(usedCache), "handles", options.GetOpenFilesCacheCapacity()} 114 if options.ReadOnly { 115 logCtx = append(logCtx, "readonly", "true") 116 } 117 logger.Info("Allocated cache and file handles", logCtx...) 118 119 // Open the db and recover any potential corruptions 120 db, err := leveldb.OpenFile(file, options) 121 if _, corrupted := err.(*errors.ErrCorrupted); corrupted { 122 db, err = leveldb.RecoverFile(file, nil) 123 } 124 if err != nil { 125 return nil, err 126 } 127 // Assemble the wrapper with all the registered metrics 128 ldb := &Database{ 129 fn: file, 130 db: db, 131 log: logger, 132 quitChan: make(chan chan error), 133 } 134 ldb.compTimeMeter = metrics.NewRegisteredMeter(namespace+"compact/time", nil) 135 ldb.compReadMeter = metrics.NewRegisteredMeter(namespace+"compact/input", nil) 136 ldb.compWriteMeter = metrics.NewRegisteredMeter(namespace+"compact/output", nil) 137 ldb.diskSizeGauge = metrics.NewRegisteredGauge(namespace+"disk/size", nil) 138 ldb.diskReadMeter = metrics.NewRegisteredMeter(namespace+"disk/read", nil) 139 ldb.diskWriteMeter = metrics.NewRegisteredMeter(namespace+"disk/write", nil) 140 ldb.writeDelayMeter = metrics.NewRegisteredMeter(namespace+"compact/writedelay/duration", nil) 141 ldb.writeDelayNMeter = metrics.NewRegisteredMeter(namespace+"compact/writedelay/counter", nil) 142 ldb.memCompGauge = metrics.NewRegisteredGauge(namespace+"compact/memory", nil) 143 ldb.level0CompGauge = metrics.NewRegisteredGauge(namespace+"compact/level0", nil) 144 ldb.nonlevel0CompGauge = metrics.NewRegisteredGauge(namespace+"compact/nonlevel0", nil) 145 ldb.seekCompGauge = metrics.NewRegisteredGauge(namespace+"compact/seek", nil) 146 147 // Start up the metrics gathering and return 148 go ldb.meter(metricsGatheringInterval) 149 return ldb, nil 150 } 151 152 // configureOptions sets some default options, then runs the provided setter. 153 func configureOptions(customizeFn func(*opt.Options)) *opt.Options { 154 // Set default options 155 options := &opt.Options{ 156 Filter: filter.NewBloomFilter(10), 157 DisableSeeksCompaction: true, 158 } 159 // Allow caller to make custom modifications to the options 160 if customizeFn != nil { 161 customizeFn(options) 162 } 163 return options 164 } 165 166 // Close stops the metrics collection, flushes any pending data to disk and closes 167 // all io accesses to the underlying key-value store. 168 func (db *Database) Close() error { 169 db.quitLock.Lock() 170 defer db.quitLock.Unlock() 171 172 if db.quitChan != nil { 173 errc := make(chan error) 174 db.quitChan <- errc 175 if err := <-errc; err != nil { 176 db.log.Error("Metrics collection failed", "err", err) 177 } 178 db.quitChan = nil 179 } 180 return db.db.Close() 181 } 182 183 // Has retrieves if a key is present in the key-value store. 184 func (db *Database) Has(key []byte) (bool, error) { 185 return db.db.Has(key, nil) 186 } 187 188 // Get retrieves the given key if it's present in the key-value store. 189 func (db *Database) Get(key []byte) ([]byte, error) { 190 dat, err := db.db.Get(key, nil) 191 if err != nil { 192 return nil, err 193 } 194 return dat, nil 195 } 196 197 // Put inserts the given value into the key-value store. 198 func (db *Database) Put(key []byte, value []byte) error { 199 return db.db.Put(key, value, nil) 200 } 201 202 // Delete removes the key from the key-value store. 203 func (db *Database) Delete(key []byte) error { 204 return db.db.Delete(key, nil) 205 } 206 207 // NewBatch creates a write-only key-value store that buffers changes to its host 208 // database until a final write is called. 209 func (db *Database) NewBatch() ethdb.Batch { 210 return &batch{ 211 db: db.db, 212 b: new(leveldb.Batch), 213 } 214 } 215 216 // NewBatchWithSize creates a write-only database batch with pre-allocated buffer. 217 func (db *Database) NewBatchWithSize(size int) ethdb.Batch { 218 return &batch{ 219 db: db.db, 220 b: leveldb.MakeBatch(size), 221 } 222 } 223 224 // NewIterator creates a binary-alphabetical iterator over a subset 225 // of database content with a particular key prefix, starting at a particular 226 // initial key (or after, if it does not exist). 227 func (db *Database) NewIterator(prefix []byte, start []byte) ethdb.Iterator { 228 return db.db.NewIterator(bytesPrefixRange(prefix, start), nil) 229 } 230 231 // NewSnapshot creates a database snapshot based on the current state. 232 // The created snapshot will not be affected by all following mutations 233 // happened on the database. 234 // Note don't forget to release the snapshot once it's used up, otherwise 235 // the stale data will never be cleaned up by the underlying compactor. 236 func (db *Database) NewSnapshot() (ethdb.Snapshot, error) { 237 snap, err := db.db.GetSnapshot() 238 if err != nil { 239 return nil, err 240 } 241 return &snapshot{db: snap}, nil 242 } 243 244 // Stat returns a particular internal stat of the database. 245 func (db *Database) Stat(property string) (string, error) { 246 return db.db.GetProperty(property) 247 } 248 249 // Compact flattens the underlying data store for the given key range. In essence, 250 // deleted and overwritten versions are discarded, and the data is rearranged to 251 // reduce the cost of operations needed to access them. 252 // 253 // A nil start is treated as a key before all keys in the data store; a nil limit 254 // is treated as a key after all keys in the data store. If both is nil then it 255 // will compact entire data store. 256 func (db *Database) Compact(start []byte, limit []byte) error { 257 return db.db.CompactRange(util.Range{Start: start, Limit: limit}) 258 } 259 260 // Path returns the path to the database directory. 261 func (db *Database) Path() string { 262 return db.fn 263 } 264 265 // meter periodically retrieves internal leveldb counters and reports them to 266 // the metrics subsystem. 267 // 268 // This is how a LevelDB stats table looks like (currently): 269 // Compactions 270 // Level | Tables | Size(MB) | Time(sec) | Read(MB) | Write(MB) 271 // -------+------------+---------------+---------------+---------------+--------------- 272 // 0 | 0 | 0.00000 | 1.27969 | 0.00000 | 12.31098 273 // 1 | 85 | 109.27913 | 28.09293 | 213.92493 | 214.26294 274 // 2 | 523 | 1000.37159 | 7.26059 | 66.86342 | 66.77884 275 // 3 | 570 | 1113.18458 | 0.00000 | 0.00000 | 0.00000 276 // 277 // This is how the write delay look like (currently): 278 // DelayN:5 Delay:406.604657ms Paused: false 279 // 280 // This is how the iostats look like (currently): 281 // Read(MB):3895.04860 Write(MB):3654.64712 282 func (db *Database) meter(refresh time.Duration) { 283 // Create the counters to store current and previous compaction values 284 compactions := make([][]float64, 2) 285 for i := 0; i < 2; i++ { 286 compactions[i] = make([]float64, 4) 287 } 288 // Create storage for iostats. 289 var iostats [2]float64 290 291 // Create storage and warning log tracer for write delay. 292 var ( 293 delaystats [2]int64 294 lastWritePaused time.Time 295 ) 296 297 var ( 298 errc chan error 299 merr error 300 ) 301 302 timer := time.NewTimer(refresh) 303 defer timer.Stop() 304 305 // Iterate ad infinitum and collect the stats 306 for i := 1; errc == nil && merr == nil; i++ { 307 // Retrieve the database stats 308 stats, err := db.db.GetProperty("leveldb.stats") 309 if err != nil { 310 db.log.Error("Failed to read database stats", "err", err) 311 merr = err 312 continue 313 } 314 // Find the compaction table, skip the header 315 lines := strings.Split(stats, "\n") 316 for len(lines) > 0 && strings.TrimSpace(lines[0]) != "Compactions" { 317 lines = lines[1:] 318 } 319 if len(lines) <= 3 { 320 db.log.Error("Compaction leveldbTable not found") 321 merr = errors.New("compaction leveldbTable not found") 322 continue 323 } 324 lines = lines[3:] 325 326 // Iterate over all the leveldbTable rows, and accumulate the entries 327 for j := 0; j < len(compactions[i%2]); j++ { 328 compactions[i%2][j] = 0 329 } 330 for _, line := range lines { 331 parts := strings.Split(line, "|") 332 if len(parts) != 6 { 333 break 334 } 335 for idx, counter := range parts[2:] { 336 value, err := strconv.ParseFloat(strings.TrimSpace(counter), 64) 337 if err != nil { 338 db.log.Error("Compaction entry parsing failed", "err", err) 339 merr = err 340 continue 341 } 342 compactions[i%2][idx] += value 343 } 344 } 345 // Update all the requested meters 346 if db.diskSizeGauge != nil { 347 db.diskSizeGauge.Update(int64(compactions[i%2][0] * 1024 * 1024)) 348 } 349 if db.compTimeMeter != nil { 350 db.compTimeMeter.Mark(int64((compactions[i%2][1] - compactions[(i-1)%2][1]) * 1000 * 1000 * 1000)) 351 } 352 if db.compReadMeter != nil { 353 db.compReadMeter.Mark(int64((compactions[i%2][2] - compactions[(i-1)%2][2]) * 1024 * 1024)) 354 } 355 if db.compWriteMeter != nil { 356 db.compWriteMeter.Mark(int64((compactions[i%2][3] - compactions[(i-1)%2][3]) * 1024 * 1024)) 357 } 358 // Retrieve the write delay statistic 359 writedelay, err := db.db.GetProperty("leveldb.writedelay") 360 if err != nil { 361 db.log.Error("Failed to read database write delay statistic", "err", err) 362 merr = err 363 continue 364 } 365 var ( 366 delayN int64 367 delayDuration string 368 duration time.Duration 369 paused bool 370 ) 371 if n, err := fmt.Sscanf(writedelay, "DelayN:%d Delay:%s Paused:%t", &delayN, &delayDuration, &paused); n != 3 || err != nil { 372 db.log.Error("Write delay statistic not found") 373 merr = err 374 continue 375 } 376 duration, err = time.ParseDuration(delayDuration) 377 if err != nil { 378 db.log.Error("Failed to parse delay duration", "err", err) 379 merr = err 380 continue 381 } 382 if db.writeDelayNMeter != nil { 383 db.writeDelayNMeter.Mark(delayN - delaystats[0]) 384 } 385 if db.writeDelayMeter != nil { 386 db.writeDelayMeter.Mark(duration.Nanoseconds() - delaystats[1]) 387 } 388 // If a warning that db is performing compaction has been displayed, any subsequent 389 // warnings will be withheld for one minute not to overwhelm the user. 390 if paused && delayN-delaystats[0] == 0 && duration.Nanoseconds()-delaystats[1] == 0 && 391 time.Now().After(lastWritePaused.Add(degradationWarnInterval)) { 392 db.log.Warn("Database compacting, degraded performance") 393 lastWritePaused = time.Now() 394 } 395 delaystats[0], delaystats[1] = delayN, duration.Nanoseconds() 396 397 // Retrieve the database iostats. 398 ioStats, err := db.db.GetProperty("leveldb.iostats") 399 if err != nil { 400 db.log.Error("Failed to read database iostats", "err", err) 401 merr = err 402 continue 403 } 404 var nRead, nWrite float64 405 parts := strings.Split(ioStats, " ") 406 if len(parts) < 2 { 407 db.log.Error("Bad syntax of ioStats", "ioStats", ioStats) 408 merr = fmt.Errorf("bad syntax of ioStats %s", ioStats) 409 continue 410 } 411 if n, err := fmt.Sscanf(parts[0], "Read(MB):%f", &nRead); n != 1 || err != nil { 412 db.log.Error("Bad syntax of read entry", "entry", parts[0]) 413 merr = err 414 continue 415 } 416 if n, err := fmt.Sscanf(parts[1], "Write(MB):%f", &nWrite); n != 1 || err != nil { 417 db.log.Error("Bad syntax of write entry", "entry", parts[1]) 418 merr = err 419 continue 420 } 421 if db.diskReadMeter != nil { 422 db.diskReadMeter.Mark(int64((nRead - iostats[0]) * 1024 * 1024)) 423 } 424 if db.diskWriteMeter != nil { 425 db.diskWriteMeter.Mark(int64((nWrite - iostats[1]) * 1024 * 1024)) 426 } 427 iostats[0], iostats[1] = nRead, nWrite 428 429 compCount, err := db.db.GetProperty("leveldb.compcount") 430 if err != nil { 431 db.log.Error("Failed to read database iostats", "err", err) 432 merr = err 433 continue 434 } 435 436 var ( 437 memComp uint32 438 level0Comp uint32 439 nonLevel0Comp uint32 440 seekComp uint32 441 ) 442 if n, err := fmt.Sscanf(compCount, "MemComp:%d Level0Comp:%d NonLevel0Comp:%d SeekComp:%d", &memComp, &level0Comp, &nonLevel0Comp, &seekComp); n != 4 || err != nil { 443 db.log.Error("Compaction count statistic not found") 444 merr = err 445 continue 446 } 447 db.memCompGauge.Update(int64(memComp)) 448 db.level0CompGauge.Update(int64(level0Comp)) 449 db.nonlevel0CompGauge.Update(int64(nonLevel0Comp)) 450 db.seekCompGauge.Update(int64(seekComp)) 451 452 // Sleep a bit, then repeat the stats collection 453 select { 454 case errc = <-db.quitChan: 455 // Quit requesting, stop hammering the database 456 case <-timer.C: 457 timer.Reset(refresh) 458 // Timeout, gather a new set of stats 459 } 460 } 461 462 if errc == nil { 463 errc = <-db.quitChan 464 } 465 errc <- merr 466 } 467 468 // batch is a write-only leveldb batch that commits changes to its host database 469 // when Write is called. A batch cannot be used concurrently. 470 type batch struct { 471 db *leveldb.DB 472 b *leveldb.Batch 473 size int 474 } 475 476 // Put inserts the given value into the batch for later committing. 477 func (b *batch) Put(key, value []byte) error { 478 b.b.Put(key, value) 479 b.size += len(key) + len(value) 480 return nil 481 } 482 483 // Delete inserts the a key removal into the batch for later committing. 484 func (b *batch) Delete(key []byte) error { 485 b.b.Delete(key) 486 b.size += len(key) 487 return nil 488 } 489 490 // ValueSize retrieves the amount of data queued up for writing. 491 func (b *batch) ValueSize() int { 492 return b.size 493 } 494 495 // Write flushes any accumulated data to disk. 496 func (b *batch) Write() error { 497 return b.db.Write(b.b, nil) 498 } 499 500 // Reset resets the batch for reuse. 501 func (b *batch) Reset() { 502 b.b.Reset() 503 b.size = 0 504 } 505 506 // Replay replays the batch contents. 507 func (b *batch) Replay(w ethdb.KeyValueWriter) error { 508 return b.b.Replay(&replayer{writer: w}) 509 } 510 511 // replayer is a small wrapper to implement the correct replay methods. 512 type replayer struct { 513 writer ethdb.KeyValueWriter 514 failure error 515 } 516 517 // Put inserts the given value into the key-value data store. 518 func (r *replayer) Put(key, value []byte) { 519 // If the replay already failed, stop executing ops 520 if r.failure != nil { 521 return 522 } 523 r.failure = r.writer.Put(key, value) 524 } 525 526 // Delete removes the key from the key-value data store. 527 func (r *replayer) Delete(key []byte) { 528 // If the replay already failed, stop executing ops 529 if r.failure != nil { 530 return 531 } 532 r.failure = r.writer.Delete(key) 533 } 534 535 // bytesPrefixRange returns key range that satisfy 536 // - the given prefix, and 537 // - the given seek position 538 func bytesPrefixRange(prefix, start []byte) *util.Range { 539 r := util.BytesPrefix(prefix) 540 r.Start = append(r.Start, start...) 541 return r 542 } 543 544 // snapshot wraps a leveldb snapshot for implementing the Snapshot interface. 545 type snapshot struct { 546 db *leveldb.Snapshot 547 } 548 549 // Has retrieves if a key is present in the snapshot backing by a key-value 550 // data store. 551 func (snap *snapshot) Has(key []byte) (bool, error) { 552 return snap.db.Has(key, nil) 553 } 554 555 // Get retrieves the given key if it's present in the snapshot backing by 556 // key-value data store. 557 func (snap *snapshot) Get(key []byte) ([]byte, error) { 558 return snap.db.Get(key, nil) 559 } 560 561 // Release releases associated resources. Release should always succeed and can 562 // be called multiple times without causing error. 563 func (snap *snapshot) Release() { 564 snap.db.Release() 565 }