2019-05-22 21:16:55 +00:00
package storage
import (
"fmt"
"io/ioutil"
"math/bits"
"os"
"path/filepath"
"runtime"
"sort"
"strings"
"sync"
"sync/atomic"
"time"
"unsafe"
"github.com/VictoriaMetrics/VictoriaMetrics/lib/bytesutil"
"github.com/VictoriaMetrics/VictoriaMetrics/lib/encoding"
2020-05-14 19:01:51 +00:00
"github.com/VictoriaMetrics/VictoriaMetrics/lib/fasttime"
2019-05-22 21:16:55 +00:00
"github.com/VictoriaMetrics/VictoriaMetrics/lib/fs"
"github.com/VictoriaMetrics/VictoriaMetrics/lib/logger"
"github.com/VictoriaMetrics/VictoriaMetrics/lib/memory"
2020-07-22 21:58:48 +00:00
"github.com/VictoriaMetrics/VictoriaMetrics/lib/storagepacelimiter"
2019-12-04 19:35:51 +00:00
"github.com/VictoriaMetrics/VictoriaMetrics/lib/syncwg"
2019-09-24 18:10:22 +00:00
"github.com/VictoriaMetrics/VictoriaMetrics/lib/uint64set"
2019-05-22 21:16:55 +00:00
)
2020-04-10 11:44:38 +00:00
// These are global counters for cache requests and misses for parts
// which were already merged into another parts.
var (
historicalBigIndexBlocksCacheRequests uint64
historicalBigIndexBlocksCacheMisses uint64
historicalSmallIndexBlocksCacheRequests uint64
historicalSmallIndexBlocksCacheMisses uint64
)
2019-08-25 11:39:39 +00:00
func maxRowsPerSmallPart ( ) uint64 {
// Small parts are cached in the OS page cache,
2019-09-09 08:41:30 +00:00
// so limit the number of rows for small part by the remaining free RAM.
2019-08-25 11:39:39 +00:00
mem := memory . Remaining ( )
2019-09-09 08:41:30 +00:00
// Production data shows that each row occupies ~1 byte in the compressed part.
// It is expected no more than defaultPartsToMerge/2 parts exist
// in the OS page cache before they are merged into bigger part.
2019-10-08 15:51:14 +00:00
// Half of the remaining RAM must be left for lib/mergeset parts,
2019-09-09 08:41:30 +00:00
// so the maxItems is calculated using the below code:
maxRows := uint64 ( mem ) / defaultPartsToMerge
if maxRows < 10e6 {
maxRows = 10e6
2019-08-25 11:39:39 +00:00
}
2019-09-09 08:41:30 +00:00
return maxRows
2019-08-25 11:39:39 +00:00
}
2019-05-22 21:16:55 +00:00
// The maximum number of rows per big part.
//
// This number limits the maximum time required for building big part.
// This time shouldn't exceed a few days.
const maxRowsPerBigPart = 1e12
// The maximum number of small parts in the partition.
const maxSmallPartsPerPartition = 256
// Default number of parts to merge at once.
//
// This number has been obtained empirically - it gives the lowest possible overhead.
// See appendPartsToMerge tests for details.
const defaultPartsToMerge = 15
// The final number of parts to merge at once.
//
// It must be smaller than defaultPartsToMerge.
// Lower value improves select performance at the cost of increased
// write amplification.
2019-11-05 15:26:13 +00:00
const finalPartsToMerge = 3
2019-05-22 21:16:55 +00:00
2019-12-19 16:12:02 +00:00
// The number of shards for rawRow entries per partition.
//
// Higher number of shards reduces CPU contention and increases the max bandwidth on multi-core systems.
var rawRowsShardsPerPartition = ( runtime . GOMAXPROCS ( - 1 ) + 7 ) / 8
2019-05-22 21:16:55 +00:00
// getMaxRowsPerPartition returns the maximum number of rows that haven't been converted into parts yet.
func getMaxRawRowsPerPartition ( ) int {
maxRawRowsPerPartitionOnce . Do ( func ( ) {
n := memory . Allowed ( ) / 256 / int ( unsafe . Sizeof ( rawRow { } ) )
if n < 1e4 {
n = 1e4
}
if n > 500e3 {
n = 500e3
}
2020-01-04 17:49:30 +00:00
maxRawRowsPerPartition = n
2019-05-22 21:16:55 +00:00
} )
return maxRawRowsPerPartition
}
var (
maxRawRowsPerPartition int
maxRawRowsPerPartitionOnce sync . Once
)
// The interval for flushing (converting) recent raw rows into parts,
// so they become visible to search.
const rawRowsFlushInterval = time . Second
// The interval for flushing inmemory parts to persistent storage,
// so they survive process crash.
const inmemoryPartsFlushInterval = 5 * time . Second
// partition represents a partition.
type partition struct {
2019-10-17 15:22:56 +00:00
// Put atomic counters to the top of struct, so they are aligned to 8 bytes on 32-bit arch.
// See https://github.com/VictoriaMetrics/VictoriaMetrics/issues/212
activeBigMerges uint64
activeSmallMerges uint64
bigMergesCount uint64
smallMergesCount uint64
bigRowsMerged uint64
smallRowsMerged uint64
bigRowsDeleted uint64
smallRowsDeleted uint64
smallAssistedMerges uint64
mergeIdx uint64
2019-05-22 21:16:55 +00:00
smallPartsPath string
bigPartsPath string
// The callack that returns deleted metric ids which must be skipped during merge.
2019-09-24 18:10:22 +00:00
getDeletedMetricIDs func ( ) * uint64set . Set
2019-05-22 21:16:55 +00:00
// Name is the name of the partition in the form YYYY_MM.
name string
// The time range for the partition. Usually this is a whole month.
tr TimeRange
// partsLock protects smallParts and bigParts.
partsLock sync . Mutex
// Contains all the inmemoryPart plus file-based parts
// with small number of items (up to maxRowsCountPerSmallPart).
smallParts [ ] * partWrapper
// Contains file-based parts with big number of items.
bigParts [ ] * partWrapper
// rawRows contains recently added rows that haven't been converted into parts yet.
//
// rawRows aren't used in search for performance reasons.
2019-12-19 16:12:02 +00:00
rawRows rawRowsShards
2019-05-22 21:16:55 +00:00
snapshotLock sync . RWMutex
stopCh chan struct { }
smallPartsMergerWG sync . WaitGroup
bigPartsMergerWG sync . WaitGroup
rawRowsFlusherWG sync . WaitGroup
inmemoryPartsFlusherWG sync . WaitGroup
}
// partWrapper is a wrapper for the part.
type partWrapper struct {
2019-10-17 15:22:56 +00:00
// Put atomic counters to the top of struct, so they are aligned to 8 bytes on 32-bit arch.
// See https://github.com/VictoriaMetrics/VictoriaMetrics/issues/212
// The number of references to the part.
refCount uint64
2019-05-22 21:16:55 +00:00
// The part itself.
p * part
// non-nil if the part is inmemoryPart.
mp * inmemoryPart
// Whether the part is in merge now.
isInMerge bool
}
func ( pw * partWrapper ) incRef ( ) {
atomic . AddUint64 ( & pw . refCount , 1 )
}
func ( pw * partWrapper ) decRef ( ) {
n := atomic . AddUint64 ( & pw . refCount , ^ uint64 ( 0 ) )
if int64 ( n ) < 0 {
logger . Panicf ( "BUG: pw.refCount must be bigger than 0; got %d" , int64 ( n ) )
}
if n > 0 {
return
}
if pw . mp != nil {
putInmemoryPart ( pw . mp )
pw . mp = nil
}
pw . p . MustClose ( )
pw . p = nil
}
// createPartition creates new partition for the given timestamp and the given paths
// to small and big partitions.
2019-09-24 18:10:22 +00:00
func createPartition ( timestamp int64 , smallPartitionsPath , bigPartitionsPath string , getDeletedMetricIDs func ( ) * uint64set . Set ) ( * partition , error ) {
2019-05-22 21:16:55 +00:00
name := timestampToPartitionName ( timestamp )
smallPartsPath := filepath . Clean ( smallPartitionsPath ) + "/" + name
bigPartsPath := filepath . Clean ( bigPartitionsPath ) + "/" + name
logger . Infof ( "creating a partition %q with smallPartsPath=%q, bigPartsPath=%q" , name , smallPartsPath , bigPartsPath )
if err := createPartitionDirs ( smallPartsPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot create directories for small parts %q: %w" , smallPartsPath , err )
2019-05-22 21:16:55 +00:00
}
if err := createPartitionDirs ( bigPartsPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot create directories for big parts %q: %w" , bigPartsPath , err )
2019-05-22 21:16:55 +00:00
}
pt := newPartition ( name , smallPartsPath , bigPartsPath , getDeletedMetricIDs )
pt . tr . fromPartitionTimestamp ( timestamp )
pt . startMergeWorkers ( )
pt . startRawRowsFlusher ( )
pt . startInmemoryPartsFlusher ( )
logger . Infof ( "partition %q has been created" , name )
return pt , nil
}
// Drop drops all the data on the storage for the given pt.
//
// The pt must be detached from table before calling pt.Drop.
func ( pt * partition ) Drop ( ) {
logger . Infof ( "dropping partition %q at smallPartsPath=%q, bigPartsPath=%q" , pt . name , pt . smallPartsPath , pt . bigPartsPath )
2019-06-11 22:53:43 +00:00
fs . MustRemoveAll ( pt . smallPartsPath )
fs . MustRemoveAll ( pt . bigPartsPath )
2019-05-22 21:16:55 +00:00
logger . Infof ( "partition %q has been dropped" , pt . name )
}
// openPartition opens the existing partition from the given paths.
2019-09-24 18:10:22 +00:00
func openPartition ( smallPartsPath , bigPartsPath string , getDeletedMetricIDs func ( ) * uint64set . Set ) ( * partition , error ) {
2019-05-22 21:16:55 +00:00
smallPartsPath = filepath . Clean ( smallPartsPath )
bigPartsPath = filepath . Clean ( bigPartsPath )
n := strings . LastIndexByte ( smallPartsPath , '/' )
if n < 0 {
return nil , fmt . Errorf ( "cannot find partition name from smallPartsPath %q; must be in the form /path/to/smallparts/YYYY_MM" , smallPartsPath )
}
name := smallPartsPath [ n + 1 : ]
if ! strings . HasSuffix ( bigPartsPath , "/" + name ) {
return nil , fmt . Errorf ( "patititon name in bigPartsPath %q doesn't match smallPartsPath %q; want %q" , bigPartsPath , smallPartsPath , name )
}
smallParts , err := openParts ( smallPartsPath , bigPartsPath , smallPartsPath )
if err != nil {
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot open small parts from %q: %w" , smallPartsPath , err )
2019-05-22 21:16:55 +00:00
}
bigParts , err := openParts ( smallPartsPath , bigPartsPath , bigPartsPath )
if err != nil {
mustCloseParts ( smallParts )
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot open big parts from %q: %w" , bigPartsPath , err )
2019-05-22 21:16:55 +00:00
}
pt := newPartition ( name , smallPartsPath , bigPartsPath , getDeletedMetricIDs )
pt . smallParts = smallParts
pt . bigParts = bigParts
if err := pt . tr . fromPartitionName ( name ) ; err != nil {
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot obtain partition time range from smallPartsPath %q: %w" , smallPartsPath , err )
2019-05-22 21:16:55 +00:00
}
pt . startMergeWorkers ( )
pt . startRawRowsFlusher ( )
pt . startInmemoryPartsFlusher ( )
return pt , nil
}
2019-09-24 18:10:22 +00:00
func newPartition ( name , smallPartsPath , bigPartsPath string , getDeletedMetricIDs func ( ) * uint64set . Set ) * partition {
2019-12-19 16:12:02 +00:00
p := & partition {
2019-05-22 21:16:55 +00:00
name : name ,
smallPartsPath : smallPartsPath ,
bigPartsPath : bigPartsPath ,
getDeletedMetricIDs : getDeletedMetricIDs ,
mergeIdx : uint64 ( time . Now ( ) . UnixNano ( ) ) ,
stopCh : make ( chan struct { } ) ,
}
2019-12-19 16:12:02 +00:00
p . rawRows . init ( )
return p
2019-05-22 21:16:55 +00:00
}
// partitionMetrics contains essential metrics for the partition.
type partitionMetrics struct {
PendingRows uint64
BigIndexBlocksCacheSize uint64
BigIndexBlocksCacheRequests uint64
BigIndexBlocksCacheMisses uint64
SmallIndexBlocksCacheSize uint64
SmallIndexBlocksCacheRequests uint64
SmallIndexBlocksCacheMisses uint64
2019-07-04 16:09:40 +00:00
BigSizeBytes uint64
SmallSizeBytes uint64
2019-05-22 21:16:55 +00:00
BigRowsCount uint64
SmallRowsCount uint64
BigBlocksCount uint64
SmallBlocksCount uint64
BigPartsCount uint64
SmallPartsCount uint64
ActiveBigMerges uint64
ActiveSmallMerges uint64
BigMergesCount uint64
SmallMergesCount uint64
BigRowsMerged uint64
SmallRowsMerged uint64
BigRowsDeleted uint64
SmallRowsDeleted uint64
BigPartsRefCount uint64
SmallPartsRefCount uint64
SmallAssistedMerges uint64
}
// UpdateMetrics updates m with metrics from pt.
func ( pt * partition ) UpdateMetrics ( m * partitionMetrics ) {
2019-12-19 16:12:02 +00:00
rawRowsLen := uint64 ( pt . rawRows . Len ( ) )
m . PendingRows += rawRowsLen
m . SmallRowsCount += rawRowsLen
2019-05-22 21:16:55 +00:00
pt . partsLock . Lock ( )
for _ , pw := range pt . bigParts {
p := pw . p
m . BigIndexBlocksCacheSize += p . ibCache . Len ( )
m . BigIndexBlocksCacheRequests += p . ibCache . Requests ( )
m . BigIndexBlocksCacheMisses += p . ibCache . Misses ( )
m . BigRowsCount += p . ph . RowsCount
m . BigBlocksCount += p . ph . BlocksCount
2019-07-04 16:09:40 +00:00
m . BigSizeBytes += p . size
2019-05-22 21:16:55 +00:00
m . BigPartsRefCount += atomic . LoadUint64 ( & pw . refCount )
}
for _ , pw := range pt . smallParts {
p := pw . p
m . SmallIndexBlocksCacheSize += p . ibCache . Len ( )
m . SmallIndexBlocksCacheRequests += p . ibCache . Requests ( )
m . SmallIndexBlocksCacheMisses += p . ibCache . Misses ( )
m . SmallRowsCount += p . ph . RowsCount
m . SmallBlocksCount += p . ph . BlocksCount
2019-07-04 16:09:40 +00:00
m . SmallSizeBytes += p . size
2019-05-22 21:16:55 +00:00
m . SmallPartsRefCount += atomic . LoadUint64 ( & pw . refCount )
}
m . BigPartsCount += uint64 ( len ( pt . bigParts ) )
m . SmallPartsCount += uint64 ( len ( pt . smallParts ) )
pt . partsLock . Unlock ( )
2020-07-22 21:34:54 +00:00
m . BigIndexBlocksCacheRequests = atomic . LoadUint64 ( & historicalBigIndexBlocksCacheRequests )
m . BigIndexBlocksCacheMisses = atomic . LoadUint64 ( & historicalBigIndexBlocksCacheMisses )
2019-05-22 21:16:55 +00:00
2020-07-22 21:34:54 +00:00
m . SmallIndexBlocksCacheRequests = atomic . LoadUint64 ( & historicalSmallIndexBlocksCacheRequests )
m . SmallIndexBlocksCacheMisses = atomic . LoadUint64 ( & historicalSmallIndexBlocksCacheMisses )
2019-05-22 21:16:55 +00:00
m . ActiveBigMerges += atomic . LoadUint64 ( & pt . activeBigMerges )
m . ActiveSmallMerges += atomic . LoadUint64 ( & pt . activeSmallMerges )
m . BigMergesCount += atomic . LoadUint64 ( & pt . bigMergesCount )
m . SmallMergesCount += atomic . LoadUint64 ( & pt . smallMergesCount )
m . BigRowsMerged += atomic . LoadUint64 ( & pt . bigRowsMerged )
m . SmallRowsMerged += atomic . LoadUint64 ( & pt . smallRowsMerged )
m . BigRowsDeleted += atomic . LoadUint64 ( & pt . bigRowsDeleted )
m . SmallRowsDeleted += atomic . LoadUint64 ( & pt . smallRowsDeleted )
m . SmallAssistedMerges += atomic . LoadUint64 ( & pt . smallAssistedMerges )
}
// AddRows adds the given rows to the partition pt.
//
// All the rows must fit the partition by timestamp range
// and must have valid PrecisionBits.
func ( pt * partition ) AddRows ( rows [ ] rawRow ) {
if len ( rows ) == 0 {
return
}
// Validate all the rows.
for i := range rows {
r := & rows [ i ]
if ! pt . HasTimestamp ( r . Timestamp ) {
logger . Panicf ( "BUG: row %+v has Timestamp outside partition %q range %+v" , r , pt . smallPartsPath , & pt . tr )
}
if err := encoding . CheckPrecisionBits ( r . PrecisionBits ) ; err != nil {
logger . Panicf ( "BUG: row %+v has invalid PrecisionBits: %s" , r , err )
}
}
2019-12-19 16:12:02 +00:00
pt . rawRows . addRows ( pt , rows )
}
type rawRowsShards struct {
lock sync . Mutex
shardIdx int
// Shards reduce lock contention when adding rows on multi-CPU systems.
shards [ ] rawRowsShard
}
func ( rrs * rawRowsShards ) init ( ) {
rrs . shards = make ( [ ] rawRowsShard , rawRowsShardsPerPartition )
}
func ( rrs * rawRowsShards ) addRows ( pt * partition , rows [ ] rawRow ) {
rrs . lock . Lock ( )
rrs . shardIdx ++
if rrs . shardIdx >= len ( rrs . shards ) {
rrs . shardIdx = 0
}
shard := & rrs . shards [ rrs . shardIdx ]
rrs . lock . Unlock ( )
shard . addRows ( pt , rows )
}
func ( rrs * rawRowsShards ) Len ( ) int {
n := 0
for i := range rrs . shards [ : ] {
n += rrs . shards [ i ] . Len ( )
}
return n
}
type rawRowsShard struct {
lock sync . Mutex
rows [ ] rawRow
2020-05-14 19:01:51 +00:00
lastFlushTime uint64
2019-12-19 16:12:02 +00:00
}
func ( rrs * rawRowsShard ) Len ( ) int {
rrs . lock . Lock ( )
n := len ( rrs . rows )
rrs . lock . Unlock ( )
return n
}
func ( rrs * rawRowsShard ) addRows ( pt * partition , rows [ ] rawRow ) {
var rrss [ ] * rawRows
rrs . lock . Lock ( )
if cap ( rrs . rows ) == 0 {
rrs . rows = getRawRowsMaxSize ( ) . rows
}
maxRowsCount := getMaxRawRowsPerPartition ( )
2019-05-22 21:16:55 +00:00
for {
2019-12-19 16:12:02 +00:00
capacity := maxRowsCount - len ( rrs . rows )
2019-05-22 21:16:55 +00:00
if capacity >= len ( rows ) {
// Fast path - rows fit capacity.
2019-12-19 16:12:02 +00:00
rrs . rows = append ( rrs . rows , rows ... )
2019-05-22 21:16:55 +00:00
break
}
// Slow path - rows don't fit capacity.
// Fill rawRows to capacity and convert it to a part.
2019-12-19 16:12:02 +00:00
rrs . rows = append ( rrs . rows , rows [ : capacity ] ... )
2019-05-22 21:16:55 +00:00
rows = rows [ capacity : ]
rr := getRawRowsMaxSize ( )
2019-12-19 16:12:02 +00:00
rrs . rows , rr . rows = rr . rows , rrs . rows
rrss = append ( rrss , rr )
2020-05-14 19:01:51 +00:00
rrs . lastFlushTime = fasttime . UnixTimestamp ( )
2019-05-22 21:16:55 +00:00
}
2019-12-19 16:12:02 +00:00
rrs . lock . Unlock ( )
2019-05-22 21:16:55 +00:00
2019-12-19 16:12:02 +00:00
for _ , rr := range rrss {
2019-05-22 21:16:55 +00:00
pt . addRowsPart ( rr . rows )
putRawRows ( rr )
}
}
type rawRows struct {
rows [ ] rawRow
}
func getRawRowsMaxSize ( ) * rawRows {
size := getMaxRawRowsPerPartition ( )
return getRawRowsWithSize ( size )
}
func getRawRowsWithSize ( size int ) * rawRows {
p , sizeRounded := getRawRowsPool ( size )
v := p . Get ( )
if v == nil {
return & rawRows {
rows : make ( [ ] rawRow , 0 , sizeRounded ) ,
}
}
return v . ( * rawRows )
}
func putRawRows ( rr * rawRows ) {
rr . rows = rr . rows [ : 0 ]
size := cap ( rr . rows )
p , _ := getRawRowsPool ( size )
p . Put ( rr )
}
func getRawRowsPool ( size int ) ( * sync . Pool , int ) {
size --
if size < 0 {
size = 0
}
bucketIdx := 64 - bits . LeadingZeros64 ( uint64 ( size ) )
if bucketIdx >= len ( rawRowsPools ) {
bucketIdx = len ( rawRowsPools ) - 1
}
p := & rawRowsPools [ bucketIdx ]
sizeRounded := 1 << uint ( bucketIdx )
return p , sizeRounded
}
var rawRowsPools [ 19 ] sync . Pool
func ( pt * partition ) addRowsPart ( rows [ ] rawRow ) {
if len ( rows ) == 0 {
return
}
mp := getInmemoryPart ( )
mp . InitFromRows ( rows )
// Make sure the part may be added.
if mp . ph . MinTimestamp > mp . ph . MaxTimestamp {
logger . Panicf ( "BUG: the part %q cannot be added to partition %q because its MinTimestamp exceeds MaxTimestamp; %d vs %d" ,
& mp . ph , pt . smallPartsPath , mp . ph . MinTimestamp , mp . ph . MaxTimestamp )
}
if mp . ph . MinTimestamp < pt . tr . MinTimestamp {
logger . Panicf ( "BUG: the part %q cannot be added to partition %q because of too small MinTimestamp; got %d; want at least %d" ,
& mp . ph , pt . smallPartsPath , mp . ph . MinTimestamp , pt . tr . MinTimestamp )
}
if mp . ph . MaxTimestamp > pt . tr . MaxTimestamp {
logger . Panicf ( "BUG: the part %q cannot be added to partition %q because of too big MaxTimestamp; got %d; want at least %d" ,
& mp . ph , pt . smallPartsPath , mp . ph . MaxTimestamp , pt . tr . MaxTimestamp )
}
p , err := mp . NewPart ( )
if err != nil {
logger . Panicf ( "BUG: cannot create part from %q: %s" , & mp . ph , err )
}
pw := & partWrapper {
p : p ,
mp : mp ,
refCount : 1 ,
}
pt . partsLock . Lock ( )
pt . smallParts = append ( pt . smallParts , pw )
ok := len ( pt . smallParts ) <= maxSmallPartsPerPartition
pt . partsLock . Unlock ( )
if ok {
return
}
// The added part exceeds available limit. Help merging parts.
2020-07-22 21:58:48 +00:00
//
// Prioritize assisted merges over searches.
storagepacelimiter . Search . Inc ( )
2019-05-22 21:16:55 +00:00
err = pt . mergeSmallParts ( false )
2020-07-22 21:58:48 +00:00
storagepacelimiter . Search . Dec ( )
2019-05-22 21:16:55 +00:00
if err == nil {
atomic . AddUint64 ( & pt . smallAssistedMerges , 1 )
return
}
if err == errNothingToMerge || err == errForciblyStopped {
return
}
logger . Panicf ( "FATAL: cannot merge small parts: %s" , err )
}
// HasTimestamp returns true if the pt contains the given timestamp.
func ( pt * partition ) HasTimestamp ( timestamp int64 ) bool {
return timestamp >= pt . tr . MinTimestamp && timestamp <= pt . tr . MaxTimestamp
}
// GetParts appends parts snapshot to dst and returns it.
//
// The appended parts must be released with PutParts.
func ( pt * partition ) GetParts ( dst [ ] * partWrapper ) [ ] * partWrapper {
pt . partsLock . Lock ( )
for _ , pw := range pt . smallParts {
pw . incRef ( )
}
dst = append ( dst , pt . smallParts ... )
for _ , pw := range pt . bigParts {
pw . incRef ( )
}
dst = append ( dst , pt . bigParts ... )
pt . partsLock . Unlock ( )
return dst
}
// PutParts releases the given pws obtained via GetParts.
func ( pt * partition ) PutParts ( pws [ ] * partWrapper ) {
for _ , pw := range pws {
pw . decRef ( )
}
}
// MustClose closes the pt, so the app may safely exit.
//
// The pt must be detached from table before calling pt.MustClose.
func ( pt * partition ) MustClose ( ) {
close ( pt . stopCh )
logger . Infof ( "waiting for inmemory parts flusher to stop on %q..." , pt . smallPartsPath )
startTime := time . Now ( )
pt . inmemoryPartsFlusherWG . Wait ( )
2020-01-22 16:27:44 +00:00
logger . Infof ( "inmemory parts flusher stopped in %.3f seconds on %q" , time . Since ( startTime ) . Seconds ( ) , pt . smallPartsPath )
2019-05-22 21:16:55 +00:00
logger . Infof ( "waiting for raw rows flusher to stop on %q..." , pt . smallPartsPath )
startTime = time . Now ( )
pt . rawRowsFlusherWG . Wait ( )
2020-01-22 16:27:44 +00:00
logger . Infof ( "raw rows flusher stopped in %.3f seconds on %q" , time . Since ( startTime ) . Seconds ( ) , pt . smallPartsPath )
2019-05-22 21:16:55 +00:00
logger . Infof ( "waiting for small part mergers to stop on %q..." , pt . smallPartsPath )
startTime = time . Now ( )
pt . smallPartsMergerWG . Wait ( )
2020-01-22 16:27:44 +00:00
logger . Infof ( "small part mergers stopped in %.3f seconds on %q" , time . Since ( startTime ) . Seconds ( ) , pt . smallPartsPath )
2019-05-22 21:16:55 +00:00
logger . Infof ( "waiting for big part mergers to stop on %q..." , pt . bigPartsPath )
startTime = time . Now ( )
pt . bigPartsMergerWG . Wait ( )
2020-01-22 16:27:44 +00:00
logger . Infof ( "big part mergers stopped in %.3f seconds on %q" , time . Since ( startTime ) . Seconds ( ) , pt . bigPartsPath )
2019-05-22 21:16:55 +00:00
logger . Infof ( "flushing inmemory parts to files on %q..." , pt . smallPartsPath )
startTime = time . Now ( )
// Flush raw rows the last time before exit.
2019-12-19 16:12:02 +00:00
pt . flushRawRows ( true )
2019-05-22 21:16:55 +00:00
// Flush inmemory parts to disk.
var pws [ ] * partWrapper
pt . partsLock . Lock ( )
for _ , pw := range pt . smallParts {
if pw . mp == nil {
continue
}
if pw . isInMerge {
logger . Panicf ( "BUG: the inmemory part %q mustn't be in merge after stopping small parts merger in the partition %q" , & pw . mp . ph , pt . smallPartsPath )
}
pw . isInMerge = true
pws = append ( pws , pw )
}
pt . partsLock . Unlock ( )
if err := pt . mergePartsOptimal ( pws ) ; err != nil {
logger . Panicf ( "FATAL: cannot flush %d inmemory parts to files on %q: %s" , len ( pws ) , pt . smallPartsPath , err )
}
2020-01-22 16:27:44 +00:00
logger . Infof ( "%d inmemory parts have been flushed to files in %.3f seconds on %q" , len ( pws ) , time . Since ( startTime ) . Seconds ( ) , pt . smallPartsPath )
2019-05-22 21:16:55 +00:00
// Remove references to smallParts from the pt, so they may be eventually closed
2019-05-25 18:51:11 +00:00
// after all the searches are done.
2019-05-22 21:16:55 +00:00
pt . partsLock . Lock ( )
smallParts := pt . smallParts
pt . smallParts = nil
pt . partsLock . Unlock ( )
for _ , pw := range smallParts {
pw . decRef ( )
}
// Remove references to bigParts from the pt, so they may be eventually closed
// after all the searches are done.
pt . partsLock . Lock ( )
bigParts := pt . bigParts
pt . bigParts = nil
pt . partsLock . Unlock ( )
for _ , pw := range bigParts {
pw . decRef ( )
}
}
func ( pt * partition ) startRawRowsFlusher ( ) {
pt . rawRowsFlusherWG . Add ( 1 )
go func ( ) {
pt . rawRowsFlusher ( )
pt . rawRowsFlusherWG . Done ( )
} ( )
}
func ( pt * partition ) rawRowsFlusher ( ) {
2020-02-13 10:55:58 +00:00
ticker := time . NewTicker ( rawRowsFlushInterval )
defer ticker . Stop ( )
2019-05-22 21:16:55 +00:00
for {
select {
case <- pt . stopCh :
return
2020-02-13 10:55:58 +00:00
case <- ticker . C :
pt . flushRawRows ( false )
2019-05-22 21:16:55 +00:00
}
2019-12-19 16:12:02 +00:00
}
}
2019-05-22 21:16:55 +00:00
2019-12-19 16:12:02 +00:00
func ( pt * partition ) flushRawRows ( isFinal bool ) {
pt . rawRows . flush ( pt , isFinal )
}
func ( rrs * rawRowsShards ) flush ( pt * partition , isFinal bool ) {
for i := range rrs . shards [ : ] {
rrs . shards [ i ] . flush ( pt , isFinal )
2019-05-22 21:16:55 +00:00
}
}
2019-12-19 16:12:02 +00:00
func ( rrs * rawRowsShard ) flush ( pt * partition , isFinal bool ) {
var rr * rawRows
2020-05-14 19:01:51 +00:00
currentTime := fasttime . UnixTimestamp ( )
flushSeconds := int64 ( rawRowsFlushInterval . Seconds ( ) )
if flushSeconds <= 0 {
flushSeconds = 1
}
2019-05-22 21:16:55 +00:00
2019-12-19 16:12:02 +00:00
rrs . lock . Lock ( )
2020-05-14 19:01:51 +00:00
if isFinal || currentTime - rrs . lastFlushTime > uint64 ( flushSeconds ) {
2019-12-19 16:12:02 +00:00
rr = getRawRowsMaxSize ( )
rrs . rows , rr . rows = rr . rows , rrs . rows
2019-05-22 21:16:55 +00:00
}
2019-12-19 16:12:02 +00:00
rrs . lock . Unlock ( )
2019-05-22 21:16:55 +00:00
2019-12-19 16:12:02 +00:00
if rr != nil {
pt . addRowsPart ( rr . rows )
putRawRows ( rr )
2019-05-22 21:16:55 +00:00
}
}
func ( pt * partition ) startInmemoryPartsFlusher ( ) {
pt . inmemoryPartsFlusherWG . Add ( 1 )
go func ( ) {
pt . inmemoryPartsFlusher ( )
pt . inmemoryPartsFlusherWG . Done ( )
} ( )
}
func ( pt * partition ) inmemoryPartsFlusher ( ) {
2020-02-13 10:55:58 +00:00
ticker := time . NewTicker ( inmemoryPartsFlushInterval )
defer ticker . Stop ( )
2019-05-22 21:16:55 +00:00
var pwsBuf [ ] * partWrapper
var err error
for {
select {
case <- pt . stopCh :
return
2020-02-13 10:55:58 +00:00
case <- ticker . C :
pwsBuf , err = pt . flushInmemoryParts ( pwsBuf [ : 0 ] , false )
if err != nil {
logger . Panicf ( "FATAL: cannot flush inmemory parts: %s" , err )
}
2019-05-22 21:16:55 +00:00
}
}
}
func ( pt * partition ) flushInmemoryParts ( dstPws [ ] * partWrapper , force bool ) ( [ ] * partWrapper , error ) {
2020-05-14 19:01:51 +00:00
currentTime := fasttime . UnixTimestamp ( )
flushSeconds := int64 ( inmemoryPartsFlushInterval . Seconds ( ) )
if flushSeconds <= 0 {
flushSeconds = 1
}
2019-05-22 21:16:55 +00:00
// Inmemory parts may present only in small parts.
pt . partsLock . Lock ( )
for _ , pw := range pt . smallParts {
if pw . mp == nil || pw . isInMerge {
continue
}
2020-05-14 19:01:51 +00:00
if force || currentTime - pw . mp . creationTime >= uint64 ( flushSeconds ) {
2019-05-22 21:16:55 +00:00
pw . isInMerge = true
dstPws = append ( dstPws , pw )
}
}
pt . partsLock . Unlock ( )
if err := pt . mergePartsOptimal ( dstPws ) ; err != nil {
2020-06-30 19:58:18 +00:00
return dstPws , fmt . Errorf ( "cannot merge %d inmemory parts: %w" , len ( dstPws ) , err )
2019-05-22 21:16:55 +00:00
}
return dstPws , nil
}
func ( pt * partition ) mergePartsOptimal ( pws [ ] * partWrapper ) error {
for len ( pws ) > defaultPartsToMerge {
if err := pt . mergeParts ( pws [ : defaultPartsToMerge ] , nil ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot merge %d parts: %w" , defaultPartsToMerge , err )
2019-05-22 21:16:55 +00:00
}
pws = pws [ defaultPartsToMerge : ]
}
if len ( pws ) > 0 {
if err := pt . mergeParts ( pws , nil ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot merge %d parts: %w" , len ( pws ) , err )
2019-05-22 21:16:55 +00:00
}
}
return nil
}
2019-10-31 14:16:53 +00:00
var (
2020-07-31 10:48:35 +00:00
bigMergeWorkersCount = ( runtime . GOMAXPROCS ( - 1 ) + 1 ) / 2
smallMergeWorkersCount = ( runtime . GOMAXPROCS ( - 1 ) + 1 ) / 2
2019-10-31 14:16:53 +00:00
)
// SetBigMergeWorkersCount sets the maximum number of concurrent mergers for big blocks.
//
// The function must be called before opening or creating any storage.
func SetBigMergeWorkersCount ( n int ) {
if n <= 0 {
// Do nothing
return
}
2020-07-31 10:48:35 +00:00
bigMergeWorkersCount = n
2019-10-31 14:16:53 +00:00
}
// SetSmallMergeWorkersCount sets the maximum number of concurrent mergers for small blocks.
//
// The function must be called before opening or creating any storage.
func SetSmallMergeWorkersCount ( n int ) {
if n <= 0 {
// Do nothing
return
}
2020-07-31 10:48:35 +00:00
smallMergeWorkersCount = n
2019-10-31 14:16:53 +00:00
}
2019-10-29 10:45:19 +00:00
2019-05-22 21:16:55 +00:00
func ( pt * partition ) startMergeWorkers ( ) {
2020-07-31 10:48:35 +00:00
for i := 0 ; i < smallMergeWorkersCount ; i ++ {
2019-05-22 21:16:55 +00:00
pt . smallPartsMergerWG . Add ( 1 )
go func ( ) {
pt . smallPartsMerger ( )
pt . smallPartsMergerWG . Done ( )
} ( )
}
2020-07-31 10:48:35 +00:00
for i := 0 ; i < bigMergeWorkersCount ; i ++ {
2019-05-22 21:16:55 +00:00
pt . bigPartsMergerWG . Add ( 1 )
go func ( ) {
pt . bigPartsMerger ( )
pt . bigPartsMergerWG . Done ( )
} ( )
}
}
func ( pt * partition ) bigPartsMerger ( ) {
if err := pt . partsMerger ( pt . mergeBigParts ) ; err != nil {
logger . Panicf ( "FATAL: unrecoverable error when merging big parts in the partition %q: %s" , pt . bigPartsPath , err )
}
}
func ( pt * partition ) smallPartsMerger ( ) {
if err := pt . partsMerger ( pt . mergeSmallParts ) ; err != nil {
logger . Panicf ( "FATAL: unrecoverable error when merging small parts in the partition %q: %s" , pt . smallPartsPath , err )
}
}
const (
minMergeSleepTime = time . Millisecond
maxMergeSleepTime = time . Second
)
func ( pt * partition ) partsMerger ( mergerFunc func ( isFinal bool ) error ) error {
sleepTime := minMergeSleepTime
2020-05-14 19:01:51 +00:00
var lastMergeTime uint64
2019-05-22 21:16:55 +00:00
isFinal := false
t := time . NewTimer ( sleepTime )
for {
err := mergerFunc ( isFinal )
if err == nil {
// Try merging additional parts.
sleepTime = minMergeSleepTime
2020-05-14 19:01:51 +00:00
lastMergeTime = fasttime . UnixTimestamp ( )
2019-05-22 21:16:55 +00:00
isFinal = false
continue
}
if err == errForciblyStopped {
// The merger has been stopped.
return nil
}
if err != errNothingToMerge {
return err
}
2020-05-14 19:01:51 +00:00
if fasttime . UnixTimestamp ( ) - lastMergeTime > 30 {
2019-05-22 21:16:55 +00:00
// We have free time for merging into bigger parts.
// This should improve select performance.
2020-05-14 19:01:51 +00:00
lastMergeTime = fasttime . UnixTimestamp ( )
2019-05-22 21:16:55 +00:00
isFinal = true
continue
}
// Nothing to merge. Sleep for a while and try again.
sleepTime *= 2
if sleepTime > maxMergeSleepTime {
sleepTime = maxMergeSleepTime
}
select {
case <- pt . stopCh :
return nil
case <- t . C :
t . Reset ( sleepTime )
}
}
}
2019-08-25 11:10:43 +00:00
func maxRowsByPath ( path string ) uint64 {
2020-06-04 10:13:00 +00:00
freeSpace := fs . MustGetFreeSpace ( path )
2019-05-22 21:16:55 +00:00
// Calculate the maximum number of rows in the output merge part
2020-07-31 10:48:35 +00:00
// by dividing the freeSpace by the maximum number of concurrent
// workers for big parts.
// This assumes each row is compressed into 1 byte
2020-07-30 16:57:25 +00:00
// according to production data.
2020-07-31 10:48:35 +00:00
maxRows := freeSpace / uint64 ( bigMergeWorkersCount )
2019-08-25 11:10:43 +00:00
if maxRows > maxRowsPerBigPart {
maxRows = maxRowsPerBigPart
}
return maxRows
2019-05-22 21:16:55 +00:00
}
func ( pt * partition ) mergeBigParts ( isFinal bool ) error {
2019-08-25 11:10:43 +00:00
maxRows := maxRowsByPath ( pt . bigPartsPath )
2019-05-22 21:16:55 +00:00
pt . partsLock . Lock ( )
pws := getPartsToMerge ( pt . bigParts , maxRows , isFinal )
pt . partsLock . Unlock ( )
2020-07-22 21:58:48 +00:00
return pt . mergeParts ( pws , pt . stopCh )
2019-05-22 21:16:55 +00:00
}
func ( pt * partition ) mergeSmallParts ( isFinal bool ) error {
2019-08-25 11:10:43 +00:00
maxRows := maxRowsByPath ( pt . smallPartsPath )
2019-08-25 11:39:39 +00:00
if maxRows > maxRowsPerSmallPart ( ) {
2019-08-25 11:10:43 +00:00
// The output part may go to big part,
2019-09-20 16:46:47 +00:00
// so make sure it has enough space.
2019-08-25 11:10:43 +00:00
maxBigPartRows := maxRowsByPath ( pt . bigPartsPath )
if maxRows > maxBigPartRows {
maxRows = maxBigPartRows
}
}
2019-05-22 21:16:55 +00:00
pt . partsLock . Lock ( )
pws := getPartsToMerge ( pt . smallParts , maxRows , isFinal )
pt . partsLock . Unlock ( )
2020-07-22 21:58:48 +00:00
return pt . mergeParts ( pws , pt . stopCh )
2019-05-22 21:16:55 +00:00
}
var errNothingToMerge = fmt . Errorf ( "nothing to merge" )
2020-09-16 23:05:54 +00:00
// mergeParts merges pws.
//
// Merging is immediately stopped if stopCh is closed.
//
// All the parts inside pws must have isInMerge field set to true.
2019-05-22 21:16:55 +00:00
func ( pt * partition ) mergeParts ( pws [ ] * partWrapper , stopCh <- chan struct { } ) error {
if len ( pws ) == 0 {
// Nothing to merge.
return errNothingToMerge
}
defer func ( ) {
// Remove isInMerge flag from pws.
pt . partsLock . Lock ( )
for _ , pw := range pws {
if ! pw . isInMerge {
logger . Panicf ( "BUG: missing isInMerge flag on the part %q" , pw . p . path )
}
pw . isInMerge = false
}
pt . partsLock . Unlock ( )
} ( )
startTime := time . Now ( )
// Prepare BlockStreamReaders for source parts.
bsrs := make ( [ ] * blockStreamReader , 0 , len ( pws ) )
defer func ( ) {
for _ , bsr := range bsrs {
putBlockStreamReader ( bsr )
}
} ( )
for _ , pw := range pws {
bsr := getBlockStreamReader ( )
if pw . mp != nil {
bsr . InitFromInmemoryPart ( pw . mp )
} else {
if err := bsr . InitFromFilePart ( pw . p . path ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot open source part for merging: %w" , err )
2019-05-22 21:16:55 +00:00
}
}
bsrs = append ( bsrs , bsr )
}
outRowsCount := uint64 ( 0 )
2020-05-15 10:11:30 +00:00
outBlocksCount := uint64 ( 0 )
2019-05-22 21:16:55 +00:00
for _ , pw := range pws {
outRowsCount += pw . p . ph . RowsCount
2020-05-15 10:11:30 +00:00
outBlocksCount += pw . p . ph . BlocksCount
2019-05-22 21:16:55 +00:00
}
2019-08-25 11:39:39 +00:00
isBigPart := outRowsCount > maxRowsPerSmallPart ( )
2019-05-22 21:16:55 +00:00
nocache := isBigPart
// Prepare BlockStreamWriter for destination part.
ptPath := pt . smallPartsPath
if isBigPart {
ptPath = pt . bigPartsPath
}
ptPath = filepath . Clean ( ptPath )
mergeIdx := pt . nextMergeIdx ( )
tmpPartPath := fmt . Sprintf ( "%s/tmp/%016X" , ptPath , mergeIdx )
bsw := getBlockStreamWriter ( )
2020-05-15 10:11:30 +00:00
compressLevel := getCompressLevelForRowsCount ( outRowsCount , outBlocksCount )
2019-05-22 21:16:55 +00:00
if err := bsw . InitFromFilePart ( tmpPartPath , nocache , compressLevel ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot create destination part %q: %w" , tmpPartPath , err )
2019-05-22 21:16:55 +00:00
}
// Merge parts.
2020-07-22 21:58:48 +00:00
dmis := pt . getDeletedMetricIDs ( )
2019-05-22 21:16:55 +00:00
var ph partHeader
rowsMerged := & pt . smallRowsMerged
rowsDeleted := & pt . smallRowsDeleted
if isBigPart {
rowsMerged = & pt . bigRowsMerged
rowsDeleted = & pt . bigRowsDeleted
2020-07-22 21:58:48 +00:00
atomic . AddUint64 ( & pt . bigMergesCount , 1 )
atomic . AddUint64 ( & pt . activeBigMerges , 1 )
} else {
atomic . AddUint64 ( & pt . smallMergesCount , 1 )
atomic . AddUint64 ( & pt . activeSmallMerges , 1 )
}
2020-07-30 16:57:25 +00:00
err := mergeBlockStreams ( & ph , bsw , bsrs , stopCh , dmis , rowsMerged , rowsDeleted )
2020-07-22 21:58:48 +00:00
if isBigPart {
atomic . AddUint64 ( & pt . activeBigMerges , ^ uint64 ( 0 ) )
} else {
atomic . AddUint64 ( & pt . activeSmallMerges , ^ uint64 ( 0 ) )
2019-05-22 21:16:55 +00:00
}
putBlockStreamWriter ( bsw )
if err != nil {
if err == errForciblyStopped {
return err
}
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "error when merging parts to %q: %w" , tmpPartPath , err )
2019-05-22 21:16:55 +00:00
}
// Close bsrs.
for _ , bsr := range bsrs {
putBlockStreamReader ( bsr )
}
bsrs = nil
// Create a transaction for atomic deleting old parts and moving
// new part to its destination place.
var bb bytesutil . ByteBuffer
for _ , pw := range pws {
if pw . mp == nil {
fmt . Fprintf ( & bb , "%s\n" , pw . p . path )
}
}
dstPartPath := ""
if ph . RowsCount > 0 {
// The destination part may have no rows if they are deleted
// during the merge due to dmis.
dstPartPath = ph . Path ( ptPath , mergeIdx )
}
fmt . Fprintf ( & bb , "%s -> %s\n" , tmpPartPath , dstPartPath )
txnPath := fmt . Sprintf ( "%s/txn/%016X" , ptPath , mergeIdx )
2019-08-12 11:44:24 +00:00
if err := fs . WriteFileAtomically ( txnPath , bb . B ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot create transaction file %q: %w" , txnPath , err )
2019-05-22 21:16:55 +00:00
}
// Run the created transaction.
if err := runTransaction ( & pt . snapshotLock , pt . smallPartsPath , pt . bigPartsPath , txnPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot execute transaction %q: %w" , txnPath , err )
2019-05-22 21:16:55 +00:00
}
var newPW * partWrapper
2019-07-04 16:09:40 +00:00
var newPSize uint64
2019-05-22 21:16:55 +00:00
if len ( dstPartPath ) > 0 {
// Open the merged part if it is non-empty.
newP , err := openFilePart ( dstPartPath )
if err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot open merged part %q: %w" , dstPartPath , err )
2019-05-22 21:16:55 +00:00
}
2019-07-04 16:09:40 +00:00
newPSize = newP . size
2019-05-22 21:16:55 +00:00
newPW = & partWrapper {
p : newP ,
refCount : 1 ,
}
}
// Atomically remove old parts and add new part.
m := make ( map [ * partWrapper ] bool , len ( pws ) )
for _ , pw := range pws {
m [ pw ] = true
}
if len ( m ) != len ( pws ) {
logger . Panicf ( "BUG: %d duplicate parts found in the merge of %d parts" , len ( pws ) - len ( m ) , len ( pws ) )
}
removedSmallParts := 0
removedBigParts := 0
pt . partsLock . Lock ( )
2020-04-10 11:44:38 +00:00
pt . smallParts , removedSmallParts = removeParts ( pt . smallParts , m , false )
pt . bigParts , removedBigParts = removeParts ( pt . bigParts , m , true )
2019-05-22 21:16:55 +00:00
if newPW != nil {
if isBigPart {
pt . bigParts = append ( pt . bigParts , newPW )
} else {
pt . smallParts = append ( pt . smallParts , newPW )
}
}
pt . partsLock . Unlock ( )
if removedSmallParts + removedBigParts != len ( m ) {
logger . Panicf ( "BUG: unexpected number of parts removed; got %d, want %d" , removedSmallParts + removedBigParts , len ( m ) )
}
// Remove partition references from old parts.
for _ , pw := range pws {
pw . decRef ( )
}
d := time . Since ( startTime )
if d > 10 * time . Second {
2020-05-15 10:11:30 +00:00
logger . Infof ( "merged %d rows across %d blocks in %.3f seconds at %d rows/sec to %q; sizeBytes: %d" ,
outRowsCount , outBlocksCount , d . Seconds ( ) , int ( float64 ( outRowsCount ) / d . Seconds ( ) ) , dstPartPath , newPSize )
2019-05-22 21:16:55 +00:00
}
return nil
}
2020-05-15 10:11:30 +00:00
func getCompressLevelForRowsCount ( rowsCount , blocksCount uint64 ) int {
avgRowsPerBlock := rowsCount / blocksCount
if avgRowsPerBlock <= 200 {
return - 1
}
if avgRowsPerBlock <= 500 {
2019-05-22 21:16:55 +00:00
return 1
}
2020-05-15 10:11:30 +00:00
if avgRowsPerBlock <= 1000 {
2019-05-22 21:16:55 +00:00
return 2
}
2020-05-15 10:11:30 +00:00
if avgRowsPerBlock <= 2000 {
2019-05-22 21:16:55 +00:00
return 3
}
2020-05-15 10:11:30 +00:00
if avgRowsPerBlock <= 4000 {
2019-05-22 21:16:55 +00:00
return 4
}
return 5
}
func ( pt * partition ) nextMergeIdx ( ) uint64 {
return atomic . AddUint64 ( & pt . mergeIdx , 1 )
}
2020-04-10 11:44:38 +00:00
func removeParts ( pws [ ] * partWrapper , partsToRemove map [ * partWrapper ] bool , isBig bool ) ( [ ] * partWrapper , int ) {
2019-05-22 21:16:55 +00:00
removedParts := 0
dst := pws [ : 0 ]
for _ , pw := range pws {
2020-09-16 23:05:54 +00:00
if ! partsToRemove [ pw ] {
dst = append ( dst , pw )
2019-05-22 21:16:55 +00:00
continue
}
2020-09-16 23:05:54 +00:00
requests := pw . p . ibCache . Requests ( )
misses := pw . p . ibCache . Misses ( )
if isBig {
atomic . AddUint64 ( & historicalBigIndexBlocksCacheRequests , requests )
atomic . AddUint64 ( & historicalBigIndexBlocksCacheMisses , misses )
} else {
atomic . AddUint64 ( & historicalSmallIndexBlocksCacheRequests , requests )
atomic . AddUint64 ( & historicalSmallIndexBlocksCacheMisses , misses )
}
removedParts ++
2019-05-22 21:16:55 +00:00
}
return dst , removedParts
}
// getPartsToMerge returns optimal parts to merge from pws.
//
// The returned rows will contain less than maxRows rows.
func getPartsToMerge ( pws [ ] * partWrapper , maxRows uint64 , isFinal bool ) [ ] * partWrapper {
pwsRemaining := make ( [ ] * partWrapper , 0 , len ( pws ) )
for _ , pw := range pws {
if ! pw . isInMerge {
pwsRemaining = append ( pwsRemaining , pw )
}
}
maxPartsToMerge := defaultPartsToMerge
var pms [ ] * partWrapper
if isFinal {
for len ( pms ) == 0 && maxPartsToMerge >= finalPartsToMerge {
pms = appendPartsToMerge ( pms [ : 0 ] , pwsRemaining , maxPartsToMerge , maxRows )
maxPartsToMerge --
}
} else {
pms = appendPartsToMerge ( pms [ : 0 ] , pwsRemaining , maxPartsToMerge , maxRows )
}
for _ , pw := range pms {
if pw . isInMerge {
logger . Panicf ( "BUG: partWrapper.isInMerge cannot be set" )
}
pw . isInMerge = true
}
return pms
}
// appendPartsToMerge finds optimal parts to merge from src, appends
// them to dst and returns the result.
func appendPartsToMerge ( dst , src [ ] * partWrapper , maxPartsToMerge int , maxRows uint64 ) [ ] * partWrapper {
if len ( src ) < 2 {
// There is no need in merging zero or one part :)
return dst
}
if maxPartsToMerge < 2 {
logger . Panicf ( "BUG: maxPartsToMerge cannot be smaller than 2; got %d" , maxPartsToMerge )
}
// Filter out too big parts.
2020-07-31 10:48:35 +00:00
// This should reduce N for O(N^2) algorithm below.
2019-05-22 21:16:55 +00:00
maxInPartRows := maxRows / 2
tmp := make ( [ ] * partWrapper , 0 , len ( src ) )
for _ , pw := range src {
if pw . p . ph . RowsCount > maxInPartRows {
continue
}
tmp = append ( tmp , pw )
}
src = tmp
// Sort src parts by rows count and backwards timestamp.
// This should improve adjanced points' locality in the merged parts.
sort . Slice ( src , func ( i , j int ) bool {
a := & src [ i ] . p . ph
b := & src [ j ] . p . ph
2019-10-29 10:45:19 +00:00
if a . RowsCount == b . RowsCount {
return a . MinTimestamp > b . MinTimestamp
2019-05-22 21:16:55 +00:00
}
2019-10-29 10:45:19 +00:00
return a . RowsCount < b . RowsCount
2019-05-22 21:16:55 +00:00
} )
n := maxPartsToMerge
if len ( src ) < n {
n = len ( src )
}
// Exhaustive search for parts giving the lowest write amplification
// when merged.
var pws [ ] * partWrapper
maxM := float64 ( 0 )
for i := 2 ; i <= n ; i ++ {
for j := 0 ; j <= len ( src ) - i ; j ++ {
2019-10-29 10:45:19 +00:00
a := src [ j : j + i ]
2019-05-22 21:16:55 +00:00
rowsSum := uint64 ( 0 )
2019-10-29 10:45:19 +00:00
for _ , pw := range a {
2019-05-22 21:16:55 +00:00
rowsSum += pw . p . ph . RowsCount
}
if rowsSum > maxRows {
2019-10-29 10:45:19 +00:00
// There is no need in verifying remaining parts with higher number of rows
break
2019-05-22 21:16:55 +00:00
}
2019-10-29 10:45:19 +00:00
m := float64 ( rowsSum ) / float64 ( a [ len ( a ) - 1 ] . p . ph . RowsCount )
2019-05-22 21:16:55 +00:00
if m < maxM {
continue
}
maxM = m
2019-10-29 10:45:19 +00:00
pws = a
2019-05-22 21:16:55 +00:00
}
}
2019-10-29 10:45:19 +00:00
minM := float64 ( maxPartsToMerge ) / 2
if minM < 1.7 {
minM = 1.7
2019-05-22 21:16:55 +00:00
}
if maxM < minM {
// There is no sense in merging parts with too small m.
return dst
}
return append ( dst , pws ... )
}
func openParts ( pathPrefix1 , pathPrefix2 , path string ) ( [ ] * partWrapper , error ) {
2019-11-02 00:26:02 +00:00
// The path can be missing after restoring from backup, so create it if needed.
if err := fs . MkdirAllIfNotExist ( path ) ; err != nil {
return nil , err
}
2019-05-22 21:16:55 +00:00
d , err := os . Open ( path )
if err != nil {
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot open directory %q: %w" , path , err )
2019-05-22 21:16:55 +00:00
}
defer fs . MustClose ( d )
// Run remaining transactions and cleanup /txn and /tmp directories.
// Snapshots cannot be created yet, so use fakeSnapshotLock.
var fakeSnapshotLock sync . RWMutex
if err := runTransactions ( & fakeSnapshotLock , pathPrefix1 , pathPrefix2 , path ) ; err != nil {
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot run transactions from %q: %w" , path , err )
2019-05-22 21:16:55 +00:00
}
txnDir := path + "/txn"
2019-06-11 22:53:43 +00:00
fs . MustRemoveAll ( txnDir )
2019-05-22 21:16:55 +00:00
tmpDir := path + "/tmp"
2019-06-11 22:53:43 +00:00
fs . MustRemoveAll ( tmpDir )
2019-05-22 21:16:55 +00:00
if err := createPartitionDirs ( path ) ; err != nil {
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot create directories for partition %q: %w" , path , err )
2019-05-22 21:16:55 +00:00
}
// Open parts.
fis , err := d . Readdir ( - 1 )
if err != nil {
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot read directory %q: %w" , d . Name ( ) , err )
2019-05-22 21:16:55 +00:00
}
var pws [ ] * partWrapper
for _ , fi := range fis {
if ! fs . IsDirOrSymlink ( fi ) {
// Skip non-directories.
continue
}
fn := fi . Name ( )
if fn == "tmp" || fn == "txn" || fn == "snapshots" {
// "snapshots" dir is skipped for backwards compatibility. Now it is unused.
// Skip special dirs.
continue
}
partPath := path + "/" + fn
startTime := time . Now ( )
p , err := openFilePart ( partPath )
if err != nil {
mustCloseParts ( pws )
2020-06-30 19:58:18 +00:00
return nil , fmt . Errorf ( "cannot open part %q: %w" , partPath , err )
2019-05-22 21:16:55 +00:00
}
2020-01-22 16:27:44 +00:00
logger . Infof ( "opened part %q in %.3f seconds" , partPath , time . Since ( startTime ) . Seconds ( ) )
2019-05-22 21:16:55 +00:00
pw := & partWrapper {
p : p ,
refCount : 1 ,
}
pws = append ( pws , pw )
}
return pws , nil
}
func mustCloseParts ( pws [ ] * partWrapper ) {
for _ , pw := range pws {
if pw . refCount != 1 {
logger . Panicf ( "BUG: unexpected refCount when closing part %q: %d; want 1" , & pw . p . ph , pw . refCount )
}
pw . p . MustClose ( )
}
}
// CreateSnapshotAt creates pt snapshot at the given smallPath and bigPath dirs.
//
// Snapshot is created using linux hard links, so it is usually created
// very quickly.
func ( pt * partition ) CreateSnapshotAt ( smallPath , bigPath string ) error {
logger . Infof ( "creating partition snapshot of %q and %q..." , pt . smallPartsPath , pt . bigPartsPath )
startTime := time . Now ( )
// Flush inmemory data to disk.
2019-12-19 16:12:02 +00:00
pt . flushRawRows ( true )
2019-05-22 21:16:55 +00:00
if _ , err := pt . flushInmemoryParts ( nil , true ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot flush inmemory parts: %w" , err )
2019-05-22 21:16:55 +00:00
}
// The snapshot must be created under the lock in order to prevent from
// concurrent modifications via runTransaction.
pt . snapshotLock . Lock ( )
defer pt . snapshotLock . Unlock ( )
if err := pt . createSnapshot ( pt . smallPartsPath , smallPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot create snapshot for %q: %w" , pt . smallPartsPath , err )
2019-05-22 21:16:55 +00:00
}
if err := pt . createSnapshot ( pt . bigPartsPath , bigPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot create snapshot for %q: %w" , pt . bigPartsPath , err )
2019-05-22 21:16:55 +00:00
}
2020-01-22 16:27:44 +00:00
logger . Infof ( "created partition snapshot of %q and %q at %q and %q in %.3f seconds" ,
pt . smallPartsPath , pt . bigPartsPath , smallPath , bigPath , time . Since ( startTime ) . Seconds ( ) )
2019-05-22 21:16:55 +00:00
return nil
}
func ( pt * partition ) createSnapshot ( srcDir , dstDir string ) error {
if err := fs . MkdirAllFailIfExist ( dstDir ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot create snapshot dir %q: %w" , dstDir , err )
2019-05-22 21:16:55 +00:00
}
d , err := os . Open ( srcDir )
if err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot open difrectory: %w" , err )
2019-05-22 21:16:55 +00:00
}
defer fs . MustClose ( d )
fis , err := d . Readdir ( - 1 )
if err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot read directory: %w" , err )
2019-05-22 21:16:55 +00:00
}
for _ , fi := range fis {
if ! fs . IsDirOrSymlink ( fi ) {
// Skip non-directories.
continue
}
fn := fi . Name ( )
if fn == "tmp" || fn == "txn" {
// Skip special dirs.
continue
}
srcPartPath := srcDir + "/" + fn
dstPartPath := dstDir + "/" + fn
if err := fs . HardLinkFiles ( srcPartPath , dstPartPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot create hard links from %q to %q: %w" , srcPartPath , dstPartPath , err )
2019-05-22 21:16:55 +00:00
}
}
2019-06-11 20:13:04 +00:00
fs . MustSyncPath ( dstDir )
fs . MustSyncPath ( filepath . Dir ( dstDir ) )
2019-05-22 21:16:55 +00:00
return nil
}
func runTransactions ( txnLock * sync . RWMutex , pathPrefix1 , pathPrefix2 , path string ) error {
2019-12-04 19:35:51 +00:00
// Wait until all the previous pending transaction deletions are finished.
pendingTxnDeletionsWG . Wait ( )
// Make sure all the current transaction deletions are finished before exiting.
defer pendingTxnDeletionsWG . Wait ( )
2019-05-22 21:16:55 +00:00
txnDir := path + "/txn"
d , err := os . Open ( txnDir )
if err != nil {
if os . IsNotExist ( err ) {
return nil
}
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot open %q: %w" , txnDir , err )
2019-05-22 21:16:55 +00:00
}
defer fs . MustClose ( d )
fis , err := d . Readdir ( - 1 )
if err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot read directory %q: %w" , d . Name ( ) , err )
2019-05-22 21:16:55 +00:00
}
// Sort transaction files by id.
sort . Slice ( fis , func ( i , j int ) bool {
return fis [ i ] . Name ( ) < fis [ j ] . Name ( )
} )
for _ , fi := range fis {
2019-08-12 11:44:24 +00:00
fn := fi . Name ( )
if fs . IsTemporaryFileName ( fn ) {
// Skip temporary files, which could be left after unclean shutdown.
continue
}
txnPath := txnDir + "/" + fn
2019-05-22 21:16:55 +00:00
if err := runTransaction ( txnLock , pathPrefix1 , pathPrefix2 , txnPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot run transaction from %q: %w" , txnPath , err )
2019-05-22 21:16:55 +00:00
}
}
return nil
}
func runTransaction ( txnLock * sync . RWMutex , pathPrefix1 , pathPrefix2 , txnPath string ) error {
2020-09-16 23:05:54 +00:00
// The transaction must run under read lock in order to provide
2019-05-22 21:16:55 +00:00
// consistent snapshots with partition.CreateSnapshot().
txnLock . RLock ( )
defer txnLock . RUnlock ( )
data , err := ioutil . ReadFile ( txnPath )
if err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot read transaction file: %w" , err )
2019-05-22 21:16:55 +00:00
}
if len ( data ) > 0 && data [ len ( data ) - 1 ] == '\n' {
data = data [ : len ( data ) - 1 ]
}
paths := strings . Split ( string ( data ) , "\n" )
if len ( paths ) == 0 {
return fmt . Errorf ( "empty transaction" )
}
rmPaths := paths [ : len ( paths ) - 1 ]
mvPaths := strings . Split ( paths [ len ( paths ) - 1 ] , " -> " )
if len ( mvPaths ) != 2 {
return fmt . Errorf ( "invalid last line in the transaction file: got %q; must contain `srcPath -> dstPath`" , paths [ len ( paths ) - 1 ] )
}
// Remove old paths. It is OK if certain paths don't exist.
2019-12-02 19:34:35 +00:00
var removeWG sync . WaitGroup
2019-05-22 21:16:55 +00:00
for _ , path := range rmPaths {
path , err := validatePath ( pathPrefix1 , pathPrefix2 , path )
if err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "invalid path to remove: %w" , err )
2019-05-22 21:16:55 +00:00
}
2019-12-02 19:34:35 +00:00
removeWG . Add ( 1 )
fs . MustRemoveAllWithDoneCallback ( path , removeWG . Done )
2019-05-22 21:16:55 +00:00
}
// Move the new part to new directory.
srcPath := mvPaths [ 0 ]
dstPath := mvPaths [ 1 ]
srcPath , err = validatePath ( pathPrefix1 , pathPrefix2 , srcPath )
if err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "invalid source path to rename: %w" , err )
2019-05-22 21:16:55 +00:00
}
if len ( dstPath ) > 0 {
// Move srcPath to dstPath.
dstPath , err = validatePath ( pathPrefix1 , pathPrefix2 , dstPath )
if err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "invalid destination path to rename: %w" , err )
2019-05-22 21:16:55 +00:00
}
if fs . IsPathExist ( srcPath ) {
if err := os . Rename ( srcPath , dstPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot rename %q to %q: %w" , srcPath , dstPath , err )
2019-05-22 21:16:55 +00:00
}
2019-12-09 13:42:57 +00:00
} else if ! fs . IsPathExist ( dstPath ) {
// Emit info message for the expected condition after unclean shutdown on NFS disk.
// The dstPath part may be missing because it could be already merged into bigger part
// while old source parts for the current txn weren't still deleted due to NFS locks.
logger . Infof ( "cannot find both source and destination paths: %q -> %q; this may be the case after unclean shutdown (OOM, `kill -9`, hard reset) on NFS disk" ,
srcPath , dstPath )
2019-05-22 21:16:55 +00:00
}
} else {
// Just remove srcPath.
2019-06-11 22:53:43 +00:00
fs . MustRemoveAll ( srcPath )
2019-05-22 21:16:55 +00:00
}
// Flush pathPrefix* directory metadata to the underying storage.
2019-06-11 20:13:04 +00:00
fs . MustSyncPath ( pathPrefix1 )
fs . MustSyncPath ( pathPrefix2 )
2019-05-22 21:16:55 +00:00
2019-12-04 19:35:51 +00:00
pendingTxnDeletionsWG . Add ( 1 )
2019-12-02 19:34:35 +00:00
go func ( ) {
2019-12-04 19:35:51 +00:00
defer pendingTxnDeletionsWG . Done ( )
2019-12-02 19:34:35 +00:00
// Remove the transaction file only after all the source paths are deleted.
// This is required for NFS mounts. See https://github.com/VictoriaMetrics/VictoriaMetrics/issues/61 .
removeWG . Wait ( )
if err := os . Remove ( txnPath ) ; err != nil {
logger . Errorf ( "cannot remove transaction file %q: %s" , txnPath , err )
}
} ( )
2019-05-22 21:16:55 +00:00
return nil
}
2019-12-04 19:35:51 +00:00
var pendingTxnDeletionsWG syncwg . WaitGroup
2019-05-22 21:16:55 +00:00
func validatePath ( pathPrefix1 , pathPrefix2 , path string ) ( string , error ) {
var err error
pathPrefix1 , err = filepath . Abs ( pathPrefix1 )
if err != nil {
2020-06-30 19:58:18 +00:00
return path , fmt . Errorf ( "cannot determine absolute path for pathPrefix1=%q: %w" , pathPrefix1 , err )
2019-05-22 21:16:55 +00:00
}
pathPrefix2 , err = filepath . Abs ( pathPrefix2 )
if err != nil {
2020-06-30 19:58:18 +00:00
return path , fmt . Errorf ( "cannot determine absolute path for pathPrefix2=%q: %w" , pathPrefix2 , err )
2019-05-22 21:16:55 +00:00
}
path , err = filepath . Abs ( path )
if err != nil {
2020-06-30 19:58:18 +00:00
return path , fmt . Errorf ( "cannot determine absolute path for %q: %w" , path , err )
2019-05-22 21:16:55 +00:00
}
if ! strings . HasPrefix ( path , pathPrefix1 + "/" ) && ! strings . HasPrefix ( path , pathPrefix2 + "/" ) {
return path , fmt . Errorf ( "invalid path %q; must start with either %q or %q" , path , pathPrefix1 + "/" , pathPrefix2 + "/" )
}
return path , nil
}
func createPartitionDirs ( path string ) error {
path = filepath . Clean ( path )
txnPath := path + "/txn"
if err := fs . MkdirAllFailIfExist ( txnPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot create txn directory %q: %w" , txnPath , err )
2019-05-22 21:16:55 +00:00
}
tmpPath := path + "/tmp"
if err := fs . MkdirAllFailIfExist ( tmpPath ) ; err != nil {
2020-06-30 19:58:18 +00:00
return fmt . Errorf ( "cannot create tmp directory %q: %w" , tmpPath , err )
2019-05-22 21:16:55 +00:00
}
2019-06-11 20:13:04 +00:00
fs . MustSyncPath ( path )
2019-05-22 21:16:55 +00:00
return nil
}