2017-05-26 04:48:44 +08:00
/*
* TLogServer . actor . cpp
*
* This source file is part of the FoundationDB open source project
*
* Copyright 2013 - 2018 Apple Inc . and the FoundationDB project authors
2018-02-22 02:25:11 +08:00
*
2017-05-26 04:48:44 +08:00
* Licensed under the Apache License , Version 2.0 ( the " License " ) ;
* you may not use this file except in compliance with the License .
* You may obtain a copy of the License at
2018-02-22 02:25:11 +08:00
*
2017-05-26 04:48:44 +08:00
* http : //www.apache.org/licenses/LICENSE-2.0
2018-02-22 02:25:11 +08:00
*
2017-05-26 04:48:44 +08:00
* Unless required by applicable law or agreed to in writing , software
* distributed under the License is distributed on an " AS IS " BASIS ,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND , either express or implied .
* See the License for the specific language governing permissions and
* limitations under the License .
*/
# include "flow/Hash3.h"
# include "flow/Stats.h"
# include "flow/UnitTest.h"
2019-02-18 07:41:16 +08:00
# include "fdbclient/NativeAPI.actor.h"
2017-07-15 06:49:30 +08:00
# include "fdbclient/Notified.h"
2017-05-26 04:48:44 +08:00
# include "fdbclient/KeyRangeMap.h"
2019-04-24 07:17:54 +08:00
# include "fdbclient/RunTransaction.actor.h"
2019-04-25 03:45:28 +08:00
# include "fdbclient/SystemData.h"
2019-02-18 11:13:26 +08:00
# include "fdbserver/WorkerInterface.actor.h"
2018-10-20 01:30:13 +08:00
# include "fdbserver/TLogInterface.h"
# include "fdbserver/Knobs.h"
# include "fdbserver/IKeyValueStore.h"
2017-05-26 04:48:44 +08:00
# include "flow/ActorCollection.h"
# include "fdbrpc/FailureMonitor.h"
2018-10-20 01:30:13 +08:00
# include "fdbserver/IDiskQueue.h"
2017-05-26 04:48:44 +08:00
# include "fdbrpc/sim_validation.h"
2019-03-12 03:11:17 +08:00
# include "fdbrpc/simulator.h"
2018-10-20 01:30:13 +08:00
# include "fdbserver/ServerDBInfo.h"
# include "fdbserver/LogSystem.h"
# include "fdbserver/WaitFailure.h"
# include "fdbserver/RecoveryState.h"
2019-04-21 03:58:24 +08:00
# include "fdbserver/FDBExecHelper.actor.h"
2018-08-11 06:18:24 +08:00
# include "flow/actorcompiler.h" // This must be the last #include.
2017-05-26 04:48:44 +08:00
using std : : pair ;
using std : : make_pair ;
using std : : min ;
using std : : max ;
struct TLogQueueEntryRef {
UID id ;
Version version ;
Version knownCommittedVersion ;
StringRef messages ;
TLogQueueEntryRef ( ) : version ( 0 ) , knownCommittedVersion ( 0 ) { }
TLogQueueEntryRef ( Arena & a , TLogQueueEntryRef const & from )
2018-03-17 07:47:05 +08:00
: version ( from . version ) , knownCommittedVersion ( from . knownCommittedVersion ) , id ( from . id ) , messages ( a , from . messages ) {
2017-05-26 04:48:44 +08:00
}
template < class Ar >
void serialize ( Ar & ar ) {
2018-12-29 02:49:26 +08:00
serializer ( ar , version , messages , knownCommittedVersion , id ) ;
2017-05-26 04:48:44 +08:00
}
size_t expectedSize ( ) const {
2018-03-17 07:47:05 +08:00
return messages . expectedSize ( ) ;
}
} ;
struct AlternativeTLogQueueEntryRef {
UID id ;
Version version ;
Version knownCommittedVersion ;
std : : vector < TagsAndMessage > * alternativeMessages ;
AlternativeTLogQueueEntryRef ( ) : version ( 0 ) , knownCommittedVersion ( 0 ) , alternativeMessages ( NULL ) { }
template < class Ar >
void serialize ( Ar & ar ) {
ASSERT ( ! ar . isDeserializing & & alternativeMessages ) ;
uint32_t msgSize = expectedSize ( ) ;
2018-12-29 02:49:26 +08:00
serializer ( ar , version , msgSize ) ;
2018-03-17 07:47:05 +08:00
for ( auto & msg : * alternativeMessages ) {
ar . serializeBytes ( msg . message ) ;
}
2018-12-29 02:49:26 +08:00
serializer ( ar , knownCommittedVersion , id ) ;
2018-03-17 07:47:05 +08:00
}
uint32_t expectedSize ( ) const {
uint32_t msgSize = 0 ;
for ( auto & msg : * alternativeMessages ) {
msgSize + = msg . message . size ( ) ;
}
return msgSize ;
2017-05-26 04:48:44 +08:00
}
} ;
typedef Standalone < TLogQueueEntryRef > TLogQueueEntry ;
2018-03-30 06:12:38 +08:00
struct LogData ;
struct TLogData ;
2017-05-26 04:48:44 +08:00
struct TLogQueue : public IClosable {
public :
TLogQueue ( IDiskQueue * queue , UID dbgid ) : queue ( queue ) , dbgid ( dbgid ) { }
// Each packet in the queue is
// uint32_t payloadSize
// uint8_t payload[payloadSize] (begins with uint64_t protocolVersion via IncludeVersion)
// uint8_t validFlag
// TLogQueue is a durable queue of TLogQueueEntry objects with an interface similar to IDiskQueue
// TLogQueue pushes (but not commits) are atomic - after commit fails to return, a prefix of entire calls to push are durable. This is
// implemented on top of the weaker guarantee of IDiskQueue::commit (that a prefix of bytes is durable) using validFlag and by
// padding any incomplete packet with zeros after recovery.
// Before calling push, pop, or commit, the user must call readNext() until it throws
// end_of_stream(). It may not be called again thereafter.
2018-03-30 06:12:38 +08:00
Future < TLogQueueEntry > readNext ( TLogData * tLog ) {
return readNext ( this , tLog ) ;
2017-05-26 04:48:44 +08:00
}
2019-03-16 12:01:22 +08:00
Future < bool > initializeRecovery ( IDiskQueue : : location recoverAt ) {
return queue - > initializeRecovery ( recoverAt ) ;
}
2018-03-17 07:47:05 +08:00
template < class T >
2018-03-30 06:12:38 +08:00
void push ( T const & qe , Reference < LogData > logData ) ;
2019-03-16 12:01:20 +08:00
void forgetBefore ( Version upToVersion , Reference < LogData > logData ) ;
void pop ( IDiskQueue : : location upToLocation ) ;
2017-05-26 04:48:44 +08:00
Future < Void > commit ( ) { return queue - > commit ( ) ; }
// Implements IClosable
virtual Future < Void > getError ( ) { return queue - > getError ( ) ; }
virtual Future < Void > onClosed ( ) { return queue - > onClosed ( ) ; }
virtual void dispose ( ) { queue - > dispose ( ) ; delete this ; }
virtual void close ( ) { queue - > close ( ) ; delete this ; }
private :
IDiskQueue * queue ;
UID dbgid ;
2019-02-08 09:02:31 +08:00
void updateVersionSizes ( const TLogQueueEntry & result , TLogData * tLog , IDiskQueue : : location start , IDiskQueue : : location end ) ;
2018-03-30 06:12:38 +08:00
ACTOR static Future < TLogQueueEntry > readNext ( TLogQueue * self , TLogData * tLog ) {
2017-05-26 04:48:44 +08:00
state TLogQueueEntry result ;
state int zeroFillSize = 0 ;
loop {
2019-02-08 09:02:31 +08:00
state IDiskQueue : : location startloc = self - > queue - > getNextReadLocation ( ) ;
2017-05-26 04:48:44 +08:00
Standalone < StringRef > h = wait ( self - > queue - > readNext ( sizeof ( uint32_t ) ) ) ;
if ( h . size ( ) ! = sizeof ( uint32_t ) ) {
if ( h . size ( ) ) {
TEST ( true ) ; // Zero fill within size field
int payloadSize = 0 ;
memcpy ( & payloadSize , h . begin ( ) , h . size ( ) ) ;
zeroFillSize = sizeof ( uint32_t ) - h . size ( ) ; // zero fill the size itself
zeroFillSize + = payloadSize + 1 ; // and then the contents and valid flag
}
break ;
}
state uint32_t payloadSize = * ( uint32_t * ) h . begin ( ) ;
ASSERT ( payloadSize < ( 100 < < 20 ) ) ;
Standalone < StringRef > e = wait ( self - > queue - > readNext ( payloadSize + 1 ) ) ;
if ( e . size ( ) ! = payloadSize + 1 ) {
TEST ( true ) ; // Zero fill within payload
zeroFillSize = payloadSize + 1 - e . size ( ) ;
break ;
}
if ( e [ payloadSize ] ) {
2019-02-08 09:02:31 +08:00
ASSERT ( e [ payloadSize ] = = 1 ) ;
2017-05-26 04:48:44 +08:00
Arena a = e . arena ( ) ;
ArenaReader ar ( a , e . substr ( 0 , payloadSize ) , IncludeVersion ( ) ) ;
ar > > result ;
2019-02-08 09:02:31 +08:00
const IDiskQueue : : location endloc = self - > queue - > getNextReadLocation ( ) ;
self - > updateVersionSizes ( result , tLog , startloc , endloc ) ;
2017-05-26 04:48:44 +08:00
return result ;
}
}
if ( zeroFillSize ) {
TEST ( true ) ; // Fixing a partial commit at the end of the tlog queue
for ( int i = 0 ; i < zeroFillSize ; i + + )
self - > queue - > push ( StringRef ( ( const uint8_t * ) " " , 1 ) ) ;
}
throw end_of_stream ( ) ;
}
} ;
2017-08-12 09:08:09 +08:00
////// Persistence format (for self->persistentData)
// Immutable keys
2019-02-27 08:47:04 +08:00
// persistFormat has been mostly invalidated by TLogVersion, and can probably be removed when
// 4.6's TLog code is removed.
2019-03-16 12:01:13 +08:00
static const KeyValueRef persistFormat ( LiteralStringRef ( " Format " ) , LiteralStringRef ( " FoundationDB/LogServer/3/0 " ) ) ;
static const KeyRangeRef persistFormatReadableRange ( LiteralStringRef ( " FoundationDB/LogServer/3/0 " ) , LiteralStringRef ( " FoundationDB/LogServer/4/0 " ) ) ;
2019-03-16 12:01:17 +08:00
static const KeyRangeRef persistProtocolVersionKeys ( LiteralStringRef ( " ProtocolVersion/ " ) , LiteralStringRef ( " ProtocolVersion0 " ) ) ;
2017-08-12 09:08:09 +08:00
static const KeyRangeRef persistRecoveryCountKeys = KeyRangeRef ( LiteralStringRef ( " DbRecoveryCount/ " ) , LiteralStringRef ( " DbRecoveryCount0 " ) ) ;
// Updated on updatePersistentData()
static const KeyRangeRef persistCurrentVersionKeys = KeyRangeRef ( LiteralStringRef ( " version/ " ) , LiteralStringRef ( " version0 " ) ) ;
2018-04-21 08:55:46 +08:00
static const KeyRangeRef persistKnownCommittedVersionKeys = KeyRangeRef ( LiteralStringRef ( " knownCommitted/ " ) , LiteralStringRef ( " knownCommitted0 " ) ) ;
2019-03-16 12:01:22 +08:00
static const KeyRef persistRecoveryLocationKey = KeyRef ( LiteralStringRef ( " recoveryLocation " ) ) ;
2018-06-18 05:44:33 +08:00
static const KeyRangeRef persistLocalityKeys = KeyRangeRef ( LiteralStringRef ( " Locality/ " ) , LiteralStringRef ( " Locality0 " ) ) ;
2018-04-09 12:24:05 +08:00
static const KeyRangeRef persistLogRouterTagsKeys = KeyRangeRef ( LiteralStringRef ( " LogRouterTags/ " ) , LiteralStringRef ( " LogRouterTags0 " ) ) ;
2019-06-20 09:15:09 +08:00
static const KeyRangeRef persistTxsTagsKeys = KeyRangeRef ( LiteralStringRef ( " TxsTags/ " ) , LiteralStringRef ( " TxsTags0 " ) ) ;
2019-03-04 09:01:52 +08:00
static const KeyRange persistTagMessagesKeys = prefixRange ( LiteralStringRef ( " TagMsg/ " ) ) ;
2019-02-08 09:02:33 +08:00
static const KeyRange persistTagMessageRefsKeys = prefixRange ( LiteralStringRef ( " TagMsgRef/ " ) ) ;
2017-08-12 09:08:09 +08:00
static const KeyRange persistTagPoppedKeys = prefixRange ( LiteralStringRef ( " TagPop/ " ) ) ;
2019-03-04 09:01:52 +08:00
static Key persistTagMessagesKey ( UID id , Tag tag , Version version ) {
BinaryWriter wr ( Unversioned ( ) ) ;
wr . serializeBytes ( persistTagMessagesKeys . begin ) ;
wr < < id ;
wr < < tag ;
wr < < bigEndian64 ( version ) ;
2019-03-29 02:52:50 +08:00
return wr . toValue ( ) ;
2019-03-04 09:01:52 +08:00
}
2019-02-08 09:02:33 +08:00
static Key persistTagMessageRefsKey ( UID id , Tag tag , Version version ) {
BinaryWriter wr ( Unversioned ( ) ) ;
wr . serializeBytes ( persistTagMessageRefsKeys . begin ) ;
wr < < id ;
wr < < tag ;
wr < < bigEndian64 ( version ) ;
2019-03-29 02:52:50 +08:00
return wr . toValue ( ) ;
2019-02-08 09:02:33 +08:00
}
2017-08-12 09:08:09 +08:00
static Key persistTagPoppedKey ( UID id , Tag tag ) {
BinaryWriter wr ( Unversioned ( ) ) ;
wr . serializeBytes ( persistTagPoppedKeys . begin ) ;
wr < < id ;
wr < < tag ;
2019-03-29 02:52:50 +08:00
return wr . toValue ( ) ;
2017-08-12 09:08:09 +08:00
}
static Value persistTagPoppedValue ( Version popped ) {
return BinaryWriter : : toValue ( popped , Unversioned ( ) ) ;
}
static Tag decodeTagPoppedKey ( KeyRef id , KeyRef key ) {
Tag s ;
BinaryReader rd ( key . removePrefix ( persistTagPoppedKeys . begin ) . removePrefix ( id ) , Unversioned ( ) ) ;
rd > > s ;
return s ;
}
static Version decodeTagPoppedValue ( ValueRef value ) {
return BinaryReader : : fromStringRef < Version > ( value , Unversioned ( ) ) ;
}
2019-03-04 09:01:52 +08:00
static StringRef stripTagMessagesKey ( StringRef key ) {
return key . substr ( sizeof ( UID ) + sizeof ( Tag ) + persistTagMessagesKeys . begin . size ( ) ) ;
}
2019-02-08 09:02:38 +08:00
static StringRef stripTagMessageRefsKey ( StringRef key ) {
return key . substr ( sizeof ( UID ) + sizeof ( Tag ) + persistTagMessageRefsKeys . begin . size ( ) ) ;
}
2019-03-04 09:01:52 +08:00
static Version decodeTagMessagesKey ( StringRef key ) {
return bigEndian64 ( BinaryReader : : fromStringRef < Version > ( stripTagMessagesKey ( key ) , Unversioned ( ) ) ) ;
}
2019-03-16 12:01:20 +08:00
struct SpilledData {
SpilledData ( ) = default ;
SpilledData ( Version version , IDiskQueue : : location start , uint32_t length , uint32_t mutationBytes )
: version ( version ) , start ( start ) , length ( length ) , mutationBytes ( mutationBytes ) {
}
template < class Ar >
void serialize ( Ar & ar ) {
serializer ( ar , version , start , length , mutationBytes ) ;
}
Version version = 0 ;
IDiskQueue : : location start = 0 ;
uint32_t length = 0 ;
uint32_t mutationBytes = 0 ;
} ;
2017-06-23 08:21:42 +08:00
struct TLogData : NonCopyable {
AsyncTrigger newLogData ;
2019-03-16 12:01:20 +08:00
// We always pop the disk queue from the oldest TLog, spill from the oldest TLog that still has
// data in memory, and commits to the disk queue come from the most recent TLog.
//
// SharedTLog
// +--------+--------+--------+--------+--------+
// | TLog 1 | TLog 2 | TLog 3 | TLog 4 | TLog 5 |
// +--------+--------+--------+--------+--------+
// ^ popOrder ^spillOrder ^committing
Deque < UID > popOrder ;
Deque < UID > spillOrder ;
2017-06-23 08:21:42 +08:00
std : : map < UID , Reference < struct LogData > > id_data ;
UID dbgid ;
IKeyValueStore * persistentData ;
IDiskQueue * rawPersistentQueue ;
TLogQueue * persistentQueue ;
int64_t diskQueueCommitBytes ;
AsyncVar < bool > largeDiskQueueCommitBytes ; //becomes true when diskQueueCommitBytes is greater than MAX_QUEUE_COMMIT_BYTES
Reference < AsyncVar < ServerDBInfo > > dbInfo ;
2019-04-24 07:17:54 +08:00
Database cx ;
2017-06-23 08:21:42 +08:00
NotifiedVersion queueCommitEnd ;
Version queueCommitBegin ;
int64_t instanceID ;
int64_t bytesInput ;
int64_t bytesDurable ;
2019-07-30 14:40:28 +08:00
int64_t targetVolatileBytes ; // The number of bytes of mutations this TLog should hold in memory before spilling.
2018-08-22 13:18:38 +08:00
int64_t overheadBytesInput ;
2018-08-22 13:35:04 +08:00
int64_t overheadBytesDurable ;
2017-06-23 08:21:42 +08:00
WorkerCache < TLogInterface > tlogCache ;
2019-03-04 08:49:42 +08:00
FlowLock peekMemoryLimiter ;
2017-06-23 08:21:42 +08:00
PromiseStream < Future < Void > > sharedActors ;
2018-08-10 03:38:35 +08:00
Promise < Void > terminated ;
2018-08-05 01:31:30 +08:00
FlowLock concurrentLogRouterReads ;
2018-09-22 07:14:39 +08:00
FlowLock persistentDataCommitLock ;
2017-06-23 08:21:42 +08:00
2019-04-03 20:47:19 +08:00
bool ignorePopRequest ; // ignore pop request from storage servers
double ignorePopDeadline ; // time until which the ignorePopRequest will be
2019-02-28 07:40:33 +08:00
// honored
2019-04-03 20:47:19 +08:00
std : : string ignorePopUid ; // callers that set ignorePopRequest will set this
2019-02-28 07:40:33 +08:00
// extra state, used to validate the ownership of
// the set and for callers that unset will
// be able to match it up
std : : string dataFolder ; // folder where data is stored
2019-03-20 02:36:07 +08:00
std : : map < Tag , Version > toBePopped ; // map of Tag->Version for all the pops
// that came when ignorePopRequest was set
2019-03-20 06:12:47 +08:00
Reference < AsyncVar < bool > > degraded ;
2019-03-09 00:46:34 +08:00
2019-03-20 02:36:07 +08:00
TLogData ( UID dbgid , IKeyValueStore * persistentData , IDiskQueue * persistentQueue , Reference < AsyncVar < ServerDBInfo > > dbInfo , Reference < AsyncVar < bool > > degraded , std : : string folder )
2019-05-11 05:01:52 +08:00
: dbgid ( dbgid ) , instanceID ( deterministicRandom ( ) - > randomUniqueID ( ) . first ( ) ) ,
2017-06-23 08:21:42 +08:00
persistentData ( persistentData ) , rawPersistentQueue ( persistentQueue ) , persistentQueue ( new TLogQueue ( persistentQueue , dbgid ) ) ,
2019-03-09 00:46:34 +08:00
dbInfo ( dbInfo ) , degraded ( degraded ) , queueCommitBegin ( 0 ) , queueCommitEnd ( 0 ) ,
2019-07-30 14:40:28 +08:00
diskQueueCommitBytes ( 0 ) , largeDiskQueueCommitBytes ( false ) , bytesInput ( 0 ) , bytesDurable ( 0 ) , targetVolatileBytes ( SERVER_KNOBS - > TLOG_SPILL_THRESHOLD ) , overheadBytesInput ( 0 ) , overheadBytesDurable ( 0 ) ,
2019-03-04 04:57:38 +08:00
peekMemoryLimiter ( SERVER_KNOBS - > TLOG_SPILL_REFERENCE_MAX_PEEK_MEMORY_BYTES ) ,
2019-02-28 07:40:33 +08:00
concurrentLogRouterReads ( SERVER_KNOBS - > CONCURRENT_LOG_ROUTER_READS ) ,
2019-03-20 02:36:07 +08:00
ignorePopRequest ( false ) , ignorePopDeadline ( ) , ignorePopUid ( ) , dataFolder ( folder ) , toBePopped ( )
2017-06-23 08:21:42 +08:00
{
2019-06-25 17:47:35 +08:00
cx = openDBOnServer ( dbInfo , TaskPriority : : DefaultEndpoint , true , true ) ;
2017-06-23 08:21:42 +08:00
}
} ;
2017-05-26 04:48:44 +08:00
struct LogData : NonCopyable , public ReferenceCounted < LogData > {
2018-03-18 01:36:19 +08:00
struct TagData : NonCopyable , public ReferenceCounted < TagData > {
2018-06-02 01:18:07 +08:00
std : : deque < std : : pair < Version , LengthPrefixedStringRef > > versionMessages ;
bool nothingPersistent ; // true means tag is *known* to have no messages in persistentData. false means nothing.
bool poppedRecently ; // `popped` has changed since last updatePersistentData
2017-05-26 04:48:44 +08:00
Version popped ; // see popped version tracking contract below
2019-03-16 12:01:20 +08:00
bool requiresPoppedLocationUpdate ; // `popped` has changed since last updatePoppedLocation
IDiskQueue : : location poppedLocation ; // The location of the earliest commit with data for this tag.
2018-03-30 06:12:38 +08:00
bool unpoppedRecovered ;
2018-03-18 01:36:19 +08:00
Tag tag ;
2017-05-26 04:48:44 +08:00
2019-03-16 12:01:20 +08:00
TagData ( Tag tag , Version popped , IDiskQueue : : location poppedLocation , bool nothingPersistent , bool poppedRecently , bool unpoppedRecovered ) : tag ( tag ) , nothingPersistent ( nothingPersistent ) , poppedRecently ( poppedRecently ) , popped ( popped ) , requiresPoppedLocationUpdate ( false ) , poppedLocation ( poppedLocation ) , unpoppedRecovered ( unpoppedRecovered ) { }
2017-05-26 04:48:44 +08:00
2019-03-16 12:01:20 +08:00
TagData ( TagData & & r ) BOOST_NOEXCEPT : versionMessages ( std : : move ( r . versionMessages ) ) , nothingPersistent ( r . nothingPersistent ) , poppedRecently ( r . poppedRecently ) , popped ( r . popped ) , requiresPoppedLocationUpdate ( r . requiresPoppedLocationUpdate ) , poppedLocation ( r . poppedLocation ) , tag ( r . tag ) , unpoppedRecovered ( r . unpoppedRecovered ) { }
2019-01-26 08:49:59 +08:00
void operator = ( TagData & & r ) BOOST_NOEXCEPT {
2018-06-02 01:18:07 +08:00
versionMessages = std : : move ( r . versionMessages ) ;
nothingPersistent = r . nothingPersistent ;
poppedRecently = r . poppedRecently ;
2017-05-26 04:48:44 +08:00
popped = r . popped ;
2019-03-16 12:01:20 +08:00
requiresPoppedLocationUpdate = r . requiresPoppedLocationUpdate ;
poppedLocation = r . poppedLocation ;
2018-03-18 01:36:19 +08:00
tag = r . tag ;
2018-03-30 06:12:38 +08:00
unpoppedRecovered = r . unpoppedRecovered ;
2017-05-26 04:48:44 +08:00
}
// Erase messages not needed to update *from* versions >= before (thus, messages with toversion <= before)
2019-06-25 17:47:35 +08:00
ACTOR Future < Void > eraseMessagesBefore ( TagData * self , Version before , TLogData * tlogData , Reference < LogData > logData , TaskPriority taskID ) {
2018-06-02 01:18:07 +08:00
while ( ! self - > versionMessages . empty ( ) & & self - > versionMessages . front ( ) . first < before ) {
Version version = self - > versionMessages . front ( ) . first ;
2018-08-22 13:35:04 +08:00
std : : pair < int , int > & sizes = logData - > version_sizes [ version ] ;
2017-05-26 04:48:44 +08:00
int64_t messagesErased = 0 ;
2018-06-02 01:18:07 +08:00
while ( ! self - > versionMessages . empty ( ) & & self - > versionMessages . front ( ) . first = = version ) {
auto const & m = self - > versionMessages . front ( ) ;
2017-05-26 04:48:44 +08:00
+ + messagesErased ;
2019-06-20 09:15:09 +08:00
if ( self - > tag . locality ! = tagLocalityTxs & & self - > tag ! = txsTag ) {
2017-05-26 04:48:44 +08:00
sizes . first - = m . second . expectedSize ( ) ;
2018-08-05 03:36:48 +08:00
} else {
sizes . second - = m . second . expectedSize ( ) ;
2017-05-26 04:48:44 +08:00
}
2018-06-02 01:18:07 +08:00
self - > versionMessages . pop_front ( ) ;
2017-05-26 04:48:44 +08:00
}
2018-03-17 07:47:05 +08:00
int64_t bytesErased = messagesErased * SERVER_KNOBS - > VERSION_MESSAGES_ENTRY_BYTES_WITH_OVERHEAD ;
2018-08-22 13:35:04 +08:00
logData - > bytesDurable + = bytesErased ;
2017-06-29 06:21:54 +08:00
tlogData - > bytesDurable + = bytesErased ;
2018-08-22 13:35:04 +08:00
tlogData - > overheadBytesDurable + = bytesErased ;
2018-08-11 04:57:10 +08:00
wait ( yield ( taskID ) ) ;
2017-05-26 04:48:44 +08:00
}
return Void ( ) ;
}
2019-06-25 17:47:35 +08:00
Future < Void > eraseMessagesBefore ( Version before , TLogData * tlogData , Reference < LogData > logData , TaskPriority taskID ) {
2018-08-22 13:35:04 +08:00
return eraseMessagesBefore ( this , before , tlogData , logData , taskID ) ;
2017-05-26 04:48:44 +08:00
}
} ;
2019-02-08 09:02:31 +08:00
Map < Version , std : : pair < IDiskQueue : : location , IDiskQueue : : location > > versionLocation ; // For the version of each entry that was push()ed, the [start, end) location of the serialized bytes
2018-03-30 06:12:38 +08:00
2017-05-26 04:48:44 +08:00
/*
Popped version tracking contract needed by log system to implement ILogCursor : : popped ( ) :
- Log server tracks for each ( possible ) tag a popped_version
Impl : TagData : : popped ( in memory ) and persistTagPoppedKeys ( in persistentData )
- popped_version ( tag ) is < = the maximum version for which log server ( or a predecessor ) is ever asked to pop the tag
Impl : Only increased by tLogPop ( ) in response to either a pop request or recovery from a predecessor
- popped_version ( tag ) is > the maximum version for which log server is unable to peek messages due to previous pops ( on this server or a predecessor )
Impl : Increased by tLogPop ( ) atomically with erasing messages from memory ; persisted by updatePersistentData ( ) atomically with erasing messages from store ; messages are not erased from queue where popped_version is not persisted
- LockTLogReply returns all tags which either have messages , or which have nonzero popped_versions
Impl : tag_data is present for all such tags
- peek ( tag , v ) returns the popped_version for tag if that is greater than v
Impl : Check tag_data - > popped ( after all waits )
*/
2018-03-20 08:48:28 +08:00
AsyncTrigger stopCommit ;
2017-05-26 04:48:44 +08:00
bool stopped , initialized ;
DBRecoveryCount recoveryCount ;
VersionMetricHandle persistentDataVersion , persistentDataDurableVersion ; // The last version number in the portion of the log (written|durable) to persistentData
NotifiedVersion version , queueCommittedVersion ;
Version queueCommittingVersion ;
2018-06-22 06:29:46 +08:00
Version knownCommittedVersion , durableKnownCommittedVersion , minKnownCommittedVersion ;
2019-05-21 14:58:45 +08:00
Version queuePoppedVersion ;
2019-09-13 07:22:01 +08:00
Version minPoppedTagVersion ;
Tag minPoppedTag ;
2017-05-26 04:48:44 +08:00
Deque < std : : pair < Version , Standalone < VectorRef < uint8_t > > > > messageBlocks ;
2018-03-21 01:41:42 +08:00
std : : vector < std : : vector < Reference < TagData > > > tag_data ; //tag.locality | tag.id
2018-03-30 06:12:38 +08:00
int unpoppedRecoveredTags ;
2018-03-18 01:36:19 +08:00
Reference < TagData > getTagData ( Tag tag ) {
2019-04-02 04:56:45 +08:00
int idx = tag . toTagDataIndex ( ) ;
2018-03-21 01:41:42 +08:00
if ( idx > = tag_data . size ( ) ) {
tag_data . resize ( idx + 1 ) ;
2018-03-18 01:36:19 +08:00
}
2018-03-21 01:41:42 +08:00
if ( tag . id > = tag_data [ idx ] . size ( ) ) {
tag_data [ idx ] . resize ( tag . id + 1 ) ;
}
return tag_data [ idx ] [ tag . id ] ;
2018-03-18 01:36:19 +08:00
}
//only callable after getTagData returns a null reference
2018-06-02 01:18:07 +08:00
Reference < TagData > createTagData ( Tag tag , Version popped , bool nothingPersistent , bool poppedRecently , bool unpoppedRecovered ) {
2019-08-01 08:45:21 +08:00
if ( tag . locality ! = tagLocalityLogRouter & & tag . locality ! = tagLocalityTxs & & tag ! = txsTag & & allTags . size ( ) & & ! allTags . count ( tag ) & & popped < = recoveredAt ) {
2018-07-10 06:43:22 +08:00
popped = recoveredAt + 1 ;
2018-07-07 07:10:41 +08:00
}
2019-03-16 12:01:20 +08:00
Reference < TagData > newTagData = Reference < TagData > ( new TagData ( tag , popped , 0 , nothingPersistent , poppedRecently , unpoppedRecovered ) ) ;
2019-04-02 04:56:45 +08:00
tag_data [ tag . toTagDataIndex ( ) ] [ tag . id ] = newTagData ;
2018-03-18 01:36:19 +08:00
return newTagData ;
}
2017-05-26 04:48:44 +08:00
Map < Version , std : : pair < int , int > > version_sizes ;
CounterCollection cc ;
Counter bytesInput ;
Counter bytesDurable ;
UID logId ;
2019-06-19 05:49:04 +08:00
ProtocolVersion protocolVersion ;
2017-05-26 04:48:44 +08:00
Version newPersistentDataVersion ;
Future < Void > removed ;
PromiseStream < Future < Void > > addActor ;
2017-06-23 08:21:42 +08:00
TLogData * tLogData ;
2018-04-30 13:08:24 +08:00
Promise < Void > recoveryComplete , committingQueue ;
2018-04-23 06:08:38 +08:00
Version unrecoveredBefore , recoveredAt ;
2017-05-26 04:48:44 +08:00
Fix parallel peek stalling for 10min when a TLog generation is destroyed.
`peekTracker` was held on the Shared TLog (TLogData), whereas peeks are
received and replied to as part of a TLog instance (LogData). When a
peek was received on a TLog, it was registered into peekTracker along
with the ReplyPromise. If the TLog was then removed as part of a
no-longer-needed generation of TLogs, there is nothing left to reply to
the request, but by holding onto the ReplyPromise in peekTracker, we
leave the remote end with an expectation that we will reply. Then,
10min later, peekTrackerCleanup runs and finally times out the peek
cursor, thus preventing FDB from being completely stuck.
Now, each TLog generation has its own `peekTracker`, and when a TLog is
destroyed, it times out all of the pending peek curors that are still
expecting a response. This will then trigger the client to re-issue
them to the next generation of TLogs, thus removing the 10min gap to do
so.
2019-07-10 08:27:36 +08:00
struct PeekTrackerData {
2019-07-16 08:05:39 +08:00
std : : map < int , Promise < std : : pair < Version , bool > > > sequence_version ;
Fix parallel peek stalling for 10min when a TLog generation is destroyed.
`peekTracker` was held on the Shared TLog (TLogData), whereas peeks are
received and replied to as part of a TLog instance (LogData). When a
peek was received on a TLog, it was registered into peekTracker along
with the ReplyPromise. If the TLog was then removed as part of a
no-longer-needed generation of TLogs, there is nothing left to reply to
the request, but by holding onto the ReplyPromise in peekTracker, we
leave the remote end with an expectation that we will reply. Then,
10min later, peekTrackerCleanup runs and finally times out the peek
cursor, thus preventing FDB from being completely stuck.
Now, each TLog generation has its own `peekTracker`, and when a TLog is
destroyed, it times out all of the pending peek curors that are still
expecting a response. This will then trigger the client to re-issue
them to the next generation of TLogs, thus removing the 10min gap to do
so.
2019-07-10 08:27:36 +08:00
double lastUpdate ;
} ;
std : : map < UID , PeekTrackerData > peekTracker ;
2017-07-10 05:46:16 +08:00
Reference < AsyncVar < Reference < ILogSystem > > > logSystem ;
2018-03-30 06:12:38 +08:00
Tag remoteTag ;
bool isPrimary ;
2018-04-09 12:24:05 +08:00
int logRouterTags ;
2018-04-28 03:18:42 +08:00
Version logRouterPoppedVersion , logRouterPopToVersion ;
2018-04-09 12:24:05 +08:00
int8_t locality ;
2018-04-21 04:25:22 +08:00
UID recruitmentID ;
2018-07-07 07:10:41 +08:00
std : : set < Tag > allTags ;
2018-08-10 03:38:35 +08:00
Future < Void > terminated ;
2019-05-10 05:56:54 +08:00
FlowLock execOpLock ;
2019-04-08 20:23:48 +08:00
bool execOpCommitInProgress ;
2019-06-20 09:15:09 +08:00
int txsTags ;
2017-07-10 05:46:16 +08:00
2019-06-20 09:15:09 +08:00
explicit LogData ( TLogData * tLogData , TLogInterface interf , Tag remoteTag , bool isPrimary , int logRouterTags , int txsTags , UID recruitmentID , ProtocolVersion protocolVersion , std : : vector < Tag > tags ) : tLogData ( tLogData ) , knownCommittedVersion ( 0 ) , logId ( interf . id ( ) ) ,
cc ( " TLog " , interf . id ( ) . toString ( ) ) , bytesInput ( " BytesInput " , cc ) , bytesDurable ( " BytesDurable " , cc ) , remoteTag ( remoteTag ) , isPrimary ( isPrimary ) , logRouterTags ( logRouterTags ) , txsTags ( txsTags ) , recruitmentID ( recruitmentID ) , protocolVersion ( protocolVersion ) ,
2019-05-21 14:58:45 +08:00
logSystem ( new AsyncVar < Reference < ILogSystem > > ( ) ) , logRouterPoppedVersion ( 0 ) , durableKnownCommittedVersion ( 0 ) , minKnownCommittedVersion ( 0 ) , queuePoppedVersion ( 0 ) , allTags ( tags . begin ( ) , tags . end ( ) ) , terminated ( tLogData - > terminated . getFuture ( ) ) ,
2019-09-13 07:22:01 +08:00
minPoppedTagVersion ( 0 ) , minPoppedTag ( invalidTag ) ,
2017-05-26 04:48:44 +08:00
// These are initialized differently on init() or recovery
2018-04-23 06:08:38 +08:00
recoveryCount ( ) , stopped ( false ) , initialized ( false ) , queueCommittingVersion ( 0 ) , newPersistentDataVersion ( invalidVersion ) , unrecoveredBefore ( 1 ) , recoveredAt ( 1 ) , unpoppedRecoveredTags ( 0 ) ,
2019-04-08 20:23:48 +08:00
logRouterPopToVersion ( 0 ) , locality ( tagLocalityInvalid ) , execOpCommitInProgress ( false )
2017-05-26 04:48:44 +08:00
{
2018-09-06 06:06:14 +08:00
startRole ( Role : : TRANSACTION_LOG , interf . id ( ) , UID ( ) ) ;
2017-06-23 08:21:42 +08:00
2017-05-26 04:48:44 +08:00
persistentDataVersion . init ( LiteralStringRef ( " TLog.PersistentDataVersion " ) , cc . id ) ;
persistentDataDurableVersion . init ( LiteralStringRef ( " TLog.PersistentDataDurableVersion " ) , cc . id ) ;
version . initMetric ( LiteralStringRef ( " TLog.Version " ) , cc . id ) ;
queueCommittedVersion . initMetric ( LiteralStringRef ( " TLog.QueueCommittedVersion " ) , cc . id ) ;
2018-06-09 02:11:08 +08:00
specialCounter ( cc , " Version " , [ this ] ( ) { return this - > version . get ( ) ; } ) ;
2019-05-03 07:16:25 +08:00
specialCounter ( cc , " QueueCommittedVersion " , [ this ] ( ) { return this - > queueCommittedVersion . get ( ) ; } ) ;
specialCounter ( cc , " PersistentDataVersion " , [ this ] ( ) { return this - > persistentDataVersion ; } ) ;
specialCounter ( cc , " PersistentDataDurableVersion " , [ this ] ( ) { return this - > persistentDataDurableVersion ; } ) ;
specialCounter ( cc , " KnownCommittedVersion " , [ this ] ( ) { return this - > knownCommittedVersion ; } ) ;
2019-05-21 14:58:45 +08:00
specialCounter ( cc , " QueuePoppedVersion " , [ this ] ( ) { return this - > queuePoppedVersion ; } ) ;
2019-09-13 07:22:01 +08:00
specialCounter ( cc , " MinPoppedTagVersion " , [ this ] ( ) { return this - > minPoppedTagVersion ; } ) ;
2019-09-13 09:46:30 +08:00
specialCounter ( cc , " MinPoppedTagLocality " , [ this ] ( ) { return this - > minPoppedTag . locality ; } ) ;
specialCounter ( cc , " MinPoppedTagId " , [ this ] ( ) { return this - > minPoppedTag . id ; } ) ;
2018-06-09 02:11:08 +08:00
specialCounter ( cc , " SharedBytesInput " , [ tLogData ] ( ) { return tLogData - > bytesInput ; } ) ;
specialCounter ( cc , " SharedBytesDurable " , [ tLogData ] ( ) { return tLogData - > bytesDurable ; } ) ;
2018-08-22 13:18:38 +08:00
specialCounter ( cc , " SharedOverheadBytesInput " , [ tLogData ] ( ) { return tLogData - > overheadBytesInput ; } ) ;
2018-08-22 13:35:04 +08:00
specialCounter ( cc , " SharedOverheadBytesDurable " , [ tLogData ] ( ) { return tLogData - > overheadBytesDurable ; } ) ;
2018-06-09 02:11:08 +08:00
specialCounter ( cc , " KvstoreBytesUsed " , [ tLogData ] ( ) { return tLogData - > persistentData - > getStorageBytes ( ) . used ; } ) ;
specialCounter ( cc , " KvstoreBytesFree " , [ tLogData ] ( ) { return tLogData - > persistentData - > getStorageBytes ( ) . free ; } ) ;
specialCounter ( cc , " KvstoreBytesAvailable " , [ tLogData ] ( ) { return tLogData - > persistentData - > getStorageBytes ( ) . available ; } ) ;
specialCounter ( cc , " KvstoreBytesTotal " , [ tLogData ] ( ) { return tLogData - > persistentData - > getStorageBytes ( ) . total ; } ) ;
specialCounter ( cc , " QueueDiskBytesUsed " , [ tLogData ] ( ) { return tLogData - > rawPersistentQueue - > getStorageBytes ( ) . used ; } ) ;
specialCounter ( cc , " QueueDiskBytesFree " , [ tLogData ] ( ) { return tLogData - > rawPersistentQueue - > getStorageBytes ( ) . free ; } ) ;
specialCounter ( cc , " QueueDiskBytesAvailable " , [ tLogData ] ( ) { return tLogData - > rawPersistentQueue - > getStorageBytes ( ) . available ; } ) ;
specialCounter ( cc , " QueueDiskBytesTotal " , [ tLogData ] ( ) { return tLogData - > rawPersistentQueue - > getStorageBytes ( ) . total ; } ) ;
2019-03-04 08:49:42 +08:00
specialCounter ( cc , " PeekMemoryReserved " , [ tLogData ] ( ) { return tLogData - > peekMemoryLimiter . activePermits ( ) ; } ) ;
specialCounter ( cc , " PeekMemoryRequestsStalled " , [ tLogData ] ( ) { return tLogData - > peekMemoryLimiter . waiters ( ) ; } ) ;
2017-05-26 04:48:44 +08:00
}
2017-06-23 08:21:42 +08:00
~ LogData ( ) {
2018-09-06 06:06:14 +08:00
endRole ( Role : : TRANSACTION_LOG , logId , " Error " , true ) ;
2017-08-12 09:08:09 +08:00
2018-08-10 03:38:35 +08:00
if ( ! terminated . isReady ( ) ) {
tLogData - > bytesDurable + = bytesInput . getValue ( ) - bytesDurable . getValue ( ) ;
TraceEvent ( " TLogBytesWhenRemoved " , logId ) . detail ( " SharedBytesInput " , tLogData - > bytesInput ) . detail ( " SharedBytesDurable " , tLogData - > bytesDurable ) . detail ( " LocalBytesInput " , bytesInput . getValue ( ) ) . detail ( " LocalBytesDurable " , bytesDurable . getValue ( ) ) ;
ASSERT_ABORT ( tLogData - > bytesDurable < = tLogData - > bytesInput ) ;
2017-08-12 09:08:09 +08:00
Key logIdKey = BinaryWriter : : toValue ( logId , Unversioned ( ) ) ;
tLogData - > persistentData - > clear ( singleKeyRange ( logIdKey . withPrefix ( persistCurrentVersionKeys . begin ) ) ) ;
2018-04-21 08:55:46 +08:00
tLogData - > persistentData - > clear ( singleKeyRange ( logIdKey . withPrefix ( persistKnownCommittedVersionKeys . begin ) ) ) ;
2018-06-18 05:44:33 +08:00
tLogData - > persistentData - > clear ( singleKeyRange ( logIdKey . withPrefix ( persistLocalityKeys . begin ) ) ) ;
2018-04-09 12:24:05 +08:00
tLogData - > persistentData - > clear ( singleKeyRange ( logIdKey . withPrefix ( persistLogRouterTagsKeys . begin ) ) ) ;
2019-06-20 09:15:09 +08:00
tLogData - > persistentData - > clear ( singleKeyRange ( logIdKey . withPrefix ( persistTxsTagsKeys . begin ) ) ) ;
2017-08-12 09:08:09 +08:00
tLogData - > persistentData - > clear ( singleKeyRange ( logIdKey . withPrefix ( persistRecoveryCountKeys . begin ) ) ) ;
2019-03-16 12:01:17 +08:00
tLogData - > persistentData - > clear ( singleKeyRange ( logIdKey . withPrefix ( persistProtocolVersionKeys . begin ) ) ) ;
2019-03-16 12:01:22 +08:00
tLogData - > persistentData - > clear ( singleKeyRange ( logIdKey . withPrefix ( persistRecoveryLocationKey ) ) ) ;
2019-03-04 09:01:52 +08:00
Key msgKey = logIdKey . withPrefix ( persistTagMessagesKeys . begin ) ;
2019-02-08 09:02:33 +08:00
tLogData - > persistentData - > clear ( KeyRangeRef ( msgKey , strinc ( msgKey ) ) ) ;
2019-03-04 09:01:52 +08:00
Key msgRefKey = logIdKey . withPrefix ( persistTagMessageRefsKeys . begin ) ;
tLogData - > persistentData - > clear ( KeyRangeRef ( msgRefKey , strinc ( msgRefKey ) ) ) ;
2017-08-12 09:08:09 +08:00
Key poppedKey = logIdKey . withPrefix ( persistTagPoppedKeys . begin ) ;
tLogData - > persistentData - > clear ( KeyRangeRef ( poppedKey , strinc ( poppedKey ) ) ) ;
}
Fix parallel peek stalling for 10min when a TLog generation is destroyed.
`peekTracker` was held on the Shared TLog (TLogData), whereas peeks are
received and replied to as part of a TLog instance (LogData). When a
peek was received on a TLog, it was registered into peekTracker along
with the ReplyPromise. If the TLog was then removed as part of a
no-longer-needed generation of TLogs, there is nothing left to reply to
the request, but by holding onto the ReplyPromise in peekTracker, we
leave the remote end with an expectation that we will reply. Then,
10min later, peekTrackerCleanup runs and finally times out the peek
cursor, thus preventing FDB from being completely stuck.
Now, each TLog generation has its own `peekTracker`, and when a TLog is
destroyed, it times out all of the pending peek curors that are still
expecting a response. This will then trigger the client to re-issue
them to the next generation of TLogs, thus removing the 10min gap to do
so.
2019-07-10 08:27:36 +08:00
for ( auto it = peekTracker . begin ( ) ; it ! = peekTracker . end ( ) ; + + it ) {
for ( auto seq : it - > second . sequence_version ) {
if ( ! seq . second . isSet ( ) ) {
seq . second . sendError ( timed_out ( ) ) ;
}
}
}
2017-06-23 08:21:42 +08:00
}
2017-05-26 04:48:44 +08:00
2017-06-23 08:21:42 +08:00
LogEpoch epoch ( ) const { return recoveryCount ; }
2017-05-26 04:48:44 +08:00
} ;
2018-03-30 06:12:38 +08:00
template < class T >
void TLogQueue : : push ( T const & qe , Reference < LogData > logData ) {
BinaryWriter wr ( Unversioned ( ) ) ; // outer framing is not versioned
wr < < uint32_t ( 0 ) ;
IncludeVersion ( ) . write ( wr ) ; // payload is versioned
wr < < qe ;
wr < < uint8_t ( 1 ) ;
* ( uint32_t * ) wr . getData ( ) = wr . getLength ( ) - sizeof ( uint32_t ) - sizeof ( uint8_t ) ;
2019-02-08 09:02:31 +08:00
const IDiskQueue : : location startloc = queue - > getNextPushLocation ( ) ;
// FIXME: push shouldn't return anything. We should call getNextPushLocation() again.
2019-03-29 02:52:50 +08:00
const IDiskQueue : : location endloc = queue - > push ( wr . toValue ( ) ) ;
2018-03-30 06:12:38 +08:00
//TraceEvent("TLogQueueVersionWritten", dbgid).detail("Size", wr.getLength() - sizeof(uint32_t) - sizeof(uint8_t)).detail("Loc", loc);
2019-02-08 09:02:31 +08:00
logData - > versionLocation [ qe . version ] = std : : make_pair ( startloc , endloc ) ;
2018-03-30 06:12:38 +08:00
}
2019-02-08 09:02:37 +08:00
2019-03-16 12:01:20 +08:00
void TLogQueue : : forgetBefore ( Version upToVersion , Reference < LogData > logData ) {
2018-03-30 06:12:38 +08:00
// Keep only the given and all subsequent version numbers
// Find the first version >= upTo
2019-03-16 12:01:20 +08:00
auto v = logData - > versionLocation . lower_bound ( upToVersion ) ;
2018-06-02 01:18:07 +08:00
if ( v = = logData - > versionLocation . begin ( ) ) return ;
2018-03-30 06:12:38 +08:00
2018-06-02 01:18:07 +08:00
if ( v = = logData - > versionLocation . end ( ) ) {
v = logData - > versionLocation . lastItem ( ) ;
2018-03-30 06:12:38 +08:00
}
2019-03-16 12:01:23 +08:00
else {
v . decrementNonEnd ( ) ;
}
2018-03-30 06:12:38 +08:00
2018-06-02 01:18:07 +08:00
logData - > versionLocation . erase ( logData - > versionLocation . begin ( ) , v ) ; // ... and then we erase that previous version and all prior versions
2018-03-30 06:12:38 +08:00
}
2019-03-16 12:01:20 +08:00
void TLogQueue : : pop ( IDiskQueue : : location upToLocation ) {
queue - > pop ( upToLocation ) ;
}
2019-02-08 09:02:31 +08:00
void TLogQueue : : updateVersionSizes ( const TLogQueueEntry & result , TLogData * tLog ,
IDiskQueue : : location start , IDiskQueue : : location end ) {
2018-03-30 06:12:38 +08:00
auto it = tLog - > id_data . find ( result . id ) ;
if ( it ! = tLog - > id_data . end ( ) ) {
2019-02-08 09:02:31 +08:00
it - > second - > versionLocation [ result . version ] = std : : make_pair ( start , end ) ;
2018-03-30 06:12:38 +08:00
}
}
2017-05-26 04:48:44 +08:00
ACTOR Future < Void > tLogLock ( TLogData * self , ReplyPromise < TLogLockResult > reply , Reference < LogData > logData ) {
state Version stopVersion = logData - > version . get ( ) ;
TEST ( true ) ; // TLog stopped by recovering master
TEST ( logData - > stopped ) ;
TEST ( ! logData - > stopped ) ;
2018-06-09 02:11:08 +08:00
TraceEvent ( " TLogStop " , logData - > logId ) . detail ( " Ver " , stopVersion ) . detail ( " IsStopped " , logData - > stopped ) . detail ( " QueueCommitted " , logData - > queueCommittedVersion . get ( ) ) ;
2019-04-21 03:58:24 +08:00
unregisterTLog ( logData - > logId ) ;
2017-05-26 04:48:44 +08:00
logData - > stopped = true ;
2017-10-25 06:09:31 +08:00
if ( ! logData - > recoveryComplete . isSet ( ) ) {
logData - > recoveryComplete . sendError ( end_of_stream ( ) ) ;
2018-01-13 09:18:14 +08:00
}
2017-05-26 04:48:44 +08:00
// Lock once the current version has been committed
2018-08-11 04:57:10 +08:00
wait ( logData - > queueCommittedVersion . whenAtLeast ( stopVersion ) ) ;
2017-05-26 04:48:44 +08:00
ASSERT ( stopVersion = = logData - > version . get ( ) ) ;
TLogLockResult result ;
result . end = stopVersion ;
result . knownCommittedVersion = logData - > knownCommittedVersion ;
2018-06-09 02:11:08 +08:00
TraceEvent ( " TLogStop2 " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " Ver " , stopVersion ) . detail ( " IsStopped " , logData - > stopped ) . detail ( " QueueCommitted " , logData - > queueCommittedVersion . get ( ) ) . detail ( " KnownCommitted " , result . knownCommittedVersion ) ;
2017-05-26 04:48:44 +08:00
reply . send ( result ) ;
return Void ( ) ;
}
2018-03-18 01:36:19 +08:00
void updatePersistentPopped ( TLogData * self , Reference < LogData > logData , Reference < LogData : : TagData > data ) {
2018-06-02 01:18:07 +08:00
if ( ! data - > poppedRecently ) return ;
2018-03-18 01:36:19 +08:00
self - > persistentData - > set ( KeyValueRef ( persistTagPoppedKey ( logData - > logId , data - > tag ) , persistTagPoppedValue ( data - > popped ) ) ) ;
2018-06-02 01:18:07 +08:00
data - > poppedRecently = false ;
2017-05-26 04:48:44 +08:00
2018-06-02 01:18:07 +08:00
if ( data - > nothingPersistent ) return ;
2017-05-26 04:48:44 +08:00
2019-06-20 09:15:09 +08:00
if ( data - > tag . locality = = tagLocalityTxs | | data - > tag = = txsTag ) {
2019-03-04 09:01:52 +08:00
self - > persistentData - > clear ( KeyRangeRef (
persistTagMessagesKey ( logData - > logId , data - > tag , Version ( 0 ) ) ,
persistTagMessagesKey ( logData - > logId , data - > tag , data - > popped ) ) ) ;
} else {
self - > persistentData - > clear ( KeyRangeRef (
persistTagMessageRefsKey ( logData - > logId , data - > tag , Version ( 0 ) ) ,
persistTagMessageRefsKey ( logData - > logId , data - > tag , data - > popped ) ) ) ;
}
2019-03-16 12:01:20 +08:00
if ( data - > popped > logData - > persistentDataVersion ) {
2018-06-02 01:18:07 +08:00
data - > nothingPersistent = true ;
2019-03-16 12:01:20 +08:00
}
2017-05-26 04:48:44 +08:00
}
2019-03-16 12:01:20 +08:00
ACTOR Future < Void > updatePoppedLocation ( TLogData * self , Reference < LogData > logData , Reference < LogData : : TagData > data ) {
2019-05-22 01:40:30 +08:00
// txsTag is spilled by value, so we do not need to track its popped location.
2019-06-20 09:15:09 +08:00
if ( data - > tag . locality = = tagLocalityTxs | | data - > tag = = txsTag ) {
2019-03-16 12:01:23 +08:00
return Void ( ) ;
2019-03-04 04:57:35 +08:00
}
2019-03-16 12:01:20 +08:00
if ( ! data - > requiresPoppedLocationUpdate ) return Void ( ) ;
data - > requiresPoppedLocationUpdate = false ;
2019-05-23 02:23:21 +08:00
if ( data - > popped < = logData - > persistentDataVersion ) {
2019-03-16 12:01:20 +08:00
// Recover the next needed location in the Disk Queue from the index.
Standalone < VectorRef < KeyValueRef > > kvrefs = wait (
self - > persistentData - > readRange ( KeyRangeRef (
persistTagMessageRefsKey ( logData - > logId , data - > tag , data - > popped ) ,
persistTagMessageRefsKey ( logData - > logId , data - > tag , logData - > persistentDataVersion + 1 ) ) , 1 ) ) ;
if ( kvrefs . empty ( ) ) {
// Nothing was persistent after all.
data - > nothingPersistent = true ;
} else {
VectorRef < SpilledData > spilledData ;
BinaryReader r ( kvrefs [ 0 ] . value , AssumeVersion ( logData - > protocolVersion ) ) ;
r > > spilledData ;
for ( const SpilledData & sd : spilledData ) {
if ( sd . version > = data - > popped ) {
data - > poppedLocation = sd . start ;
break ;
}
}
}
2019-03-04 04:57:35 +08:00
}
2019-03-16 12:01:20 +08:00
if ( data - > popped > = logData - > persistentDataVersion | | data - > nothingPersistent ) {
// Then the location must be in memory.
auto locationIter = logData - > versionLocation . lower_bound ( data - > popped ) ;
if ( locationIter ! = logData - > versionLocation . end ( ) ) {
data - > poppedLocation = locationIter - > value . first ;
} else {
// No data on disk and no data in RAM.
// This TLog instance will be removed soon anyway, so we temporarily freeze our poppedLocation
// to avoid trying to track what the ending location of this TLog instance was.
}
}
return Void ( ) ;
}
ACTOR Future < Void > popDiskQueue ( TLogData * self , Reference < LogData > logData ) {
if ( ! logData - > initialized ) return Void ( ) ;
std : : vector < Future < Void > > updates ;
for ( int tagLocality = 0 ; tagLocality < logData - > tag_data . size ( ) ; tagLocality + + ) {
for ( int tagId = 0 ; tagId < logData - > tag_data [ tagLocality ] . size ( ) ; tagId + + ) {
Reference < LogData : : TagData > tagData = logData - > tag_data [ tagLocality ] [ tagId ] ;
if ( tagData ) {
updates . push_back ( updatePoppedLocation ( self , logData , tagData ) ) ;
}
}
}
wait ( waitForAll ( updates ) ) ;
2019-05-21 14:58:45 +08:00
IDiskQueue : : location minLocation = 0 ;
Version minVersion = 0 ;
2019-05-22 01:40:30 +08:00
auto locationIter = logData - > versionLocation . lower_bound ( logData - > persistentDataVersion ) ;
if ( locationIter ! = logData - > versionLocation . end ( ) ) {
minLocation = locationIter - > value . first ;
minVersion = locationIter - > key ;
2019-05-21 14:58:45 +08:00
}
2019-09-13 07:22:01 +08:00
logData - > minPoppedTagVersion = std : : numeric_limits < Version > : : max ( ) ;
2019-03-16 12:01:20 +08:00
for ( int tagLocality = 0 ; tagLocality < logData - > tag_data . size ( ) ; tagLocality + + ) {
for ( int tagId = 0 ; tagId < logData - > tag_data [ tagLocality ] . size ( ) ; tagId + + ) {
Reference < LogData : : TagData > tagData = logData - > tag_data [ tagLocality ] [ tagId ] ;
2019-09-13 07:22:01 +08:00
if ( tagData & & tagData - > tag . locality ! = tagLocalityTxs & & tagData - > tag ! = txsTag ) {
if ( ! tagData - > nothingPersistent ) {
minLocation = std : : min ( minLocation , tagData - > poppedLocation ) ;
minVersion = std : : min ( minVersion , tagData - > popped ) ;
}
if ( ( ! tagData - > nothingPersistent | | tagData - > versionMessages . size ( ) ) & & tagData - > popped < logData - > minPoppedTagVersion ) {
logData - > minPoppedTagVersion = tagData - > popped ;
logData - > minPoppedTag = tagData - > tag ;
}
2019-03-16 12:01:20 +08:00
}
}
}
if ( self - > queueCommitEnd . get ( ) > 0 ) {
Version lastCommittedVersion = logData - > queueCommittedVersion . get ( ) ;
IDiskQueue : : location lastCommittedLocation = minLocation ;
auto locationIter = logData - > versionLocation . lower_bound ( lastCommittedVersion ) ;
if ( locationIter ! = logData - > versionLocation . end ( ) ) {
lastCommittedLocation = locationIter - > value . first ;
}
self - > persistentQueue - > pop ( std : : min ( minLocation , lastCommittedLocation ) ) ;
2019-05-21 14:58:45 +08:00
logData - > queuePoppedVersion = std : : max ( logData - > queuePoppedVersion , minVersion ) ;
2019-03-16 12:01:20 +08:00
}
return Void ( ) ;
}
2019-03-04 04:57:35 +08:00
2017-05-26 04:48:44 +08:00
ACTOR Future < Void > updatePersistentData ( TLogData * self , Reference < LogData > logData , Version newPersistentDataVersion ) {
2019-03-04 04:57:35 +08:00
state BinaryWriter wr ( Unversioned ( ) ) ;
2017-05-26 04:48:44 +08:00
// PERSIST: Changes self->persistentDataVersion and writes and commits the relevant changes
ASSERT ( newPersistentDataVersion < = logData - > version . get ( ) ) ;
ASSERT ( newPersistentDataVersion < = logData - > queueCommittedVersion . get ( ) ) ;
ASSERT ( newPersistentDataVersion > logData - > persistentDataVersion ) ;
ASSERT ( logData - > persistentDataVersion = = logData - > persistentDataDurableVersion ) ;
2019-03-16 12:01:20 +08:00
logData - > newPersistentDataVersion = newPersistentDataVersion ;
2017-05-26 04:48:44 +08:00
2018-06-09 02:11:08 +08:00
//TraceEvent("UpdatePersistentData", self->dbgid).detail("Seq", newPersistentDataSeq);
2017-05-26 04:48:44 +08:00
state bool anyData = false ;
2018-03-18 01:36:19 +08:00
2017-05-26 04:48:44 +08:00
// For all existing tags
2018-06-02 01:18:07 +08:00
state int tagLocality = 0 ;
state int tagId = 0 ;
2018-03-18 01:36:19 +08:00
2018-06-02 01:18:07 +08:00
for ( tagLocality = 0 ; tagLocality < logData - > tag_data . size ( ) ; tagLocality + + ) {
for ( tagId = 0 ; tagId < logData - > tag_data [ tagLocality ] . size ( ) ; tagId + + ) {
state Reference < LogData : : TagData > tagData = logData - > tag_data [ tagLocality ] [ tagId ] ;
2018-03-21 01:41:42 +08:00
if ( tagData ) {
2019-06-25 17:47:35 +08:00
wait ( tagData - > eraseMessagesBefore ( tagData - > popped , self , logData , TaskPriority : : UpdateStorage ) ) ;
2018-03-21 01:41:42 +08:00
state Version currentVersion = 0 ;
// Clear recently popped versions from persistentData if necessary
updatePersistentPopped ( self , logData , tagData ) ;
2019-03-16 12:01:20 +08:00
state Version lastVersion = std : : numeric_limits < Version > : : min ( ) ;
state IDiskQueue : : location firstLocation = std : : numeric_limits < IDiskQueue : : location > : : max ( ) ;
2018-03-21 01:41:42 +08:00
// Transfer unpopped messages with version numbers less than newPersistentDataVersion to persistentData
2018-06-02 01:18:07 +08:00
state std : : deque < std : : pair < Version , LengthPrefixedStringRef > > : : iterator msg = tagData - > versionMessages . begin ( ) ;
2019-03-04 04:57:35 +08:00
state int refSpilledTagCount = 0 ;
2019-03-16 12:01:17 +08:00
wr = BinaryWriter ( AssumeVersion ( logData - > protocolVersion ) ) ;
2019-03-04 04:57:35 +08:00
// We prefix our spilled locations with a count, so that we can read this back out as a VectorRef.
wr < < uint32_t ( 0 ) ;
2018-06-02 01:18:07 +08:00
while ( msg ! = tagData - > versionMessages . end ( ) & & msg - > first < = newPersistentDataVersion ) {
2018-03-21 01:41:42 +08:00
currentVersion = msg - > first ;
anyData = true ;
2018-06-02 01:18:07 +08:00
tagData - > nothingPersistent = false ;
2018-03-21 01:41:42 +08:00
2019-06-20 09:15:09 +08:00
if ( tagData - > tag . locality = = tagLocalityTxs | | tagData - > tag = = txsTag ) {
2019-03-04 04:57:33 +08:00
// spill txsTag by value
wr = BinaryWriter ( Unversioned ( ) ) ;
for ( ; msg ! = tagData - > versionMessages . end ( ) & & msg - > first = = currentVersion ; + + msg ) {
wr < < msg - > second . toStringRef ( ) ;
}
2019-03-29 02:52:50 +08:00
self - > persistentData - > set ( KeyValueRef ( persistTagMessagesKey ( logData - > logId , tagData - > tag , currentVersion ) , wr . toValue ( ) ) ) ;
2019-03-04 04:57:33 +08:00
} else {
// spill everything else by reference
const IDiskQueue : : location begin = logData - > versionLocation [ currentVersion ] . first ;
const IDiskQueue : : location end = logData - > versionLocation [ currentVersion ] . second ;
2019-03-04 04:57:41 +08:00
ASSERT ( end > begin & & end . lo - begin . lo < std : : numeric_limits < uint32_t > : : max ( ) ) ;
uint32_t length = static_cast < uint32_t > ( end . lo - begin . lo ) ;
2019-03-04 04:57:35 +08:00
refSpilledTagCount + + ;
2019-03-04 04:57:36 +08:00
2019-03-16 12:01:19 +08:00
uint32_t size = 0 ;
2019-03-04 04:57:36 +08:00
for ( ; msg ! = tagData - > versionMessages . end ( ) & & msg - > first = = currentVersion ; + + msg ) {
// Fast forward until we find a new version.
size + = msg - > second . expectedSize ( ) ;
}
2019-03-04 04:57:41 +08:00
SpilledData spilledData ( currentVersion , begin , length , size ) ;
2019-03-04 04:57:35 +08:00
wr < < spilledData ;
2019-03-04 04:57:33 +08:00
2019-03-16 12:01:20 +08:00
lastVersion = std : : max ( currentVersion , lastVersion ) ;
firstLocation = std : : min ( begin , firstLocation ) ;
2019-03-04 04:57:33 +08:00
2019-05-04 03:48:28 +08:00
if ( ( wr . getLength ( ) + sizeof ( SpilledData ) > SERVER_KNOBS - > TLOG_SPILL_REFERENCE_MAX_BYTES_PER_BATCH ) ) {
* ( uint32_t * ) wr . getData ( ) = refSpilledTagCount ;
self - > persistentData - > set ( KeyValueRef ( persistTagMessageRefsKey ( logData - > logId , tagData - > tag , lastVersion ) , wr . toValue ( ) ) ) ;
tagData - > poppedLocation = std : : min ( tagData - > poppedLocation , firstLocation ) ;
refSpilledTagCount = 0 ;
wr = BinaryWriter ( AssumeVersion ( logData - > protocolVersion ) ) ;
wr < < uint32_t ( 0 ) ;
}
2019-06-25 17:47:35 +08:00
Future < Void > f = yield ( TaskPriority : : UpdateStorage ) ;
2019-03-04 04:57:36 +08:00
if ( ! f . isReady ( ) ) {
wait ( f ) ;
msg = std : : upper_bound ( tagData - > versionMessages . begin ( ) , tagData - > versionMessages . end ( ) , std : : make_pair ( currentVersion , LengthPrefixedStringRef ( ) ) , CompareFirst < std : : pair < Version , LengthPrefixedStringRef > > ( ) ) ;
2019-03-04 04:57:33 +08:00
}
2019-02-08 09:02:39 +08:00
}
2018-03-18 01:36:19 +08:00
}
2019-03-04 04:57:35 +08:00
if ( refSpilledTagCount > 0 ) {
* ( uint32_t * ) wr . getData ( ) = refSpilledTagCount ;
2019-03-29 02:52:50 +08:00
self - > persistentData - > set ( KeyValueRef ( persistTagMessageRefsKey ( logData - > logId , tagData - > tag , lastVersion ) , wr . toValue ( ) ) ) ;
2019-03-16 12:01:20 +08:00
tagData - > poppedLocation = std : : min ( tagData - > poppedLocation , firstLocation ) ;
2019-03-04 04:57:35 +08:00
}
2018-03-21 01:41:42 +08:00
2019-06-25 17:47:35 +08:00
wait ( yield ( TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
}
}
}
2019-02-08 09:02:34 +08:00
2019-03-16 12:01:22 +08:00
auto locationIter = logData - > versionLocation . lower_bound ( newPersistentDataVersion ) ;
if ( locationIter ! = logData - > versionLocation . end ( ) ) {
2019-03-21 09:12:56 +08:00
self - > persistentData - > set ( KeyValueRef ( persistRecoveryLocationKey , BinaryWriter : : toValue ( locationIter - > value . first , Unversioned ( ) ) ) ) ;
2019-03-16 12:01:22 +08:00
}
2018-06-19 08:59:29 +08:00
self - > persistentData - > set ( KeyValueRef ( BinaryWriter : : toValue ( logData - > logId , Unversioned ( ) ) . withPrefix ( persistCurrentVersionKeys . begin ) , BinaryWriter : : toValue ( newPersistentDataVersion , Unversioned ( ) ) ) ) ;
2018-04-21 08:55:46 +08:00
self - > persistentData - > set ( KeyValueRef ( BinaryWriter : : toValue ( logData - > logId , Unversioned ( ) ) . withPrefix ( persistKnownCommittedVersionKeys . begin ) , BinaryWriter : : toValue ( logData - > knownCommittedVersion , Unversioned ( ) ) ) ) ;
2017-05-26 04:48:44 +08:00
logData - > persistentDataVersion = newPersistentDataVersion ;
2018-08-11 04:57:10 +08:00
wait ( self - > persistentData - > commit ( ) ) ; // SOMEDAY: This seems to be running pretty often, should we slow it down???
2019-06-25 17:47:35 +08:00
wait ( delay ( 0 , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
// Now that the changes we made to persistentData are durable, erase the data we moved from memory and the queue, increase bytesDurable accordingly, and update persistentDataDurableVersion.
TEST ( anyData ) ; // TLog moved data to persistentData
logData - > persistentDataDurableVersion = newPersistentDataVersion ;
2018-06-02 01:18:07 +08:00
for ( tagLocality = 0 ; tagLocality < logData - > tag_data . size ( ) ; tagLocality + + ) {
for ( tagId = 0 ; tagId < logData - > tag_data [ tagLocality ] . size ( ) ; tagId + + ) {
if ( logData - > tag_data [ tagLocality ] [ tagId ] ) {
2019-06-25 17:47:35 +08:00
wait ( logData - > tag_data [ tagLocality ] [ tagId ] - > eraseMessagesBefore ( newPersistentDataVersion + 1 , self , logData , TaskPriority : : UpdateStorage ) ) ;
wait ( yield ( TaskPriority : : UpdateStorage ) ) ;
2018-03-18 01:36:19 +08:00
}
}
2017-05-26 04:48:44 +08:00
}
logData - > version_sizes . erase ( logData - > version_sizes . begin ( ) , logData - > version_sizes . lower_bound ( logData - > persistentDataDurableVersion ) ) ;
2019-06-25 17:47:35 +08:00
wait ( yield ( TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
while ( ! logData - > messageBlocks . empty ( ) & & logData - > messageBlocks . front ( ) . first < = newPersistentDataVersion ) {
2017-06-29 06:21:54 +08:00
int64_t bytesErased = int64_t ( logData - > messageBlocks . front ( ) . second . size ( ) ) * SERVER_KNOBS - > TLOG_MESSAGE_BLOCK_OVERHEAD_FACTOR ;
logData - > bytesDurable + = bytesErased ;
self - > bytesDurable + = bytesErased ;
2017-05-26 04:48:44 +08:00
logData - > messageBlocks . pop_front ( ) ;
2019-06-25 17:47:35 +08:00
wait ( yield ( TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
}
2017-06-29 04:29:40 +08:00
if ( logData - > bytesDurable . getValue ( ) > logData - > bytesInput . getValue ( ) | | self - > bytesDurable > self - > bytesInput ) {
2018-06-09 02:11:08 +08:00
TraceEvent ( SevError , " BytesDurableTooLarge " , logData - > logId ) . detail ( " SharedBytesInput " , self - > bytesInput ) . detail ( " SharedBytesDurable " , self - > bytesDurable ) . detail ( " LocalBytesInput " , logData - > bytesInput . getValue ( ) ) . detail ( " LocalBytesDurable " , logData - > bytesDurable . getValue ( ) ) ;
2017-06-29 04:29:40 +08:00
}
2017-05-26 04:48:44 +08:00
ASSERT ( logData - > bytesDurable . getValue ( ) < = logData - > bytesInput . getValue ( ) ) ;
2017-06-23 08:21:42 +08:00
ASSERT ( self - > bytesDurable < = self - > bytesInput ) ;
2017-05-26 04:48:44 +08:00
2019-02-08 09:02:37 +08:00
if ( self - > queueCommitEnd . get ( ) > 0 ) {
// FIXME: Maintain a heap of tags ordered by version to make this O(1) instead of O(n).
Version minVersion = std : : numeric_limits < Version > : : max ( ) ;
for ( tagLocality = 0 ; tagLocality < logData - > tag_data . size ( ) ; tagLocality + + ) {
for ( tagId = 0 ; tagId < logData - > tag_data [ tagLocality ] . size ( ) ; tagId + + ) {
Reference < LogData : : TagData > tagData = logData - > tag_data [ tagLocality ] [ tagId ] ;
if ( tagData ) {
2019-06-20 09:15:09 +08:00
if ( tagData - > tag . locality = = tagLocalityTxs | | tagData - > tag = = txsTag ) {
2019-03-04 04:57:33 +08:00
minVersion = std : : min ( minVersion , newPersistentDataVersion ) ;
} else {
minVersion = std : : min ( minVersion , tagData - > popped ) ;
}
2019-02-08 09:02:37 +08:00
}
}
}
if ( minVersion ! = std : : numeric_limits < Version > : : max ( ) ) {
2019-03-16 12:01:20 +08:00
self - > persistentQueue - > forgetBefore ( newPersistentDataVersion , logData ) ; // SOMEDAY: this can cause a slow task (~0.5ms), presumably from erasing too many versions. Should we limit the number of versions cleared at a time?
2019-02-08 09:02:37 +08:00
}
}
2019-03-16 12:01:20 +08:00
logData - > newPersistentDataVersion = invalidVersion ;
2017-05-26 04:48:44 +08:00
return Void ( ) ;
}
// This function (and updatePersistentData, which is called by this function) run at a low priority and can soak up all CPU resources.
// For this reason, they employ aggressive use of yields to avoid causing slow tasks that could introduce latencies for more important
// work (e.g. commits).
ACTOR Future < Void > updateStorage ( TLogData * self ) {
2019-03-16 12:01:20 +08:00
while ( self - > spillOrder . size ( ) & & ! self - > id_data . count ( self - > spillOrder . front ( ) ) ) {
self - > spillOrder . pop_front ( ) ;
2017-05-26 04:48:44 +08:00
}
2019-03-16 12:01:20 +08:00
if ( ! self - > spillOrder . size ( ) ) {
2019-06-25 17:47:35 +08:00
wait ( delay ( BUGGIFY ? SERVER_KNOBS - > BUGGIFY_TLOG_STORAGE_MIN_UPDATE_INTERVAL : SERVER_KNOBS - > TLOG_STORAGE_MIN_UPDATE_INTERVAL , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
return Void ( ) ;
}
2019-03-16 12:01:20 +08:00
state Reference < LogData > logData = self - > id_data [ self - > spillOrder . front ( ) ] ;
2018-09-22 07:14:39 +08:00
state Version nextVersion = 0 ;
2017-05-26 04:48:44 +08:00
state int totalSize = 0 ;
2018-09-22 07:14:39 +08:00
state FlowLock : : Releaser commitLockReleaser ;
2018-03-18 01:36:19 +08:00
2017-05-26 04:48:44 +08:00
if ( logData - > stopped ) {
2019-07-30 14:40:28 +08:00
if ( self - > bytesInput - self - > bytesDurable > = self - > targetVolatileBytes ) {
2017-05-26 04:48:44 +08:00
while ( logData - > persistentDataDurableVersion ! = logData - > version . get ( ) ) {
2018-08-04 02:38:12 +08:00
totalSize = 0 ;
2018-08-05 03:36:48 +08:00
Map < Version , std : : pair < int , int > > : : iterator sizeItr = logData - > version_sizes . begin ( ) ;
2018-08-05 14:53:37 +08:00
nextVersion = logData - > version . get ( ) ;
2019-03-04 04:57:35 +08:00
while ( totalSize < SERVER_KNOBS - > REFERENCE_SPILL_UPDATE_STORAGE_BYTE_LIMIT & &
sizeItr ! = logData - > version_sizes . end ( ) )
2018-08-05 03:36:48 +08:00
{
totalSize + = sizeItr - > value . first + sizeItr - > value . second ;
+ + sizeItr ;
nextVersion = sizeItr = = logData - > version_sizes . end ( ) ? logData - > version . get ( ) : sizeItr - > key ;
2017-05-26 04:48:44 +08:00
}
2018-08-11 04:57:10 +08:00
wait ( logData - > queueCommittedVersion . whenAtLeast ( nextVersion ) ) ;
2019-06-25 17:47:35 +08:00
wait ( delay ( 0 , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
2018-06-09 02:11:08 +08:00
//TraceEvent("TlogUpdatePersist", self->dbgid).detail("LogId", logData->logId).detail("NextVersion", nextVersion).detail("Version", logData->version.get()).detail("PersistentDataDurableVer", logData->persistentDataDurableVersion).detail("QueueCommitVer", logData->queueCommittedVersion.get()).detail("PersistDataVer", logData->persistentDataVersion);
2017-05-26 04:48:44 +08:00
if ( nextVersion > logData - > persistentDataVersion ) {
2018-09-22 07:14:39 +08:00
wait ( self - > persistentDataCommitLock . take ( ) ) ;
commitLockReleaser = FlowLock : : Releaser ( self - > persistentDataCommitLock ) ;
wait ( updatePersistentData ( self , logData , nextVersion ) ) ;
2019-03-16 12:01:20 +08:00
// Concurrently with this loop, the last stopped TLog could have been removed.
if ( self - > popOrder . size ( ) ) {
wait ( popDiskQueue ( self , self - > id_data [ self - > popOrder . front ( ) ] ) ) ;
}
2018-09-22 07:14:39 +08:00
commitLockReleaser . release ( ) ;
2017-05-26 04:48:44 +08:00
} else {
2019-06-25 17:47:35 +08:00
wait ( delay ( BUGGIFY ? SERVER_KNOBS - > BUGGIFY_TLOG_STORAGE_MIN_UPDATE_INTERVAL : SERVER_KNOBS - > TLOG_STORAGE_MIN_UPDATE_INTERVAL , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
}
2017-08-12 09:08:09 +08:00
if ( logData - > removed . isReady ( ) ) {
break ;
}
2017-05-26 04:48:44 +08:00
}
2017-08-12 09:08:09 +08:00
if ( logData - > persistentDataDurableVersion = = logData - > version . get ( ) ) {
2019-03-16 12:01:20 +08:00
self - > spillOrder . pop_front ( ) ;
2017-08-12 09:08:09 +08:00
}
2019-06-25 17:47:35 +08:00
wait ( delay ( 0.0 , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
} else {
2019-06-25 17:47:35 +08:00
wait ( delay ( BUGGIFY ? SERVER_KNOBS - > BUGGIFY_TLOG_STORAGE_MIN_UPDATE_INTERVAL : SERVER_KNOBS - > TLOG_STORAGE_MIN_UPDATE_INTERVAL , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
}
}
else if ( logData - > initialized ) {
2019-03-16 12:01:20 +08:00
ASSERT ( self - > spillOrder . size ( ) = = 1 ) ;
2018-11-03 04:05:54 +08:00
if ( logData - > version_sizes . empty ( ) ) {
nextVersion = logData - > version . get ( ) ;
} else {
2019-07-30 14:40:28 +08:00
// Double check that a running TLog wasn't wrongly affected by spilling locked SharedTLogs.
ASSERT_WE_THINK ( self - > targetVolatileBytes = = SERVER_KNOBS - > TLOG_SPILL_THRESHOLD ) ;
2018-11-03 05:11:39 +08:00
Map < Version , std : : pair < int , int > > : : iterator sizeItr = logData - > version_sizes . begin ( ) ;
2019-03-04 04:57:35 +08:00
while ( totalSize < SERVER_KNOBS - > REFERENCE_SPILL_UPDATE_STORAGE_BYTE_LIMIT & &
sizeItr ! = logData - > version_sizes . end ( )
2019-07-30 14:40:28 +08:00
& & ( logData - > bytesInput . getValue ( ) - logData - > bytesDurable . getValue ( ) - totalSize > = self - > targetVolatileBytes | | sizeItr - > value . first = = 0 ) )
2018-11-03 05:11:39 +08:00
{
totalSize + = sizeItr - > value . first + sizeItr - > value . second ;
+ + sizeItr ;
nextVersion = sizeItr = = logData - > version_sizes . end ( ) ? logData - > version . get ( ) : sizeItr - > key ;
}
2017-05-26 04:48:44 +08:00
}
2018-06-09 02:11:08 +08:00
//TraceEvent("UpdateStorageVer", logData->logId).detail("NextVersion", nextVersion).detail("PersistentDataVersion", logData->persistentDataVersion).detail("TotalSize", totalSize);
2017-05-26 04:48:44 +08:00
2018-08-11 04:57:10 +08:00
wait ( logData - > queueCommittedVersion . whenAtLeast ( nextVersion ) ) ;
2019-06-25 17:47:35 +08:00
wait ( delay ( 0 , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
if ( nextVersion > logData - > persistentDataVersion ) {
2018-09-22 07:14:39 +08:00
wait ( self - > persistentDataCommitLock . take ( ) ) ;
commitLockReleaser = FlowLock : : Releaser ( self - > persistentDataCommitLock ) ;
wait ( updatePersistentData ( self , logData , nextVersion ) ) ;
2019-03-16 12:01:20 +08:00
if ( self - > popOrder . size ( ) ) {
wait ( popDiskQueue ( self , self - > id_data [ self - > popOrder . front ( ) ] ) ) ;
}
2018-09-22 07:14:39 +08:00
commitLockReleaser . release ( ) ;
2017-05-26 04:48:44 +08:00
}
if ( totalSize < SERVER_KNOBS - > UPDATE_STORAGE_BYTE_LIMIT ) {
2019-06-25 17:47:35 +08:00
wait ( delay ( BUGGIFY ? SERVER_KNOBS - > BUGGIFY_TLOG_STORAGE_MIN_UPDATE_INTERVAL : SERVER_KNOBS - > TLOG_STORAGE_MIN_UPDATE_INTERVAL , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
}
else {
//recovery wants to commit to persistant data when updatePersistentData is not active, this delay ensures that immediately after
//updatePersist returns another one has not been started yet.
2019-06-25 17:47:35 +08:00
wait ( delay ( 0.0 , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
}
} else {
2019-06-25 17:47:35 +08:00
wait ( delay ( BUGGIFY ? SERVER_KNOBS - > BUGGIFY_TLOG_STORAGE_MIN_UPDATE_INTERVAL : SERVER_KNOBS - > TLOG_STORAGE_MIN_UPDATE_INTERVAL , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
}
return Void ( ) ;
}
ACTOR Future < Void > updateStorageLoop ( TLogData * self ) {
2019-06-25 17:47:35 +08:00
wait ( delay ( 0 , TaskPriority : : UpdateStorage ) ) ;
2017-05-26 04:48:44 +08:00
loop {
2018-08-11 04:57:10 +08:00
wait ( updateStorage ( self ) ) ;
2017-05-26 04:48:44 +08:00
}
}
2018-08-22 13:18:38 +08:00
void commitMessages ( TLogData * self , Reference < LogData > logData , Version version , const std : : vector < TagsAndMessage > & taggedMessages ) {
2018-03-17 02:40:21 +08:00
// SOMEDAY: This method of copying messages is reasonably memory efficient, but it's still a lot of bytes copied. Find a
// way to do the memory allocation right as we receive the messages in the network layer.
int64_t addedBytes = 0 ;
2018-08-22 13:18:38 +08:00
int64_t overheadBytes = 0 ;
2018-08-05 03:36:48 +08:00
int expectedBytes = 0 ;
int txsBytes = 0 ;
2018-03-17 02:40:21 +08:00
if ( ! taggedMessages . size ( ) ) {
return ;
}
int msgSize = 0 ;
for ( auto & i : taggedMessages ) {
msgSize + = i . message . size ( ) ;
}
// Grab the last block in the blocks list so we can share its arena
// We pop all of the elements of it to create a "fresh" vector that starts at the end of the previous vector
Standalone < VectorRef < uint8_t > > block ;
2018-08-22 13:18:38 +08:00
if ( logData - > messageBlocks . empty ( ) ) {
2018-03-17 02:40:21 +08:00
block = Standalone < VectorRef < uint8_t > > ( ) ;
block . reserve ( block . arena ( ) , std : : max < int64_t > ( SERVER_KNOBS - > TLOG_MESSAGE_BLOCK_BYTES , msgSize ) ) ;
}
else {
2018-08-22 13:18:38 +08:00
block = logData - > messageBlocks . back ( ) . second ;
2018-03-17 02:40:21 +08:00
}
block . pop_front ( block . size ( ) ) ;
for ( auto & msg : taggedMessages ) {
if ( msg . message . size ( ) > block . capacity ( ) - block . size ( ) ) {
2018-08-22 13:18:38 +08:00
logData - > messageBlocks . push_back ( std : : make_pair ( version , block ) ) ;
2018-03-17 02:40:21 +08:00
addedBytes + = int64_t ( block . size ( ) ) * SERVER_KNOBS - > TLOG_MESSAGE_BLOCK_OVERHEAD_FACTOR ;
block = Standalone < VectorRef < uint8_t > > ( ) ;
block . reserve ( block . arena ( ) , std : : max < int64_t > ( SERVER_KNOBS - > TLOG_MESSAGE_BLOCK_BYTES , msgSize ) ) ;
}
block . append ( block . arena ( ) , msg . message . begin ( ) , msg . message . size ( ) ) ;
2018-04-09 12:24:05 +08:00
for ( auto tag : msg . tags ) {
2018-08-22 13:18:38 +08:00
if ( logData - > locality = = tagLocalitySatellite ) {
2019-06-20 09:15:09 +08:00
if ( ! ( tag . locality = = tagLocalityTxs | | tag . locality = = tagLocalityLogRouter | | tag = = txsTag ) ) {
2018-06-18 04:29:17 +08:00
continue ;
}
2018-08-22 13:18:38 +08:00
} else if ( ! ( logData - > locality = = tagLocalitySpecial | | logData - > locality = = tag . locality | | tag . locality < 0 ) ) {
2018-06-02 13:51:08 +08:00
continue ;
}
2018-04-09 12:24:05 +08:00
if ( tag . locality = = tagLocalityLogRouter ) {
2018-08-22 13:18:38 +08:00
if ( ! logData - > logRouterTags ) {
2018-04-09 12:24:05 +08:00
continue ;
}
2018-08-22 13:18:38 +08:00
tag . id = tag . id % logData - > logRouterTags ;
2018-04-09 12:24:05 +08:00
}
2019-06-20 09:15:09 +08:00
if ( tag . locality = = tagLocalityTxs ) {
2019-07-17 16:25:09 +08:00
if ( logData - > txsTags > 0 ) {
tag . id = tag . id % logData - > txsTags ;
} else {
tag = txsTag ;
}
2019-06-20 09:15:09 +08:00
}
2018-08-22 13:18:38 +08:00
Reference < LogData : : TagData > tagData = logData - > getTagData ( tag ) ;
2018-03-18 01:36:19 +08:00
if ( ! tagData ) {
2018-08-22 13:18:38 +08:00
tagData = logData - > createTagData ( tag , 0 , true , true , false ) ;
2018-03-17 02:40:21 +08:00
}
2018-03-18 01:36:19 +08:00
if ( version > = tagData - > popped ) {
2018-06-02 01:18:07 +08:00
tagData - > versionMessages . push_back ( std : : make_pair ( version , LengthPrefixedStringRef ( ( uint32_t * ) ( block . end ( ) - msg . message . size ( ) ) ) ) ) ;
if ( tagData - > versionMessages . back ( ) . second . expectedSize ( ) > SERVER_KNOBS - > MAX_MESSAGE_SIZE ) {
TraceEvent ( SevWarnAlways , " LargeMessage " ) . detail ( " Size " , tagData - > versionMessages . back ( ) . second . expectedSize ( ) ) ;
2018-03-17 02:40:21 +08:00
}
2019-06-20 09:15:09 +08:00
if ( tag . locality ! = tagLocalityTxs & & tag ! = txsTag ) {
2018-06-02 01:18:07 +08:00
expectedBytes + = tagData - > versionMessages . back ( ) . second . expectedSize ( ) ;
2018-08-05 03:36:48 +08:00
} else {
txsBytes + = tagData - > versionMessages . back ( ) . second . expectedSize ( ) ;
2018-03-17 02:40:21 +08:00
}
2018-03-17 07:47:05 +08:00
// The factor of VERSION_MESSAGES_OVERHEAD is intended to be an overestimate of the actual memory used to store this data in a std::deque.
// In practice, this number is probably something like 528/512 ~= 1.03, but this could vary based on the implementation.
// There will also be a fixed overhead per std::deque, but its size should be trivial relative to the size of the TLog
// queue and can be thought of as increasing the capacity of the queue slightly.
2018-08-22 13:18:38 +08:00
overheadBytes + = SERVER_KNOBS - > VERSION_MESSAGES_ENTRY_BYTES_WITH_OVERHEAD ;
2018-03-17 07:47:05 +08:00
}
2018-03-17 02:40:21 +08:00
}
2018-06-19 08:59:29 +08:00
2018-03-17 02:40:21 +08:00
msgSize - = msg . message . size ( ) ;
}
2018-08-22 13:18:38 +08:00
logData - > messageBlocks . push_back ( std : : make_pair ( version , block ) ) ;
2018-03-17 02:40:21 +08:00
addedBytes + = int64_t ( block . size ( ) ) * SERVER_KNOBS - > TLOG_MESSAGE_BLOCK_OVERHEAD_FACTOR ;
2018-08-22 13:18:38 +08:00
addedBytes + = overheadBytes ;
2018-03-17 02:40:21 +08:00
2018-08-22 13:18:38 +08:00
logData - > version_sizes [ version ] = std : : make_pair ( expectedBytes , txsBytes ) ;
logData - > bytesInput + = addedBytes ;
2018-03-17 02:40:21 +08:00
self - > bytesInput + = addedBytes ;
2018-08-22 13:18:38 +08:00
self - > overheadBytesInput + = overheadBytes ;
2018-03-17 02:40:21 +08:00
2018-06-09 02:11:08 +08:00
//TraceEvent("TLogPushed", self->dbgid).detail("Bytes", addedBytes).detail("MessageBytes", messages.size()).detail("Tags", tags.size()).detail("ExpectedBytes", expectedBytes).detail("MCount", mCount).detail("TCount", tCount);
2018-03-17 02:40:21 +08:00
}
2018-08-22 13:18:38 +08:00
void commitMessages ( TLogData * self , Reference < LogData > logData , Version version , Arena arena , StringRef messages ) {
2018-03-17 07:47:05 +08:00
ArenaReader rd ( arena , messages , Unversioned ( ) ) ;
int32_t messageLength , rawLength ;
uint16_t tagCount ;
uint32_t sub ;
std : : vector < TagsAndMessage > msgs ;
while ( ! rd . empty ( ) ) {
TagsAndMessage tagsAndMsg ;
rd . checkpoint ( ) ;
rd > > messageLength > > sub > > tagCount ;
tagsAndMsg . tags . resize ( tagCount ) ;
for ( int i = 0 ; i < tagCount ; i + + ) {
rd > > tagsAndMsg . tags [ i ] ;
2017-05-26 04:48:44 +08:00
}
2018-03-17 07:47:05 +08:00
rawLength = messageLength + sizeof ( messageLength ) ;
rd . rewind ( ) ;
tagsAndMsg . message = StringRef ( ( uint8_t const * ) rd . readBytes ( rawLength ) , rawLength ) ;
msgs . push_back ( std : : move ( tagsAndMsg ) ) ;
2017-05-26 04:48:44 +08:00
}
2018-08-22 13:18:38 +08:00
commitMessages ( self , logData , version , msgs ) ;
2017-05-26 04:48:44 +08:00
}
Version poppedVersion ( Reference < LogData > self , Tag tag ) {
2018-03-18 01:36:19 +08:00
auto tagData = self - > getTagData ( tag ) ;
2018-04-23 06:08:38 +08:00
if ( ! tagData ) {
2019-08-01 08:45:21 +08:00
if ( tag = = txsTag | | tag . locality = = tagLocalityTxs ) {
return 0 ;
}
2018-04-23 06:08:38 +08:00
return self - > recoveredAt ;
}
2018-03-18 01:36:19 +08:00
return tagData - > popped ;
2017-05-26 04:48:44 +08:00
}
2018-06-02 01:18:07 +08:00
std : : deque < std : : pair < Version , LengthPrefixedStringRef > > & getVersionMessages ( Reference < LogData > self , Tag tag ) {
2018-03-18 01:36:19 +08:00
auto tagData = self - > getTagData ( tag ) ;
if ( ! tagData ) {
2017-05-26 04:48:44 +08:00
static std : : deque < std : : pair < Version , LengthPrefixedStringRef > > empty ;
return empty ;
}
2018-06-02 01:18:07 +08:00
return tagData - > versionMessages ;
2017-05-26 04:48:44 +08:00
} ;
2019-03-20 02:36:07 +08:00
ACTOR Future < Void > tLogPopCore ( TLogData * self , Tag inputTag , Version to , Reference < LogData > logData ) {
2019-07-02 13:15:04 +08:00
if ( self - > ignorePopRequest ) {
2019-07-21 16:00:29 +08:00
TraceEvent ( SevDebug , " IgnoringPopRequest " ) . detail ( " IgnorePopDeadline " , self - > ignorePopDeadline ) ;
2019-03-20 02:36:07 +08:00
if ( self - > toBePopped . find ( inputTag ) = = self - > toBePopped . end ( )
| | to > self - > toBePopped [ inputTag ] ) {
self - > toBePopped [ inputTag ] = to ;
}
// add the pop to the toBePopped map
TraceEvent ( SevDebug , " IgnoringPopRequest " )
. detail ( " IgnorePopDeadline " , self - > ignorePopDeadline )
. detail ( " Tag " , inputTag . toString ( ) )
. detail ( " Version " , to ) ;
return Void ( ) ;
}
state Version upTo = to ;
int8_t tagLocality = inputTag . locality ;
2019-04-24 06:39:26 +08:00
if ( logData - > logSystem - > get ( ) . isValid ( ) & & logData - > logSystem - > get ( ) - > isPseudoLocality ( tagLocality ) ) {
2019-03-20 02:36:07 +08:00
upTo = logData - > logSystem - > get ( ) - > popPseudoLocalityTag ( tagLocality , to ) ;
2019-04-24 06:39:26 +08:00
tagLocality = tagLocalityLogRouter ;
}
2019-03-20 02:36:07 +08:00
state Tag tag ( tagLocality , inputTag . id ) ;
2019-04-24 06:39:26 +08:00
auto tagData = logData - > getTagData ( tag ) ;
2018-03-18 01:36:19 +08:00
if ( ! tagData ) {
2019-04-24 06:39:26 +08:00
tagData = logData - > createTagData ( tag , upTo , true , true , false ) ;
} else if ( upTo > tagData - > popped ) {
tagData - > popped = upTo ;
2018-06-02 01:18:07 +08:00
tagData - > poppedRecently = true ;
2019-03-16 12:01:20 +08:00
tagData - > requiresPoppedLocationUpdate = true ;
2018-03-30 06:12:38 +08:00
2019-04-24 06:39:26 +08:00
if ( tagData - > unpoppedRecovered & & upTo > logData - > recoveredAt ) {
2018-03-30 06:12:38 +08:00
tagData - > unpoppedRecovered = false ;
logData - > unpoppedRecoveredTags - - ;
2019-04-24 06:39:26 +08:00
TraceEvent ( " TLogPoppedTag " , logData - > logId ) . detail ( " Tags " , logData - > unpoppedRecoveredTags ) . detail ( " Tag " , tag . toString ( ) ) . detail ( " DurableKCVer " , logData - > durableKnownCommittedVersion ) . detail ( " RecoveredAt " , logData - > recoveredAt ) ;
2018-04-28 03:18:42 +08:00
if ( logData - > unpoppedRecoveredTags = = 0 & & logData - > durableKnownCommittedVersion > = logData - > recoveredAt & & logData - > recoveryComplete . canBeSet ( ) ) {
2018-03-30 06:12:38 +08:00
logData - > recoveryComplete . send ( Void ( ) ) ;
}
}
2019-04-24 06:39:26 +08:00
if ( upTo > logData - > persistentDataDurableVersion )
2019-06-25 17:47:35 +08:00
wait ( tagData - > eraseMessagesBefore ( upTo , self , logData , TaskPriority : : TLogPop ) ) ;
2019-04-24 06:39:26 +08:00
//TraceEvent("TLogPop", self->dbgid).detail("Tag", tag.toString()).detail("To", upTo);
2017-05-26 04:48:44 +08:00
}
2019-03-20 02:36:07 +08:00
return Void ( ) ;
}
ACTOR Future < Void > tLogPop ( TLogData * self , TLogPopRequest req , Reference < LogData > logData ) {
// timeout check for ignorePopRequest
if ( self - > ignorePopRequest & & ( g_network - > now ( ) > self - > ignorePopDeadline ) ) {
TraceEvent ( " EnableTLogPlayAllIgnoredPops " ) ;
// use toBePopped and issue all the pops
2019-07-13 01:56:27 +08:00
std : : map < Tag , Version > : : iterator it ;
vector < Future < Void > > ignoredPops ;
2019-05-03 08:51:39 +08:00
self - > ignorePopRequest = false ;
self - > ignorePopUid = " " ;
self - > ignorePopDeadline = 0.0 ;
2019-03-20 02:36:07 +08:00
for ( it = self - > toBePopped . begin ( ) ; it ! = self - > toBePopped . end ( ) ; it + + ) {
TraceEvent ( " PlayIgnoredPop " )
. detail ( " Tag " , it - > first . toString ( ) )
. detail ( " Version " , it - > second ) ;
2019-04-13 04:23:02 +08:00
ignoredPops . push_back ( tLogPopCore ( self , it - > first , it - > second , logData ) ) ;
2019-03-20 02:36:07 +08:00
}
self - > toBePopped . clear ( ) ;
2019-05-03 08:51:39 +08:00
wait ( waitForAll ( ignoredPops ) ) ;
2019-03-20 02:36:07 +08:00
TraceEvent ( " ResetIgnorePopRequest " )
. detail ( " Now " , g_network - > now ( ) )
. detail ( " IgnorePopRequest " , self - > ignorePopRequest )
2019-04-24 07:17:54 +08:00
. detail ( " IgnorePopDeadline " , self - > ignorePopDeadline ) ;
2019-03-20 02:36:07 +08:00
}
wait ( tLogPopCore ( self , req . tag , req . to , logData ) ) ;
2017-05-26 04:48:44 +08:00
req . reply . send ( Void ( ) ) ;
return Void ( ) ;
}
void peekMessagesFromMemory ( Reference < LogData > self , TLogPeekRequest const & req , BinaryWriter & messages , Version & endVersion ) {
ASSERT ( ! messages . getLength ( ) ) ;
2018-06-02 01:18:07 +08:00
auto & deque = getVersionMessages ( self , req . tag ) ;
2019-03-19 06:03:43 +08:00
//TraceEvent("TLogPeekMem", self->dbgid).detail("Tag", req.tag1).detail("PDS", self->persistentDataSequence).detail("PDDS", self->persistentDataDurableSequence).detail("Oldest", map1.empty() ? 0 : map1.begin()->key ).detail("OldestMsgCount", map1.empty() ? 0 : map1.begin()->value.size());
2017-05-26 04:48:44 +08:00
Version begin = std : : max ( req . begin , self - > persistentDataDurableVersion + 1 ) ;
auto it = std : : lower_bound ( deque . begin ( ) , deque . end ( ) , std : : make_pair ( begin , LengthPrefixedStringRef ( ) ) , CompareFirst < std : : pair < Version , LengthPrefixedStringRef > > ( ) ) ;
Version currentVersion = - 1 ;
for ( ; it ! = deque . end ( ) ; + + it ) {
if ( it - > first ! = currentVersion ) {
if ( messages . getLength ( ) > = SERVER_KNOBS - > DESIRED_TOTAL_BYTES ) {
2018-04-19 07:06:44 +08:00
endVersion = currentVersion + 1 ;
2018-06-09 02:11:08 +08:00
//TraceEvent("TLogPeekMessagesReached2", self->dbgid);
2017-05-26 04:48:44 +08:00
break ;
}
currentVersion = it - > first ;
messages < < int32_t ( - 1 ) < < currentVersion ;
}
messages < < it - > second . toStringRef ( ) ;
}
}
2019-03-04 04:57:37 +08:00
ACTOR Future < std : : vector < StringRef > > parseMessagesForTag ( StringRef commitBlob , Tag tag , int logRouters ) {
2019-02-08 09:02:38 +08:00
// See the comment in LogSystem.cpp for the binary format of commitBlob.
2019-03-04 04:57:37 +08:00
state std : : vector < StringRef > relevantMessages ;
state BinaryReader rd ( commitBlob , AssumeVersion ( currentProtocolVersion ) ) ;
2019-02-08 09:02:38 +08:00
while ( ! rd . empty ( ) ) {
uint32_t messageLength = 0 ;
uint32_t subsequence = 0 ;
uint16_t tagCount = 0 ;
rd > > messageLength ;
rd . checkpoint ( ) ;
rd > > subsequence > > tagCount ;
Tag msgtag ;
bool match = false ;
for ( int i = 0 ; i < tagCount ; i + + ) {
rd > > msgtag ;
if ( msgtag = = tag ) {
match = true ;
break ;
} else if ( tag . locality = = tagLocalityLogRouter & & msgtag . locality = = tagLocalityLogRouter & &
msgtag . id % logRouters = = tag . id ) {
// Mutations that are in the partially durable span between known comitted version and
// recovery version get copied to the new log generation. These commits might have had more
// log router tags than what now exist, so we mod them down to what we have.
match = true ;
}
}
rd . rewind ( ) ;
const void * begin = rd . readBytes ( messageLength ) ;
if ( match ) {
relevantMessages . push_back ( StringRef ( ( uint8_t * ) begin , messageLength ) ) ;
}
2019-03-04 04:57:37 +08:00
wait ( yield ( ) ) ;
2019-02-08 09:02:38 +08:00
}
return relevantMessages ;
}
2017-05-26 04:48:44 +08:00
ACTOR Future < Void > tLogPeekMessages ( TLogData * self , TLogPeekRequest req , Reference < LogData > logData ) {
state BinaryWriter messages ( Unversioned ( ) ) ;
state BinaryWriter messages2 ( Unversioned ( ) ) ;
state int sequence = - 1 ;
state UID peekId ;
2019-06-20 09:15:09 +08:00
2017-05-26 04:48:44 +08:00
if ( req . sequence . present ( ) ) {
try {
peekId = req . sequence . get ( ) . first ;
sequence = req . sequence . get ( ) . second ;
2019-10-23 08:04:57 +08:00
if ( sequence > = SERVER_KNOBS - > PARALLEL_GET_MORE_REQUESTS & & logData - > peekTracker . find ( peekId ) = = logData - > peekTracker . end ( ) ) {
throw timed_out ( ) ;
}
2019-07-16 05:49:24 +08:00
auto & trackerData = logData - > peekTracker [ peekId ] ;
2019-07-16 09:51:24 +08:00
if ( sequence = = 0 & & trackerData . sequence_version . find ( 0 ) = = trackerData . sequence_version . end ( ) ) {
trackerData . sequence_version [ 0 ] . send ( std : : make_pair ( req . begin , req . onlySpilled ) ) ;
2019-07-16 05:49:24 +08:00
}
auto seqBegin = trackerData . sequence_version . begin ( ) ;
2019-07-16 09:51:24 +08:00
// The peek cursor and this comparison need to agree about the maximum number of in-flight requests.
2019-07-16 05:49:24 +08:00
while ( trackerData . sequence_version . size ( ) & & seqBegin - > first < = sequence - SERVER_KNOBS - > PARALLEL_GET_MORE_REQUESTS ) {
if ( seqBegin - > second . canBeSet ( ) ) {
seqBegin - > second . sendError ( timed_out ( ) ) ;
2018-10-03 08:28:39 +08:00
}
2019-07-16 05:49:24 +08:00
trackerData . sequence_version . erase ( seqBegin ) ;
seqBegin = trackerData . sequence_version . begin ( ) ;
}
2018-10-03 08:28:39 +08:00
2019-07-16 05:49:24 +08:00
if ( trackerData . sequence_version . size ( ) & & sequence < seqBegin - > first ) {
throw timed_out ( ) ;
2017-05-26 04:48:44 +08:00
}
2019-07-16 05:49:24 +08:00
trackerData . lastUpdate = now ( ) ;
2019-07-16 08:05:39 +08:00
std : : pair < Version , bool > prevPeekData = wait ( trackerData . sequence_version [ sequence ] . getFuture ( ) ) ;
req . begin = prevPeekData . first ;
req . onlySpilled = prevPeekData . second ;
2019-07-16 05:49:24 +08:00
wait ( yield ( ) ) ;
2017-05-26 04:48:44 +08:00
} catch ( Error & e ) {
if ( e . code ( ) = = error_code_timed_out ) {
req . reply . sendError ( timed_out ( ) ) ;
return Void ( ) ;
} else {
throw ;
}
}
}
if ( req . returnIfBlocked & & logData - > version . get ( ) < req . begin ) {
req . reply . sendError ( end_of_stream ( ) ) ;
2019-07-16 05:49:24 +08:00
if ( req . sequence . present ( ) ) {
auto & trackerData = logData - > peekTracker [ peekId ] ;
auto & sequenceData = trackerData . sequence_version [ sequence + 1 ] ;
if ( ! sequenceData . isSet ( ) ) {
2019-07-16 08:05:39 +08:00
sequenceData . send ( std : : make_pair ( req . begin , req . onlySpilled ) ) ;
2019-07-16 05:49:24 +08:00
}
}
2017-05-26 04:48:44 +08:00
return Void ( ) ;
}
2019-03-19 06:03:43 +08:00
//TraceEvent("TLogPeekMessages0", self->dbgid).detail("ReqBeginEpoch", req.begin.epoch).detail("ReqBeginSeq", req.begin.sequence).detail("Epoch", self->epoch()).detail("PersistentDataSeq", self->persistentDataSequence).detail("Tag1", req.tag1).detail("Tag2", req.tag2);
2017-05-26 04:48:44 +08:00
// Wait until we have something to return that the caller doesn't already have
if ( logData - > version . get ( ) < req . begin ) {
2018-08-11 04:57:10 +08:00
wait ( logData - > version . whenAtLeast ( req . begin ) ) ;
wait ( delay ( SERVER_KNOBS - > TLOG_PEEK_DELAY , g_network - > getCurrentTask ( ) ) ) ;
2017-05-26 04:48:44 +08:00
}
2018-08-05 01:31:30 +08:00
if ( req . tag . locality = = tagLocalityLogRouter ) {
2018-08-11 07:29:44 +08:00
wait ( self - > concurrentLogRouterReads . take ( ) ) ;
2018-08-05 01:31:30 +08:00
state FlowLock : : Releaser globalReleaser ( self - > concurrentLogRouterReads ) ;
2019-06-25 17:47:35 +08:00
wait ( delay ( 0.0 , TaskPriority : : Low ) ) ;
2018-08-05 01:31:30 +08:00
}
2019-06-20 09:15:09 +08:00
if ( req . begin < = logData - > persistentDataDurableVersion & & req . tag . locality ! = tagLocalityTxs & & req . tag ! = txsTag ) {
2019-05-04 03:55:41 +08:00
// Reading spilled data will almost always imply that the storage server is >5s behind the rest
// of the cluster. We shouldn't prioritize spending CPU on helping this server catch up
// slightly faster over keeping the rest of the cluster operating normally.
// txsTag is only ever peeked on recovery, and we would still wish to prioritize requests
// that impact recovery duration.
2019-06-25 17:47:35 +08:00
wait ( delay ( 0 , TaskPriority : : TLogSpilledPeekReply ) ) ;
2019-05-04 03:55:41 +08:00
}
2017-06-30 06:50:19 +08:00
Version poppedVer = poppedVersion ( logData , req . tag ) ;
if ( poppedVer > req . begin ) {
TLogPeekReply rep ;
rep . maxKnownVersion = logData - > version . get ( ) ;
2018-06-22 06:29:46 +08:00
rep . minKnownCommittedVersion = logData - > minKnownCommittedVersion ;
2017-06-30 06:50:19 +08:00
rep . popped = poppedVer ;
rep . end = poppedVer ;
2019-05-15 08:07:49 +08:00
rep . onlySpilled = false ;
2017-07-14 03:29:21 +08:00
if ( req . sequence . present ( ) ) {
Fix parallel peek stalling for 10min when a TLog generation is destroyed.
`peekTracker` was held on the Shared TLog (TLogData), whereas peeks are
received and replied to as part of a TLog instance (LogData). When a
peek was received on a TLog, it was registered into peekTracker along
with the ReplyPromise. If the TLog was then removed as part of a
no-longer-needed generation of TLogs, there is nothing left to reply to
the request, but by holding onto the ReplyPromise in peekTracker, we
leave the remote end with an expectation that we will reply. Then,
10min later, peekTrackerCleanup runs and finally times out the peek
cursor, thus preventing FDB from being completely stuck.
Now, each TLog generation has its own `peekTracker`, and when a TLog is
destroyed, it times out all of the pending peek curors that are still
expecting a response. This will then trigger the client to re-issue
them to the next generation of TLogs, thus removing the 10min gap to do
so.
2019-07-10 08:27:36 +08:00
auto & trackerData = logData - > peekTracker [ peekId ] ;
2019-07-16 05:49:24 +08:00
auto & sequenceData = trackerData . sequence_version [ sequence + 1 ] ;
2017-07-14 03:29:21 +08:00
trackerData . lastUpdate = now ( ) ;
2018-10-03 08:28:39 +08:00
if ( trackerData . sequence_version . size ( ) & & sequence + 1 < trackerData . sequence_version . begin ( ) - > first ) {
req . reply . sendError ( timed_out ( ) ) ;
2019-07-16 05:49:24 +08:00
if ( ! sequenceData . isSet ( ) )
sequenceData . sendError ( timed_out ( ) ) ;
2018-10-03 08:28:39 +08:00
return Void ( ) ;
}
2017-07-14 03:29:21 +08:00
if ( sequenceData . isSet ( ) ) {
2019-07-09 13:13:09 +08:00
if ( sequenceData . getFuture ( ) . get ( ) . first ! = rep . end ) {
2017-07-14 03:29:21 +08:00
TEST ( true ) ; //tlog peek second attempt ended at a different version
req . reply . sendError ( timed_out ( ) ) ;
return Void ( ) ;
}
} else {
2019-07-09 13:13:09 +08:00
sequenceData . send ( std : : make_pair ( rep . end , rep . onlySpilled ) ) ;
2017-07-14 03:29:21 +08:00
}
2018-06-26 02:15:49 +08:00
rep . begin = req . begin ;
2017-07-14 03:29:21 +08:00
}
2017-06-30 06:50:19 +08:00
req . reply . send ( rep ) ;
return Void ( ) ;
}
2017-05-26 04:48:44 +08:00
state Version endVersion = logData - > version . get ( ) + 1 ;
2019-05-15 08:07:49 +08:00
state bool onlySpilled = false ;
2017-05-26 04:48:44 +08:00
//grab messages from disk
2019-03-19 06:03:43 +08:00
//TraceEvent("TLogPeekMessages", self->dbgid).detail("ReqBeginEpoch", req.begin.epoch).detail("ReqBeginSeq", req.begin.sequence).detail("Epoch", self->epoch()).detail("PersistentDataSeq", self->persistentDataSequence).detail("Tag1", req.tag1).detail("Tag2", req.tag2);
2017-05-26 04:48:44 +08:00
if ( req . begin < = logData - > persistentDataDurableVersion ) {
// Just in case the durable version changes while we are waiting for the read, we grab this data from memory. We may or may not actually send it depending on
// whether we get enough data from disk.
// SOMEDAY: Only do this if an initial attempt to read from disk results in insufficient data and the required data is no longer in memory
// SOMEDAY: Should we only send part of the messages we collected, to actually limit the size of the result?
2019-05-15 08:07:49 +08:00
if ( req . onlySpilled ) {
endVersion = logData - > persistentDataDurableVersion + 1 ;
} else {
peekMessagesFromMemory ( logData , req , messages2 , endVersion ) ;
}
2017-05-26 04:48:44 +08:00
2019-06-20 09:15:09 +08:00
if ( req . tag . locality = = tagLocalityTxs | | req . tag = = txsTag ) {
2019-03-04 04:57:33 +08:00
Standalone < VectorRef < KeyValueRef > > kvs = wait (
self - > persistentData - > readRange ( KeyRangeRef (
2019-03-04 09:01:52 +08:00
persistTagMessagesKey ( logData - > logId , req . tag , req . begin ) ,
persistTagMessagesKey ( logData - > logId , req . tag , logData - > persistentDataDurableVersion + 1 ) ) , SERVER_KNOBS - > DESIRED_TOTAL_BYTES , SERVER_KNOBS - > DESIRED_TOTAL_BYTES ) ) ;
2019-02-08 09:02:38 +08:00
2019-03-04 04:57:33 +08:00
for ( auto & kv : kvs ) {
2019-03-04 09:01:52 +08:00
auto ver = decodeTagMessagesKey ( kv . key ) ;
2019-03-04 04:57:33 +08:00
messages < < int32_t ( - 1 ) < < ver ;
messages . serializeBytes ( kv . value ) ;
2019-02-08 09:02:38 +08:00
}
2019-05-15 08:07:49 +08:00
if ( kvs . expectedSize ( ) > = SERVER_KNOBS - > DESIRED_TOTAL_BYTES ) {
2019-03-04 09:01:52 +08:00
endVersion = decodeTagMessagesKey ( kvs . end ( ) [ - 1 ] . key ) + 1 ;
2019-05-15 08:07:49 +08:00
onlySpilled = true ;
} else {
2019-03-29 02:52:50 +08:00
messages . serializeBytes ( messages2 . toValue ( ) ) ;
2019-05-15 08:07:49 +08:00
}
2019-03-04 04:57:33 +08:00
} else {
// FIXME: Limit to approximately DESIRED_TOTATL_BYTES somehow.
2019-03-04 04:57:36 +08:00
Standalone < VectorRef < KeyValueRef > > kvrefs = wait (
2019-03-04 04:57:33 +08:00
self - > persistentData - > readRange ( KeyRangeRef (
persistTagMessageRefsKey ( logData - > logId , req . tag , req . begin ) ,
2019-05-02 08:40:31 +08:00
persistTagMessageRefsKey ( logData - > logId , req . tag , logData - > persistentDataDurableVersion + 1 ) ) ,
SERVER_KNOBS - > TLOG_SPILL_REFERENCE_MAX_BATCHES_PER_PEEK + 1 ) ) ;
2019-03-04 04:57:33 +08:00
2019-03-19 06:03:43 +08:00
//TraceEvent("TLogPeekResults", self->dbgid).detail("ForAddress", req.reply.getEndpoint().getPrimaryAddress()).detail("Tag1Results", s1).detail("Tag2Results", s2).detail("Tag1ResultsLim", kv1.size()).detail("Tag2ResultsLim", kv2.size()).detail("Tag1ResultsLast", kv1.size() ? kv1[0].key : "").detail("Tag2ResultsLast", kv2.size() ? kv2[0].key : "").detail("Limited", limited).detail("NextEpoch", next_pos.epoch).detail("NextSeq", next_pos.sequence).detail("NowEpoch", self->epoch()).detail("NowSeq", self->sequence.getNextSequence());
2019-03-04 04:57:33 +08:00
2019-03-04 04:57:38 +08:00
state std : : vector < std : : pair < IDiskQueue : : location , IDiskQueue : : location > > commitLocations ;
2019-03-04 04:57:36 +08:00
state bool earlyEnd = false ;
uint32_t mutationBytes = 0 ;
2019-03-04 08:49:42 +08:00
state uint64_t commitBytes = 0 ;
2019-03-16 12:01:20 +08:00
state Version firstVersion = std : : numeric_limits < Version > : : max ( ) ;
2019-05-02 08:40:31 +08:00
for ( int i = 0 ; i < kvrefs . size ( ) & & i < SERVER_KNOBS - > TLOG_SPILL_REFERENCE_MAX_BATCHES_PER_PEEK ; i + + ) {
auto & kv = kvrefs [ i ] ;
2019-03-04 04:57:35 +08:00
VectorRef < SpilledData > spilledData ;
2019-03-16 12:01:17 +08:00
BinaryReader r ( kv . value , AssumeVersion ( logData - > protocolVersion ) ) ;
2019-03-04 04:57:35 +08:00
r > > spilledData ;
for ( const SpilledData & sd : spilledData ) {
2019-03-04 04:57:36 +08:00
if ( mutationBytes > = SERVER_KNOBS - > DESIRED_TOTAL_BYTES ) {
earlyEnd = true ;
break ;
}
2019-03-04 04:57:35 +08:00
if ( sd . version > = req . begin ) {
2019-03-16 12:01:20 +08:00
firstVersion = std : : min ( firstVersion , sd . version ) ;
2019-03-04 04:57:41 +08:00
const IDiskQueue : : location end = sd . start . lo + sd . length ;
commitLocations . push_back ( std : : make_pair ( sd . start , end ) ) ;
2019-03-04 04:57:38 +08:00
// This isn't perfect, because we aren't accounting for page boundaries, but should be
// close enough.
2019-03-04 04:57:41 +08:00
commitBytes + = sd . length ;
2019-03-04 04:57:36 +08:00
mutationBytes + = sd . mutationBytes ;
2019-03-04 04:57:35 +08:00
}
}
2019-03-04 04:57:36 +08:00
if ( earlyEnd ) break ;
2019-03-04 04:57:33 +08:00
}
2019-05-02 08:40:31 +08:00
earlyEnd = earlyEnd | | ( kvrefs . size ( ) > = SERVER_KNOBS - > TLOG_SPILL_REFERENCE_MAX_BATCHES_PER_PEEK + 1 ) ;
2019-06-25 17:47:35 +08:00
wait ( self - > peekMemoryLimiter . take ( TaskPriority : : TLogSpilledPeekReply , commitBytes ) ) ;
2019-03-04 08:49:42 +08:00
state FlowLock : : Releaser memoryReservation ( self - > peekMemoryLimiter , commitBytes ) ;
2019-03-04 04:57:38 +08:00
state std : : vector < Future < Standalone < StringRef > > > messageReads ;
messageReads . reserve ( commitLocations . size ( ) ) ;
for ( const auto & pair : commitLocations ) {
2019-03-16 12:01:19 +08:00
messageReads . push_back ( self - > rawPersistentQueue - > read ( pair . first , pair . second , CheckHashes : : YES ) ) ;
2019-03-04 04:57:38 +08:00
}
commitLocations . clear ( ) ;
2019-03-04 04:57:33 +08:00
wait ( waitForAll ( messageReads ) ) ;
2019-03-04 04:57:37 +08:00
state Version lastRefMessageVersion = 0 ;
state int index = 0 ;
loop {
if ( index > = messageReads . size ( ) ) break ;
Standalone < StringRef > queueEntryData = messageReads [ index ] . get ( ) ;
2019-03-04 04:57:33 +08:00
uint8_t valid ;
const uint32_t length = * ( uint32_t * ) queueEntryData . begin ( ) ;
queueEntryData = queueEntryData . substr ( 4 , queueEntryData . size ( ) - 4 ) ;
BinaryReader rd ( queueEntryData , IncludeVersion ( ) ) ;
2019-03-04 04:57:37 +08:00
state TLogQueueEntry entry ;
2019-03-04 04:57:33 +08:00
rd > > entry > > valid ;
ASSERT ( valid = = 0x01 ) ;
ASSERT ( length + sizeof ( valid ) = = queueEntryData . size ( ) ) ;
2019-03-04 04:57:35 +08:00
messages < < int32_t ( - 1 ) < < entry . version ;
2019-03-04 04:57:33 +08:00
2019-03-04 04:57:37 +08:00
std : : vector < StringRef > parsedMessages = wait ( parseMessagesForTag ( entry . messages , req . tag , logData - > logRouterTags ) ) ;
2019-03-04 04:57:33 +08:00
for ( StringRef msg : parsedMessages ) {
messages < < msg ;
}
2019-03-04 04:57:35 +08:00
lastRefMessageVersion = entry . version ;
2019-03-04 04:57:37 +08:00
index + + ;
2019-02-08 09:02:38 +08:00
}
2017-05-26 04:48:44 +08:00
2019-03-04 04:57:33 +08:00
messageReads . clear ( ) ;
2019-03-04 08:49:42 +08:00
memoryReservation . release ( ) ;
2019-02-08 09:02:38 +08:00
2019-05-15 08:07:49 +08:00
if ( earlyEnd ) {
2019-03-04 04:57:33 +08:00
endVersion = lastRefMessageVersion + 1 ;
2019-05-15 08:07:49 +08:00
onlySpilled = true ;
} else {
2019-03-29 02:52:50 +08:00
messages . serializeBytes ( messages2 . toValue ( ) ) ;
2019-05-15 08:07:49 +08:00
}
2019-03-04 04:57:33 +08:00
}
2017-05-26 04:48:44 +08:00
} else {
2019-05-15 08:07:49 +08:00
if ( req . onlySpilled ) {
endVersion = logData - > persistentDataDurableVersion + 1 ;
} else {
peekMessagesFromMemory ( logData , req , messages , endVersion ) ;
}
2018-10-31 04:44:37 +08:00
//TraceEvent("TLogPeekResults", self->dbgid).detail("ForAddress", req.reply.getEndpoint().getPrimaryAddress()).detail("MessageBytes", messages.getLength()).detail("NextEpoch", next_pos.epoch).detail("NextSeq", next_pos.sequence).detail("NowSeq", self->sequence.getNextSequence());
2017-05-26 04:48:44 +08:00
}
TLogPeekReply reply ;
reply . maxKnownVersion = logData - > version . get ( ) ;
2018-06-22 06:29:46 +08:00
reply . minKnownCommittedVersion = logData - > minKnownCommittedVersion ;
2019-03-29 02:52:50 +08:00
reply . messages = messages . toValue ( ) ;
2017-06-30 06:50:19 +08:00
reply . end = endVersion ;
2019-05-15 08:07:49 +08:00
reply . onlySpilled = onlySpilled ;
2017-06-30 06:50:19 +08:00
2018-10-31 04:44:37 +08:00
//TraceEvent("TlogPeek", self->dbgid).detail("LogId", logData->logId).detail("EndVer", reply.end).detail("MsgBytes", reply.messages.expectedSize()).detail("ForAddress", req.reply.getEndpoint().getPrimaryAddress());
2017-05-26 04:48:44 +08:00
if ( req . sequence . present ( ) ) {
Fix parallel peek stalling for 10min when a TLog generation is destroyed.
`peekTracker` was held on the Shared TLog (TLogData), whereas peeks are
received and replied to as part of a TLog instance (LogData). When a
peek was received on a TLog, it was registered into peekTracker along
with the ReplyPromise. If the TLog was then removed as part of a
no-longer-needed generation of TLogs, there is nothing left to reply to
the request, but by holding onto the ReplyPromise in peekTracker, we
leave the remote end with an expectation that we will reply. Then,
10min later, peekTrackerCleanup runs and finally times out the peek
cursor, thus preventing FDB from being completely stuck.
Now, each TLog generation has its own `peekTracker`, and when a TLog is
destroyed, it times out all of the pending peek curors that are still
expecting a response. This will then trigger the client to re-issue
them to the next generation of TLogs, thus removing the 10min gap to do
so.
2019-07-10 08:27:36 +08:00
auto & trackerData = logData - > peekTracker [ peekId ] ;
2017-05-26 04:48:44 +08:00
trackerData . lastUpdate = now ( ) ;
2019-07-16 05:49:24 +08:00
auto & sequenceData = trackerData . sequence_version [ sequence + 1 ] ;
2018-10-03 08:28:39 +08:00
if ( trackerData . sequence_version . size ( ) & & sequence + 1 < trackerData . sequence_version . begin ( ) - > first ) {
req . reply . sendError ( timed_out ( ) ) ;
2019-07-16 05:49:24 +08:00
if ( ! sequenceData . isSet ( ) )
sequenceData . sendError ( timed_out ( ) ) ;
2018-10-03 08:28:39 +08:00
return Void ( ) ;
}
2017-05-26 04:48:44 +08:00
if ( sequenceData . isSet ( ) ) {
2019-07-09 13:13:09 +08:00
if ( sequenceData . getFuture ( ) . get ( ) . first ! = reply . end ) {
2017-05-26 04:48:44 +08:00
TEST ( true ) ; //tlog peek second attempt ended at a different version
req . reply . sendError ( timed_out ( ) ) ;
return Void ( ) ;
}
} else {
2019-07-09 13:13:09 +08:00
sequenceData . send ( std : : make_pair ( reply . end , reply . onlySpilled ) ) ;
2017-05-26 04:48:44 +08:00
}
2018-06-26 02:15:49 +08:00
reply . begin = req . begin ;
2017-05-26 04:48:44 +08:00
}
req . reply . send ( reply ) ;
return Void ( ) ;
}
2019-03-09 00:46:34 +08:00
ACTOR Future < Void > watchDegraded ( TLogData * self ) {
2019-07-31 07:33:40 +08:00
if ( g_network - > isSimulated ( ) & & g_simulator . speedUpSimulation ) {
return Void ( ) ;
}
2019-03-09 00:46:34 +08:00
//This delay is divided into multiple delays to avoid marking the tlog as degraded because of a single SlowTask
state int loopCount = 0 ;
while ( loopCount < SERVER_KNOBS - > TLOG_DEGRADED_DELAY_COUNT ) {
2019-06-25 17:47:35 +08:00
wait ( delay ( SERVER_KNOBS - > TLOG_DEGRADED_DURATION / SERVER_KNOBS - > TLOG_DEGRADED_DELAY_COUNT , TaskPriority : : Low ) ) ;
2019-03-09 00:46:34 +08:00
loopCount + + ;
}
2019-03-11 13:58:15 +08:00
TraceEvent ( SevWarnAlways , " TLogDegraded " , self - > dbgid ) ;
2019-03-12 03:11:17 +08:00
TEST ( true ) ; //TLog degraded
2019-03-09 00:46:34 +08:00
self - > degraded - > set ( true ) ;
return Void ( ) ;
}
2019-03-30 11:11:30 +08:00
ACTOR Future < Void > doQueueCommit ( TLogData * self , Reference < LogData > logData , std : : vector < Reference < LogData > > missingFinalCommit ) {
2017-05-26 04:48:44 +08:00
state Version ver = logData - > version . get ( ) ;
state Version commitNumber = self - > queueCommitBegin + 1 ;
2018-04-19 03:07:29 +08:00
state Version knownCommittedVersion = logData - > knownCommittedVersion ;
2017-05-26 04:48:44 +08:00
self - > queueCommitBegin = commitNumber ;
logData - > queueCommittingVersion = ver ;
Future < Void > c = self - > persistentQueue - > commit ( ) ;
self - > diskQueueCommitBytes = 0 ;
self - > largeDiskQueueCommitBytes . set ( false ) ;
2019-03-09 00:46:34 +08:00
state Future < Void > degraded = watchDegraded ( self ) ;
2018-08-11 04:57:10 +08:00
wait ( c ) ;
2019-03-12 03:11:17 +08:00
if ( g_network - > isSimulated ( ) & & ! g_simulator . speedUpSimulation & & BUGGIFY_WITH_PROB ( 0.0001 ) ) {
wait ( delay ( 6.0 ) ) ;
}
2019-03-09 00:46:34 +08:00
degraded . cancel ( ) ;
2018-08-11 04:57:10 +08:00
wait ( self - > queueCommitEnd . whenAtLeast ( commitNumber - 1 ) ) ;
2017-05-26 04:48:44 +08:00
//Calling check_yield instead of yield to avoid a destruction ordering problem in simulation
if ( g_network - > check_yield ( g_network - > getCurrentTask ( ) ) ) {
2018-08-11 04:57:10 +08:00
wait ( delay ( 0 , g_network - > getCurrentTask ( ) ) ) ;
2017-05-26 04:48:44 +08:00
}
ASSERT ( ver > logData - > queueCommittedVersion . get ( ) ) ;
2018-04-28 03:18:42 +08:00
logData - > durableKnownCommittedVersion = knownCommittedVersion ;
if ( logData - > unpoppedRecoveredTags = = 0 & & knownCommittedVersion > = logData - > recoveredAt & & logData - > recoveryComplete . canBeSet ( ) ) {
2018-06-09 02:11:08 +08:00
TraceEvent ( " TLogRecoveryComplete " , logData - > logId ) . detail ( " Tags " , logData - > unpoppedRecoveredTags ) . detail ( " DurableKCVer " , logData - > durableKnownCommittedVersion ) . detail ( " RecoveredAt " , logData - > recoveredAt ) ;
2018-04-28 03:18:42 +08:00
logData - > recoveryComplete . send ( Void ( ) ) ;
}
2017-07-10 05:46:16 +08:00
2018-08-02 05:30:57 +08:00
//TraceEvent("TLogCommitDurable", self->dbgid).detail("Version", ver);
2018-04-13 06:20:54 +08:00
if ( logData - > logSystem - > get ( ) & & ( ! logData - > isPrimary | | logData - > logRouterPoppedVersion < logData - > logRouterPopToVersion ) ) {
2018-04-09 12:24:05 +08:00
logData - > logRouterPoppedVersion = ver ;
2018-04-19 03:07:29 +08:00
logData - > logSystem - > get ( ) - > pop ( ver , logData - > remoteTag , knownCommittedVersion , logData - > locality ) ;
2018-04-09 12:24:05 +08:00
}
2017-05-26 04:48:44 +08:00
2018-05-02 13:20:25 +08:00
logData - > queueCommittedVersion . set ( ver ) ;
self - > queueCommitEnd . set ( commitNumber ) ;
2019-03-30 11:11:30 +08:00
for ( auto & it : missingFinalCommit ) {
TraceEvent ( " TLogCommitMissingFinalCommit " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " Version " , it - > version . get ( ) ) . detail ( " QueueVer " , it - > queueCommittedVersion . get ( ) ) ;
2019-03-30 11:16:26 +08:00
TEST ( true ) ; //A TLog was replaced before having a chance to commit its queue
2019-03-30 11:11:30 +08:00
it - > queueCommittedVersion . set ( it - > version . get ( ) ) ;
}
2017-05-26 04:48:44 +08:00
return Void ( ) ;
}
ACTOR Future < Void > commitQueue ( TLogData * self ) {
state Reference < LogData > logData ;
loop {
2018-08-11 05:37:35 +08:00
int foundCount = 0 ;
2019-03-30 11:11:30 +08:00
state std : : vector < Reference < LogData > > missingFinalCommit ;
2017-05-26 04:48:44 +08:00
for ( auto it : self - > id_data ) {
if ( ! it . second - > stopped ) {
logData = it . second ;
foundCount + + ;
2019-03-30 11:11:30 +08:00
} else if ( it . second - > version . get ( ) > std : : max ( it . second - > queueCommittingVersion , it . second - > queueCommittedVersion . get ( ) ) ) {
missingFinalCommit . push_back ( it . second ) ;
2017-05-26 04:48:44 +08:00
}
}
ASSERT ( foundCount < 2 ) ;
if ( ! foundCount ) {
2018-08-11 04:57:10 +08:00
wait ( self - > newLogData . onTrigger ( ) ) ;
2017-05-26 04:48:44 +08:00
continue ;
}
2018-06-09 02:11:08 +08:00
TraceEvent ( " CommitQueueNewLog " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " Version " , logData - > version . get ( ) ) . detail ( " Committing " , logData - > queueCommittingVersion ) . detail ( " Commmitted " , logData - > queueCommittedVersion . get ( ) ) ;
2018-04-30 13:08:24 +08:00
if ( logData - > committingQueue . canBeSet ( ) ) {
logData - > committingQueue . send ( Void ( ) ) ;
}
2017-05-26 04:48:44 +08:00
loop {
if ( logData - > stopped & & logData - > version . get ( ) = = std : : max ( logData - > queueCommittingVersion , logData - > queueCommittedVersion . get ( ) ) ) {
2018-08-11 04:57:10 +08:00
wait ( logData - > queueCommittedVersion . whenAtLeast ( logData - > version . get ( ) ) ) ;
2017-05-26 04:48:44 +08:00
break ;
}
choose {
2018-08-11 04:57:10 +08:00
when ( wait ( logData - > version . whenAtLeast ( std : : max ( logData - > queueCommittingVersion , logData - > queueCommittedVersion . get ( ) ) + 1 ) ) ) {
2017-05-26 04:48:44 +08:00
while ( self - > queueCommitBegin ! = self - > queueCommitEnd . get ( ) & & ! self - > largeDiskQueueCommitBytes . get ( ) ) {
2018-08-11 04:57:10 +08:00
wait ( self - > queueCommitEnd . whenAtLeast ( self - > queueCommitBegin ) | | self - > largeDiskQueueCommitBytes . onChange ( ) ) ;
2017-05-26 04:48:44 +08:00
}
2019-03-30 11:11:30 +08:00
self - > sharedActors . send ( doQueueCommit ( self , logData , missingFinalCommit ) ) ;
missingFinalCommit . clear ( ) ;
2017-05-26 04:48:44 +08:00
}
2018-08-11 04:57:10 +08:00
when ( wait ( self - > newLogData . onTrigger ( ) ) ) { }
2017-05-26 04:48:44 +08:00
}
}
}
}
ACTOR Future < Void > tLogCommit (
TLogData * self ,
TLogCommitRequest req ,
Reference < LogData > logData ,
PromiseStream < Void > warningCollectorInput ) {
state Optional < UID > tlogDebugID ;
if ( req . debugID . present ( ) )
{
2019-05-11 05:01:52 +08:00
tlogDebugID = nondeterministicRandom ( ) - > randomUniqueID ( ) ;
2017-05-26 04:48:44 +08:00
g_traceBatch . addAttach ( " CommitAttachID " , req . debugID . get ( ) . first ( ) , tlogDebugID . get ( ) . first ( ) ) ;
g_traceBatch . addEvent ( " CommitDebug " , tlogDebugID . get ( ) . first ( ) , " TLog.tLogCommit.BeforeWaitForVersion " ) ;
}
2018-06-22 06:29:46 +08:00
logData - > minKnownCommittedVersion = std : : max ( logData - > minKnownCommittedVersion , req . minKnownCommittedVersion ) ;
2017-05-26 04:48:44 +08:00
2018-08-11 04:57:10 +08:00
wait ( logData - > version . whenAtLeast ( req . prevVersion ) ) ;
2017-05-26 04:48:44 +08:00
//Calling check_yield instead of yield to avoid a destruction ordering problem in simulation
if ( g_network - > check_yield ( g_network - > getCurrentTask ( ) ) ) {
2018-08-11 04:57:10 +08:00
wait ( delay ( 0 , g_network - > getCurrentTask ( ) ) ) ;
2017-05-26 04:48:44 +08:00
}
2018-06-19 08:22:40 +08:00
state double waitStartT = 0 ;
2018-06-19 13:12:46 +08:00
while ( self - > bytesInput - self - > bytesDurable > = SERVER_KNOBS - > TLOG_HARD_LIMIT_BYTES & & ! logData - > stopped ) {
2018-06-19 08:22:40 +08:00
if ( now ( ) - waitStartT > = 1 ) {
TraceEvent ( SevWarn , " TLogUpdateLag " , logData - > logId )
. detail ( " Version " , logData - > version . get ( ) )
. detail ( " PersistentDataVersion " , logData - > persistentDataVersion )
2018-06-19 08:59:29 +08:00
. detail ( " PersistentDataDurableVersion " , logData - > persistentDataDurableVersion ) ;
2018-06-19 08:22:40 +08:00
waitStartT = now ( ) ;
}
2019-06-25 17:47:35 +08:00
wait ( delayJittered ( .005 , TaskPriority : : TLogCommit ) ) ;
2018-06-19 08:22:40 +08:00
}
2019-05-10 09:15:17 +08:00
if ( logData - > stopped ) {
req . reply . sendError ( tlog_stopped ( ) ) ;
return Void ( ) ;
}
2019-05-22 07:19:40 +08:00
if ( logData - > version . get ( ) = = req . prevVersion ) { // Not a duplicate (check relies on critical section between here self->version.set() below!)
2017-05-26 04:48:44 +08:00
if ( req . debugID . present ( ) )
g_traceBatch . addEvent ( " CommitDebug " , tlogDebugID . get ( ) . first ( ) , " TLog.tLogCommit.Before " ) ;
2019-02-28 07:40:33 +08:00
//TraceEvent("TLogCommit", logData->logId).detail("Version", req.version);
commitMessages ( self , logData , req . version , req . arena , req . messages ) ;
logData - > knownCommittedVersion = std : : max ( logData - > knownCommittedVersion , req . knownCommittedVersion ) ;
2019-07-23 06:44:49 +08:00
TLogQueueEntryRef qe ;
2019-05-26 05:12:18 +08:00
// Log the changes to the persistent queue, to be committed by commitQueue()
qe . version = req . version ;
qe . knownCommittedVersion = logData - > knownCommittedVersion ;
qe . messages = req . messages ;
qe . id = logData - > logId ;
2018-03-30 06:12:38 +08:00
self - > persistentQueue - > push ( qe , logData ) ;
2017-05-26 04:48:44 +08:00
self - > diskQueueCommitBytes + = qe . expectedSize ( ) ;
if ( self - > diskQueueCommitBytes > SERVER_KNOBS - > MAX_QUEUE_COMMIT_BYTES ) {
self - > largeDiskQueueCommitBytes . set ( true ) ;
}
// Notifies the commitQueue actor to commit persistentQueue, and also unblocks tLogPeekMessages actors
logData - > version . set ( req . version ) ;
if ( req . debugID . present ( ) )
g_traceBatch . addEvent ( " CommitDebug " , tlogDebugID . get ( ) . first ( ) , " TLog.tLogCommit.AfterTLogCommit " ) ;
}
// Send replies only once all prior messages have been received and committed.
2018-03-20 08:48:28 +08:00
state Future < Void > stopped = logData - > stopCommit . onTrigger ( ) ;
2018-08-11 04:57:10 +08:00
wait ( timeoutWarning ( logData - > queueCommittedVersion . whenAtLeast ( req . version ) | | stopped , 0.1 , warningCollectorInput ) ) ;
2018-03-20 08:48:28 +08:00
if ( stopped . isReady ( ) ) {
ASSERT ( logData - > stopped ) ;
req . reply . sendError ( tlog_stopped ( ) ) ;
return Void ( ) ;
}
2017-05-26 04:48:44 +08:00
if ( req . debugID . present ( ) )
g_traceBatch . addEvent ( " CommitDebug " , tlogDebugID . get ( ) . first ( ) , " TLog.tLogCommit.After " ) ;
2018-06-22 06:29:46 +08:00
req . reply . send ( logData - > durableKnownCommittedVersion ) ;
2017-05-26 04:48:44 +08:00
return Void ( ) ;
}
2018-07-07 07:10:41 +08:00
ACTOR Future < Void > initPersistentState ( TLogData * self , Reference < LogData > logData ) {
2018-09-22 07:14:39 +08:00
wait ( self - > persistentDataCommitLock . take ( ) ) ;
state FlowLock : : Releaser commitLockReleaser ( self - > persistentDataCommitLock ) ;
2017-05-26 04:48:44 +08:00
// PERSIST: Initial setup of persistentData for a brand new tLog for a new database
2017-09-22 14:51:55 +08:00
state IKeyValueStore * storage = self - > persistentData ;
2018-09-20 18:39:55 +08:00
wait ( storage - > init ( ) ) ;
2017-05-26 04:48:44 +08:00
storage - > set ( persistFormat ) ;
2018-06-19 08:59:29 +08:00
storage - > set ( KeyValueRef ( BinaryWriter : : toValue ( logData - > logId , Unversioned ( ) ) . withPrefix ( persistCurrentVersionKeys . begin ) , BinaryWriter : : toValue ( logData - > version . get ( ) , Unversioned ( ) ) ) ) ;
2018-04-21 08:55:46 +08:00
storage - > set ( KeyValueRef ( BinaryWriter : : toValue ( logData - > logId , Unversioned ( ) ) . withPrefix ( persistKnownCommittedVersionKeys . begin ) , BinaryWriter : : toValue ( logData - > knownCommittedVersion , Unversioned ( ) ) ) ) ;
2018-06-18 05:44:33 +08:00
storage - > set ( KeyValueRef ( BinaryWriter : : toValue ( logData - > logId , Unversioned ( ) ) . withPrefix ( persistLocalityKeys . begin ) , BinaryWriter : : toValue ( logData - > locality , Unversioned ( ) ) ) ) ;
2018-04-09 12:24:05 +08:00
storage - > set ( KeyValueRef ( BinaryWriter : : toValue ( logData - > logId , Unversioned ( ) ) . withPrefix ( persistLogRouterTagsKeys . begin ) , BinaryWriter : : toValue ( logData - > logRouterTags , Unversioned ( ) ) ) ) ;
2019-06-20 09:15:09 +08:00
storage - > set ( KeyValueRef ( BinaryWriter : : toValue ( logData - > logId , Unversioned ( ) ) . withPrefix ( persistTxsTagsKeys . begin ) , BinaryWriter : : toValue ( logData - > txsTags , Unversioned ( ) ) ) ) ;
2017-05-26 04:48:44 +08:00
storage - > set ( KeyValueRef ( BinaryWriter : : toValue ( logData - > logId , Unversioned ( ) ) . withPrefix ( persistRecoveryCountKeys . begin ) , BinaryWriter : : toValue ( logData - > recoveryCount , Unversioned ( ) ) ) ) ;
2019-03-16 12:01:17 +08:00
storage - > set ( KeyValueRef ( BinaryWriter : : toValue ( logData - > logId , Unversioned ( ) ) . withPrefix ( persistProtocolVersionKeys . begin ) , BinaryWriter : : toValue ( logData - > protocolVersion , Unversioned ( ) ) ) ) ;
2017-05-26 04:48:44 +08:00
2018-07-07 07:10:41 +08:00
for ( auto tag : logData - > allTags ) {
2018-03-30 06:12:38 +08:00
ASSERT ( ! logData - > getTagData ( tag ) ) ;
logData - > createTagData ( tag , 0 , true , true , true ) ;
updatePersistentPopped ( self , logData , logData - > getTagData ( tag ) ) ;
}
2017-05-26 04:48:44 +08:00
TraceEvent ( " TLogInitCommit " , logData - > logId ) ;
2018-08-11 04:57:10 +08:00
wait ( self - > persistentData - > commit ( ) ) ;
2017-05-26 04:48:44 +08:00
return Void ( ) ;
}
2018-03-30 06:12:38 +08:00
ACTOR Future < Void > rejoinMasters ( TLogData * self , TLogInterface tli , DBRecoveryCount recoveryCount , Future < Void > registerWithMaster , bool isPrimary ) {
2017-05-26 04:48:44 +08:00
state UID lastMasterID ( 0 , 0 ) ;
loop {
auto const & inf = self - > dbInfo - > get ( ) ;
2017-10-25 06:09:31 +08:00
bool isDisplaced = ! std : : count ( inf . priorCommittedLogServers . begin ( ) , inf . priorCommittedLogServers . end ( ) , tli . id ( ) ) ;
2018-03-30 06:12:38 +08:00
if ( isPrimary ) {
2018-05-09 08:17:17 +08:00
isDisplaced = isDisplaced & & inf . recoveryCount > = recoveryCount & & inf . recoveryState ! = RecoveryState : : UNINITIALIZED ;
2017-10-25 06:09:31 +08:00
} else {
2018-07-05 15:08:51 +08:00
isDisplaced = isDisplaced & & ( ( inf . recoveryCount > recoveryCount & & inf . recoveryState ! = RecoveryState : : UNINITIALIZED ) | | ( inf . recoveryCount = = recoveryCount & & inf . recoveryState = = RecoveryState : : FULLY_RECOVERED ) ) ;
2017-10-25 06:09:31 +08:00
}
2017-07-10 05:46:16 +08:00
if ( isDisplaced ) {
for ( auto & log : inf . logSystemConfig . tLogs ) {
if ( std : : count ( log . tLogs . begin ( ) , log . tLogs . end ( ) , tli . id ( ) ) ) {
isDisplaced = false ;
break ;
}
}
}
if ( isDisplaced ) {
for ( auto & old : inf . logSystemConfig . oldTLogs ) {
for ( auto & log : old . tLogs ) {
if ( std : : count ( log . tLogs . begin ( ) , log . tLogs . end ( ) , tli . id ( ) ) ) {
isDisplaced = false ;
break ;
}
}
}
2017-05-26 04:48:44 +08:00
}
if ( isDisplaced )
{
2018-05-09 08:17:17 +08:00
TraceEvent ( " TLogDisplaced " , tli . id ( ) ) . detail ( " Reason " , " DBInfoDoesNotContain " ) . detail ( " RecoveryCount " , recoveryCount ) . detail ( " InfRecoveryCount " , inf . recoveryCount ) . detail ( " RecoveryState " , ( int ) inf . recoveryState )
2018-06-09 02:11:08 +08:00
. detail ( " LogSysConf " , describe ( inf . logSystemConfig . tLogs ) ) . detail ( " PriorLogs " , describe ( inf . priorCommittedLogServers ) ) . detail ( " OldLogGens " , inf . logSystemConfig . oldTLogs . size ( ) ) ;
2019-05-11 05:01:52 +08:00
if ( BUGGIFY ) wait ( delay ( SERVER_KNOBS - > BUGGIFY_WORKER_REMOVED_MAX_LAG * deterministicRandom ( ) - > random01 ( ) ) ) ;
2017-05-26 04:48:44 +08:00
throw worker_removed ( ) ;
}
2017-09-19 08:39:12 +08:00
if ( registerWithMaster . isReady ( ) ) {
if ( self - > dbInfo - > get ( ) . master . id ( ) ! = lastMasterID ) {
// The TLogRejoinRequest is needed to establish communications with a new master, which doesn't have our TLogInterface
2018-03-03 08:50:30 +08:00
TLogRejoinRequest req ( tli ) ;
2017-09-19 08:39:12 +08:00
TraceEvent ( " TLogRejoining " , self - > dbgid ) . detail ( " Master " , self - > dbInfo - > get ( ) . master . id ( ) ) ;
choose {
2019-08-29 05:40:50 +08:00
when ( TLogRejoinReply rep =
wait ( brokenPromiseToNever ( self - > dbInfo - > get ( ) . master . tlogRejoin . getReply ( req ) ) ) ) {
if ( rep . masterIsRecovered ) lastMasterID = self - > dbInfo - > get ( ) . master . id ( ) ;
2017-09-19 08:39:12 +08:00
}
2018-08-11 04:57:10 +08:00
when ( wait ( self - > dbInfo - > onChange ( ) ) ) { }
2017-05-26 04:48:44 +08:00
}
2017-09-19 08:39:12 +08:00
} else {
2018-08-11 04:57:10 +08:00
wait ( self - > dbInfo - > onChange ( ) ) ;
2017-05-26 04:48:44 +08:00
}
2017-09-19 08:39:12 +08:00
} else {
2018-08-11 04:57:10 +08:00
wait ( registerWithMaster | | self - > dbInfo - > onChange ( ) ) ;
2017-09-19 08:39:12 +08:00
}
2017-05-26 04:48:44 +08:00
}
}
2018-03-30 06:12:38 +08:00
ACTOR Future < Void > respondToRecovered ( TLogInterface tli , Promise < Void > recoveryComplete ) {
2018-01-15 05:40:24 +08:00
state bool finishedRecovery = true ;
2017-10-25 06:09:31 +08:00
try {
2018-08-11 04:57:10 +08:00
wait ( recoveryComplete . getFuture ( ) ) ;
2017-10-25 06:09:31 +08:00
} catch ( Error & e ) {
2018-01-15 05:40:24 +08:00
if ( e . code ( ) ! = error_code_end_of_stream ) {
throw ;
2017-10-25 06:09:31 +08:00
}
2018-01-15 05:40:24 +08:00
finishedRecovery = false ;
}
2018-06-09 02:11:08 +08:00
TraceEvent ( " TLogRespondToRecovered " , tli . id ( ) ) . detail ( " Finished " , finishedRecovery ) ;
2017-05-26 04:48:44 +08:00
loop {
TLogRecoveryFinishedRequest req = waitNext ( tli . recoveryFinished . getFuture ( ) ) ;
2018-01-13 09:18:14 +08:00
if ( finishedRecovery ) {
req . reply . send ( Void ( ) ) ;
} else {
req . reply . send ( Never ( ) ) ;
}
2017-05-26 04:48:44 +08:00
}
}
Fix parallel peek stalling for 10min when a TLog generation is destroyed.
`peekTracker` was held on the Shared TLog (TLogData), whereas peeks are
received and replied to as part of a TLog instance (LogData). When a
peek was received on a TLog, it was registered into peekTracker along
with the ReplyPromise. If the TLog was then removed as part of a
no-longer-needed generation of TLogs, there is nothing left to reply to
the request, but by holding onto the ReplyPromise in peekTracker, we
leave the remote end with an expectation that we will reply. Then,
10min later, peekTrackerCleanup runs and finally times out the peek
cursor, thus preventing FDB from being completely stuck.
Now, each TLog generation has its own `peekTracker`, and when a TLog is
destroyed, it times out all of the pending peek curors that are still
expecting a response. This will then trigger the client to re-issue
them to the next generation of TLogs, thus removing the 10min gap to do
so.
2019-07-10 08:27:36 +08:00
ACTOR Future < Void > cleanupPeekTrackers ( LogData * logData ) {
2017-05-26 04:48:44 +08:00
loop {
2017-08-10 06:58:06 +08:00
double minTimeUntilExpiration = SERVER_KNOBS - > PEEK_TRACKER_EXPIRATION_TIME ;
Fix parallel peek stalling for 10min when a TLog generation is destroyed.
`peekTracker` was held on the Shared TLog (TLogData), whereas peeks are
received and replied to as part of a TLog instance (LogData). When a
peek was received on a TLog, it was registered into peekTracker along
with the ReplyPromise. If the TLog was then removed as part of a
no-longer-needed generation of TLogs, there is nothing left to reply to
the request, but by holding onto the ReplyPromise in peekTracker, we
leave the remote end with an expectation that we will reply. Then,
10min later, peekTrackerCleanup runs and finally times out the peek
cursor, thus preventing FDB from being completely stuck.
Now, each TLog generation has its own `peekTracker`, and when a TLog is
destroyed, it times out all of the pending peek curors that are still
expecting a response. This will then trigger the client to re-issue
them to the next generation of TLogs, thus removing the 10min gap to do
so.
2019-07-10 08:27:36 +08:00
auto it = logData - > peekTracker . begin ( ) ;
while ( it ! = logData - > peekTracker . end ( ) ) {
2017-08-10 06:58:06 +08:00
double timeUntilExpiration = it - > second . lastUpdate + SERVER_KNOBS - > PEEK_TRACKER_EXPIRATION_TIME - now ( ) ;
if ( timeUntilExpiration < 1.0e-6 ) {
2017-05-26 04:48:44 +08:00
for ( auto seq : it - > second . sequence_version ) {
if ( ! seq . second . isSet ( ) ) {
seq . second . sendError ( timed_out ( ) ) ;
}
}
Fix parallel peek stalling for 10min when a TLog generation is destroyed.
`peekTracker` was held on the Shared TLog (TLogData), whereas peeks are
received and replied to as part of a TLog instance (LogData). When a
peek was received on a TLog, it was registered into peekTracker along
with the ReplyPromise. If the TLog was then removed as part of a
no-longer-needed generation of TLogs, there is nothing left to reply to
the request, but by holding onto the ReplyPromise in peekTracker, we
leave the remote end with an expectation that we will reply. Then,
10min later, peekTrackerCleanup runs and finally times out the peek
cursor, thus preventing FDB from being completely stuck.
Now, each TLog generation has its own `peekTracker`, and when a TLog is
destroyed, it times out all of the pending peek curors that are still
expecting a response. This will then trigger the client to re-issue
them to the next generation of TLogs, thus removing the 10min gap to do
so.
2019-07-10 08:27:36 +08:00
it = logData - > peekTracker . erase ( it ) ;
2017-05-26 04:48:44 +08:00
} else {
2017-08-10 06:58:06 +08:00
minTimeUntilExpiration = std : : min ( minTimeUntilExpiration , timeUntilExpiration ) ;
2017-05-26 04:48:44 +08:00
+ + it ;
}
}
2018-08-11 04:57:10 +08:00
wait ( delay ( minTimeUntilExpiration ) ) ;
2017-05-26 04:48:44 +08:00
}
}
2018-09-18 09:32:39 +08:00
void getQueuingMetrics ( TLogData * self , Reference < LogData > logData , TLogQueuingMetricsRequest const & req ) {
2017-05-26 04:48:44 +08:00
TLogQueuingMetricsReply reply ;
reply . localTime = now ( ) ;
reply . instanceID = self - > instanceID ;
reply . bytesInput = self - > bytesInput ;
reply . bytesDurable = self - > bytesDurable ;
reply . storageBytes = self - > persistentData - > getStorageBytes ( ) ;
2018-10-09 01:39:39 +08:00
//FIXME: Add the knownCommittedVersion to this message and change ratekeeper to use that version.
2018-09-19 07:29:03 +08:00
reply . v = logData - > durableKnownCommittedVersion ;
2017-05-26 04:48:44 +08:00
req . reply . send ( reply ) ;
}
2019-06-20 02:16:30 +08:00
ACTOR Future < Void >
tLogSnapCreate ( TLogSnapRequest snapReq , TLogData * self , Reference < LogData > logData ) {
if ( self - > ignorePopUid ! = snapReq . snapUID . toString ( ) ) {
snapReq . reply . sendError ( operation_failed ( ) ) ;
return Void ( ) ;
}
2019-07-21 16:00:29 +08:00
ExecCmdValueString snapArg ( snapReq . snapPayload ) ;
2019-06-20 02:16:30 +08:00
try {
2019-08-29 01:52:56 +08:00
int err = wait ( execHelper ( & snapArg , snapReq . snapUID , self - > dataFolder , snapReq . role . toString ( ) ) ) ;
2019-06-20 02:16:30 +08:00
std : : string uidStr = snapReq . snapUID . toString ( ) ;
TraceEvent ( " ExecTraceTLog " )
. detail ( " Uid " , uidStr )
. detail ( " Status " , err )
. detail ( " Role " , snapReq . role )
. detail ( " Value " , self - > dataFolder )
. detail ( " ExecPayload " , snapReq . snapPayload )
. detail ( " PersistentDataVersion " , logData - > persistentDataVersion )
. detail ( " PersistentDatadurableVersion " , logData - > persistentDataDurableVersion )
. detail ( " QueueCommittedVersion " , logData - > queueCommittedVersion . get ( ) )
. detail ( " Version " , logData - > version . get ( ) ) ;
2019-07-13 07:26:28 +08:00
if ( err ! = 0 ) {
throw operation_failed ( ) ;
}
2019-06-20 02:16:30 +08:00
snapReq . reply . send ( Void ( ) ) ;
} catch ( Error & e ) {
2019-07-05 01:20:29 +08:00
TraceEvent ( " TLogExecHelperError " ) . error ( e , true /*includeCancelled */ ) ;
2019-07-21 16:00:29 +08:00
if ( e . code ( ) ! = error_code_operation_cancelled ) {
2019-07-05 01:20:29 +08:00
snapReq . reply . sendError ( e ) ;
2019-07-21 16:00:29 +08:00
} else {
throw e ;
2019-07-05 01:20:29 +08:00
}
2019-06-20 02:16:30 +08:00
}
return Void ( ) ;
}
2019-07-05 01:37:33 +08:00
ACTOR Future < Void >
tLogEnablePopReq ( TLogEnablePopRequest enablePopReq , TLogData * self , Reference < LogData > logData ) {
if ( self - > ignorePopUid ! = enablePopReq . snapUID . toString ( ) ) {
TraceEvent ( SevWarn , " TLogPopDisableEnableUidMismatch " )
. detail ( " IgnorePopUid " , self - > ignorePopUid )
. detail ( " UidStr " , enablePopReq . snapUID . toString ( ) ) ;
enablePopReq . reply . sendError ( operation_failed ( ) ) ;
return Void ( ) ;
}
TraceEvent ( " EnableTLogPlayAllIgnoredPops2 " ) ;
// use toBePopped and issue all the pops
std : : map < Tag , Version > : : iterator it ;
state vector < Future < Void > > ignoredPops ;
self - > ignorePopRequest = false ;
self - > ignorePopDeadline = 0.0 ;
self - > ignorePopUid = " " ;
for ( it = self - > toBePopped . begin ( ) ; it ! = self - > toBePopped . end ( ) ; it + + ) {
TraceEvent ( " PlayIgnoredPop " )
. detail ( " Tag " , it - > first . toString ( ) )
. detail ( " Version " , it - > second ) ;
ignoredPops . push_back ( tLogPopCore ( self , it - > first , it - > second , logData ) ) ;
}
TraceEvent ( " TLogExecCmdPopEnable " )
. detail ( " UidStr " , enablePopReq . snapUID . toString ( ) )
. detail ( " IgnorePopUid " , self - > ignorePopUid )
. detail ( " IgnporePopRequest " , self - > ignorePopRequest )
. detail ( " IgnporePopDeadline " , self - > ignorePopDeadline )
. detail ( " PersistentDataVersion " , logData - > persistentDataVersion )
. detail ( " PersistentDatadurableVersion " , logData - > persistentDataDurableVersion )
. detail ( " QueueCommittedVersion " , logData - > queueCommittedVersion . get ( ) )
. detail ( " Version " , logData - > version . get ( ) ) ;
wait ( waitForAll ( ignoredPops ) ) ;
self - > toBePopped . clear ( ) ;
enablePopReq . reply . send ( Void ( ) ) ;
return Void ( ) ;
}
2017-05-26 04:48:44 +08:00
ACTOR Future < Void > serveTLogInterface ( TLogData * self , TLogInterface tli , Reference < LogData > logData , PromiseStream < Void > warningCollectorInput ) {
2017-07-10 05:46:16 +08:00
state Future < Void > dbInfoChange = Void ( ) ;
2017-05-26 04:48:44 +08:00
loop choose {
2018-08-11 04:57:10 +08:00
when ( wait ( dbInfoChange ) ) {
2017-07-10 05:46:16 +08:00
dbInfoChange = self - > dbInfo - > onChange ( ) ;
bool found = false ;
2018-07-05 15:08:51 +08:00
if ( self - > dbInfo - > get ( ) . recoveryState > = RecoveryState : : ACCEPTING_COMMITS ) {
2017-07-11 08:41:32 +08:00
for ( auto & logs : self - > dbInfo - > get ( ) . logSystemConfig . tLogs ) {
if ( std : : count ( logs . tLogs . begin ( ) , logs . tLogs . end ( ) , logData - > logId ) ) {
2017-07-10 05:46:16 +08:00
found = true ;
break ;
}
}
}
2018-04-21 04:25:22 +08:00
if ( found & & self - > dbInfo - > get ( ) . logSystemConfig . recruitmentID = = logData - > recruitmentID ) {
2017-07-10 05:46:16 +08:00
logData - > logSystem - > set ( ILogSystem : : fromServerDBInfo ( self - > dbgid , self - > dbInfo - > get ( ) ) ) ;
2018-04-20 05:33:31 +08:00
if ( ! logData - > isPrimary ) {
2018-04-28 03:18:42 +08:00
logData - > logSystem - > get ( ) - > pop ( logData - > logRouterPoppedVersion , logData - > remoteTag , logData - > durableKnownCommittedVersion , logData - > locality ) ;
2018-04-20 05:33:31 +08:00
}
2018-03-30 06:12:38 +08:00
if ( ! logData - > isPrimary & & logData - > stopped ) {
2019-03-16 12:01:12 +08:00
TraceEvent ( " TLogAlreadyStopped " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) ;
2017-08-04 07:16:36 +08:00
logData - > removed = logData - > removed & & logData - > logSystem - > get ( ) - > endEpoch ( ) ;
}
2017-07-10 05:46:16 +08:00
} else {
logData - > logSystem - > set ( Reference < ILogSystem > ( ) ) ;
}
}
2017-05-26 04:48:44 +08:00
when ( TLogPeekRequest req = waitNext ( tli . peekMessages . getFuture ( ) ) ) {
logData - > addActor . send ( tLogPeekMessages ( self , req , logData ) ) ;
}
when ( TLogPopRequest req = waitNext ( tli . popMessages . getFuture ( ) ) ) {
2019-03-11 22:31:44 +08:00
logData - > addActor . send ( tLogPop ( self , req , logData ) ) ;
2017-05-26 04:48:44 +08:00
}
when ( TLogCommitRequest req = waitNext ( tli . commit . getFuture ( ) ) ) {
2018-06-09 02:11:08 +08:00
//TraceEvent("TLogCommitReq", logData->logId).detail("Ver", req.version).detail("PrevVer", req.prevVersion).detail("LogVer", logData->version.get());
2018-03-30 06:12:38 +08:00
ASSERT ( logData - > isPrimary ) ;
2017-05-26 04:48:44 +08:00
TEST ( logData - > stopped ) ; // TLogCommitRequest while stopped
if ( ! logData - > stopped )
logData - > addActor . send ( tLogCommit ( self , req , logData , warningCollectorInput ) ) ;
else
req . reply . sendError ( tlog_stopped ( ) ) ;
}
when ( ReplyPromise < TLogLockResult > reply = waitNext ( tli . lock . getFuture ( ) ) ) {
logData - > addActor . send ( tLogLock ( self , reply , logData ) ) ;
}
when ( TLogQueuingMetricsRequest req = waitNext ( tli . getQueuingMetrics . getFuture ( ) ) ) {
2018-09-18 09:32:39 +08:00
getQueuingMetrics ( self , logData , req ) ;
2017-05-26 04:48:44 +08:00
}
when ( TLogConfirmRunningRequest req = waitNext ( tli . confirmRunning . getFuture ( ) ) ) {
if ( req . debugID . present ( ) ) {
2019-05-11 05:01:52 +08:00
UID tlogDebugID = nondeterministicRandom ( ) - > randomUniqueID ( ) ;
2017-05-26 04:48:44 +08:00
g_traceBatch . addAttach ( " TransactionAttachID " , req . debugID . get ( ) . first ( ) , tlogDebugID . first ( ) ) ;
g_traceBatch . addEvent ( " TransactionDebug " , tlogDebugID . first ( ) , " TLogServer.TLogConfirmRunningRequest " ) ;
}
if ( ! logData - > stopped )
req . reply . send ( Void ( ) ) ;
else
req . reply . sendError ( tlog_stopped ( ) ) ;
}
2019-06-20 02:16:30 +08:00
when ( TLogDisablePopRequest req = waitNext ( tli . disablePopRequest . getFuture ( ) ) ) {
if ( self - > ignorePopUid ! = " " ) {
TraceEvent ( SevWarn , " TLogPopDisableonDisable " )
. detail ( " IgnorePopUid " , self - > ignorePopUid )
. detail ( " UidStr " , req . snapUID . toString ( ) )
. detail ( " PersistentDataVersion " , logData - > persistentDataVersion )
. detail ( " PersistentDatadurableVersion " , logData - > persistentDataDurableVersion )
. detail ( " QueueCommittedVersion " , logData - > queueCommittedVersion . get ( ) )
. detail ( " Version " , logData - > version . get ( ) ) ;
2019-07-05 01:37:33 +08:00
req . reply . sendError ( operation_failed ( ) ) ;
} else {
//FIXME: As part of reverting snapshot V1, make ignorePopUid a UID instead of string
2019-07-21 16:00:29 +08:00
self - > ignorePopRequest = true ;
2019-07-05 01:37:33 +08:00
self - > ignorePopUid = req . snapUID . toString ( ) ;
self - > ignorePopDeadline = g_network - > now ( ) + SERVER_KNOBS - > TLOG_IGNORE_POP_AUTO_ENABLE_DELAY ;
req . reply . send ( Void ( ) ) ;
2019-06-20 02:16:30 +08:00
}
}
2019-07-05 01:37:33 +08:00
when ( TLogEnablePopRequest enablePopReq = waitNext ( tli . enablePopRequest . getFuture ( ) ) ) {
logData - > addActor . send ( tLogEnablePopReq ( enablePopReq , self , logData ) ) ;
2019-06-20 02:16:30 +08:00
}
when ( TLogSnapRequest snapReq = waitNext ( tli . snapRequest . getFuture ( ) ) ) {
logData - > addActor . send ( tLogSnapCreate ( snapReq , self , logData ) ) ;
}
2017-05-26 04:48:44 +08:00
}
}
2017-06-23 08:21:42 +08:00
void removeLog ( TLogData * self , Reference < LogData > logData ) {
2019-03-16 12:01:12 +08:00
TraceEvent ( " TLogRemoved " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " Input " , logData - > bytesInput . getValue ( ) ) . detail ( " Durable " , logData - > bytesDurable . getValue ( ) ) ;
2017-06-23 08:21:42 +08:00
logData - > stopped = true ;
2019-04-21 03:58:24 +08:00
unregisterTLog ( logData - > logId ) ;
2017-10-25 06:09:31 +08:00
if ( ! logData - > recoveryComplete . isSet ( ) ) {
logData - > recoveryComplete . sendError ( end_of_stream ( ) ) ;
2018-01-13 09:18:14 +08:00
}
2017-06-23 08:21:42 +08:00
logData - > addActor = PromiseStream < Future < Void > > ( ) ; //there could be items still in the promise stream if one of the actors threw an error immediately
self - > id_data . erase ( logData - > logId ) ;
2019-03-16 12:01:20 +08:00
while ( self - > popOrder . size ( ) & & ! self - > id_data . count ( self - > popOrder . front ( ) ) ) {
self - > popOrder . pop_front ( ) ;
}
2017-07-11 08:41:32 +08:00
if ( self - > id_data . size ( ) ) {
2017-06-23 08:21:42 +08:00
return ;
} else {
throw worker_removed ( ) ;
}
}
2019-11-02 05:02:44 +08:00
ACTOR Future < Void > pullAsyncData ( TLogData * self , Reference < LogData > logData , std : : vector < Tag > tags , Version beginVersion , Optional < Version > endVersion , bool poppedIsKnownCommitted ) {
2017-07-10 05:46:16 +08:00
state Future < Void > dbInfoChange = Void ( ) ;
state Reference < ILogSystem : : IPeekCursor > r ;
2018-03-30 06:12:38 +08:00
state Version tagAt = beginVersion ;
2017-07-10 05:46:16 +08:00
state Version lastVer = 0 ;
Log Routers will prefer to peek from satellite logs.
Formerly, they would prefer to peek from the primary's logs. Testing of
a failed region rejoining the cluster revealed that this becomes quite a
strain on the primary logs when extremely large volumes of peek requests
are coming from the Log Routers. It happens that we have satellites
that contain the same mutations with Log Router tags, that have no other
peeking load, so we can prefer to use the satellite to peek rather than
the primary to distribute load across TLogs better.
Unfortunately, this revealed a latent bug in how tagged mutations in the
KnownCommittedVersion->RecoveryVersion gap were copied across
generations when the number of log router tags were decreased.
Satellite TLogs would be assigned log router tags using the
team-building based logic in getPushLocations(), whereas TLogs would
internally re-index tags according to tag.id%logRouterTags. This
mismatch would mean that we could have:
Log0 -2:0 ----- -2:0 Log 0
Log1 -2:1 \
>--- -2:1,-2:0 (-2:2 mod 2 becomes -2:0) Log 1
Log2 -2:2 /
And now we have data that's tagged as -2:0 on a TLog that's not the
preferred location for -2:0, and therefore a BestLocationOnly cursor
would miss the mutations.
This was never noticed before, as we never
used a satellite as a preferred location to peek from. Merge cursors
always peek from all locations, and thus a peek for -2:0 that needed
data from the satellites would have gone to both TLogs and merged the
results.
We now take this mod-based re-indexing into account when assigning which
TLogs need to recover which tags from the previous generation, to make
sure that tag.id%logRouterTags always results in the assigned TLog being
the preferred location.
Unfortunately, previously existing will potentially have existing
satellites with log router tags indexed incorrectly, so this transition
needs to be gated on a `log_version` transition. Old LogSets will have
an old LogVersion, and we won't prefer the sattelite for peeking. Log
Sets post-6.2 (opt-in) or post-6.3 (default) will be indexed correctly,
and therefore we can safely offload peeking onto the satellites.
2019-07-09 13:25:01 +08:00
if ( endVersion . present ( ) ) {
TraceEvent ( " TLogRestoreReplicationFactor " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " Locality " , logData - > locality ) . detail ( " RecoverFrom " , beginVersion ) . detail ( " RecoverTo " , endVersion . get ( ) ) ;
}
2018-03-30 06:12:38 +08:00
while ( ! endVersion . present ( ) | | logData - > version . get ( ) < endVersion . get ( ) ) {
2017-07-10 05:46:16 +08:00
loop {
choose {
2019-06-25 17:47:35 +08:00
when ( wait ( r ? r - > getMore ( TaskPriority : : TLogCommit ) : Never ( ) ) ) {
2017-07-10 05:46:16 +08:00
break ;
}
2018-08-11 04:57:10 +08:00
when ( wait ( dbInfoChange ) ) {
2018-03-30 06:12:38 +08:00
if ( logData - > logSystem - > get ( ) ) {
2019-11-02 05:02:44 +08:00
r = logData - > logSystem - > get ( ) - > peek ( logData - > logId , tagAt , endVersion , tags , true ) ;
2018-03-30 06:12:38 +08:00
} else {
2017-07-10 05:46:16 +08:00
r = Reference < ILogSystem : : IPeekCursor > ( ) ;
2018-03-30 06:12:38 +08:00
}
2017-07-10 05:46:16 +08:00
dbInfoChange = logData - > logSystem - > onChange ( ) ;
}
}
}
2018-06-19 08:22:40 +08:00
state double waitStartT = 0 ;
2018-06-19 13:12:46 +08:00
while ( self - > bytesInput - self - > bytesDurable > = SERVER_KNOBS - > TLOG_HARD_LIMIT_BYTES & & ! logData - > stopped ) {
2018-06-19 08:22:40 +08:00
if ( now ( ) - waitStartT > = 1 ) {
TraceEvent ( SevWarn , " TLogUpdateLag " , logData - > logId )
. detail ( " Version " , logData - > version . get ( ) )
. detail ( " PersistentDataVersion " , logData - > persistentDataVersion )
2018-06-19 08:59:29 +08:00
. detail ( " PersistentDataDurableVersion " , logData - > persistentDataDurableVersion ) ;
2018-06-19 08:22:40 +08:00
waitStartT = now ( ) ;
}
2019-06-25 17:47:35 +08:00
wait ( delayJittered ( .005 , TaskPriority : : TLogCommit ) ) ;
2018-06-19 08:22:40 +08:00
}
2018-09-05 08:16:44 +08:00
state Version ver = 0 ;
state std : : vector < TagsAndMessage > messages ;
loop {
state bool foundMessage = r - > hasMessage ( ) ;
2017-07-10 05:46:16 +08:00
if ( ! foundMessage | | r - > version ( ) . version ! = ver ) {
ASSERT ( r - > version ( ) . version > lastVer ) ;
if ( ver ) {
2019-03-21 05:28:32 +08:00
if ( logData - > stopped | | ( endVersion . present ( ) & & ver > endVersion . get ( ) ) ) {
2018-03-30 06:12:38 +08:00
return Void ( ) ;
}
2018-06-27 14:21:30 +08:00
if ( poppedIsKnownCommitted ) {
logData - > knownCommittedVersion = std : : max ( logData - > knownCommittedVersion , r - > popped ( ) ) ;
2019-02-19 08:47:38 +08:00
logData - > minKnownCommittedVersion = std : : max ( logData - > minKnownCommittedVersion , r - > getMinKnownCommittedVersion ( ) ) ;
2018-06-27 14:21:30 +08:00
}
2018-08-22 13:18:38 +08:00
commitMessages ( self , logData , ver , messages ) ;
2017-07-10 05:46:16 +08:00
2018-08-10 03:38:35 +08:00
if ( self - > terminated . isSet ( ) ) {
2018-07-14 08:01:31 +08:00
return Void ( ) ;
}
2017-07-10 05:46:16 +08:00
// Log the changes to the persistent queue, to be committed by commitQueue()
2018-03-17 07:47:05 +08:00
AlternativeTLogQueueEntryRef qe ;
2017-07-10 05:46:16 +08:00
qe . version = ver ;
2018-04-09 12:24:05 +08:00
qe . knownCommittedVersion = logData - > knownCommittedVersion ;
2018-03-17 07:47:05 +08:00
qe . alternativeMessages = & messages ;
2017-07-14 03:29:21 +08:00
qe . id = logData - > logId ;
2018-03-30 06:12:38 +08:00
self - > persistentQueue - > push ( qe , logData ) ;
2017-07-10 05:46:16 +08:00
2017-08-04 07:16:36 +08:00
self - > diskQueueCommitBytes + = qe . expectedSize ( ) ;
if ( self - > diskQueueCommitBytes > SERVER_KNOBS - > MAX_QUEUE_COMMIT_BYTES ) {
self - > largeDiskQueueCommitBytes . set ( true ) ;
}
2017-07-10 05:46:16 +08:00
// Notifies the commitQueue actor to commit persistentQueue, and also unblocks tLogPeekMessages actors
logData - > version . set ( ver ) ;
2019-06-25 17:47:35 +08:00
wait ( yield ( TaskPriority : : TLogCommit ) ) ;
2017-07-10 05:46:16 +08:00
}
lastVer = ver ;
ver = r - > version ( ) . version ;
2018-03-18 01:24:44 +08:00
messages . clear ( ) ;
2017-07-10 05:46:16 +08:00
if ( ! foundMessage ) {
ver - - ;
if ( ver > logData - > version . get ( ) ) {
2019-03-21 05:28:32 +08:00
if ( logData - > stopped | | ( endVersion . present ( ) & & ver > endVersion . get ( ) ) ) {
2018-03-30 06:12:38 +08:00
return Void ( ) ;
}
2018-06-27 14:21:30 +08:00
if ( poppedIsKnownCommitted ) {
logData - > knownCommittedVersion = std : : max ( logData - > knownCommittedVersion , r - > popped ( ) ) ;
2019-02-19 08:47:38 +08:00
logData - > minKnownCommittedVersion = std : : max ( logData - > minKnownCommittedVersion , r - > getMinKnownCommittedVersion ( ) ) ;
2018-06-27 14:21:30 +08:00
}
2018-08-10 03:38:35 +08:00
if ( self - > terminated . isSet ( ) ) {
2018-07-14 08:01:31 +08:00
return Void ( ) ;
}
2017-07-10 05:46:16 +08:00
// Log the changes to the persistent queue, to be committed by commitQueue()
TLogQueueEntryRef qe ;
qe . version = ver ;
2018-04-09 12:24:05 +08:00
qe . knownCommittedVersion = logData - > knownCommittedVersion ;
2017-07-10 05:46:16 +08:00
qe . messages = StringRef ( ) ;
2017-07-14 03:29:21 +08:00
qe . id = logData - > logId ;
2018-03-30 06:12:38 +08:00
self - > persistentQueue - > push ( qe , logData ) ;
2017-07-10 05:46:16 +08:00
2017-08-04 07:16:36 +08:00
self - > diskQueueCommitBytes + = qe . expectedSize ( ) ;
if ( self - > diskQueueCommitBytes > SERVER_KNOBS - > MAX_QUEUE_COMMIT_BYTES ) {
self - > largeDiskQueueCommitBytes . set ( true ) ;
}
2017-07-10 05:46:16 +08:00
// Notifies the commitQueue actor to commit persistentQueue, and also unblocks tLogPeekMessages actors
logData - > version . set ( ver ) ;
2019-06-25 17:47:35 +08:00
wait ( yield ( TaskPriority : : TLogCommit ) ) ;
2017-07-10 05:46:16 +08:00
}
break ;
}
}
2018-03-17 07:47:05 +08:00
messages . push_back ( TagsAndMessage ( r - > getMessageWithTags ( ) , r - > getTags ( ) ) ) ;
2017-07-10 05:46:16 +08:00
r - > nextMessage ( ) ;
}
2018-04-20 05:33:31 +08:00
tagAt = std : : max ( r - > version ( ) . version , logData - > version . get ( ) + 1 ) ;
2017-07-10 05:46:16 +08:00
}
2018-03-30 06:12:38 +08:00
return Void ( ) ;
2017-07-10 05:46:16 +08:00
}
2018-11-03 05:11:39 +08:00
ACTOR Future < Void > tLogCore ( TLogData * self , Reference < LogData > logData , TLogInterface tli , bool pulledRecoveryVersions ) {
2017-05-26 04:48:44 +08:00
if ( logData - > removed . isReady ( ) ) {
2018-08-11 04:57:10 +08:00
wait ( delay ( 0 ) ) ; //to avoid iterator invalidation in restorePersistentState when removed is already ready
2017-05-26 04:48:44 +08:00
ASSERT ( logData - > removed . isError ( ) ) ;
if ( logData - > removed . getError ( ) . code ( ) ! = error_code_worker_removed ) {
throw logData - > removed . getError ( ) ;
}
2017-06-23 08:21:42 +08:00
removeLog ( self , logData ) ;
return Void ( ) ;
2017-05-26 04:48:44 +08:00
}
state PromiseStream < Void > warningCollectorInput ;
state Future < Void > warningCollector = timeoutWarningCollector ( warningCollectorInput . getFuture ( ) , 1.0 , " TLogQueueCommitSlow " , self - > dbgid ) ;
state Future < Void > error = actorCollection ( logData - > addActor . getFuture ( ) ) ;
2018-01-15 05:40:24 +08:00
logData - > addActor . send ( waitFailureServer ( tli . waitFailure . getFuture ( ) ) ) ;
2017-05-26 04:48:44 +08:00
logData - > addActor . send ( logData - > removed ) ;
//FIXME: update tlogMetrics to include new information, or possibly only have one copy for the shared instance
2017-07-29 05:37:23 +08:00
logData - > addActor . send ( traceCounters ( " TLogMetrics " , logData - > logId , SERVER_KNOBS - > STORAGE_LOGGING_DELAY , & logData - > cc , logData - > logId . toString ( ) + " /TLogMetrics " ) ) ;
2017-10-25 06:09:31 +08:00
logData - > addActor . send ( serveTLogInterface ( self , tli , logData , warningCollectorInput ) ) ;
Fix parallel peek stalling for 10min when a TLog generation is destroyed.
`peekTracker` was held on the Shared TLog (TLogData), whereas peeks are
received and replied to as part of a TLog instance (LogData). When a
peek was received on a TLog, it was registered into peekTracker along
with the ReplyPromise. If the TLog was then removed as part of a
no-longer-needed generation of TLogs, there is nothing left to reply to
the request, but by holding onto the ReplyPromise in peekTracker, we
leave the remote end with an expectation that we will reply. Then,
10min later, peekTrackerCleanup runs and finally times out the peek
cursor, thus preventing FDB from being completely stuck.
Now, each TLog generation has its own `peekTracker`, and when a TLog is
destroyed, it times out all of the pending peek curors that are still
expecting a response. This will then trigger the client to re-issue
them to the next generation of TLogs, thus removing the 10min gap to do
so.
2019-07-10 08:27:36 +08:00
logData - > addActor . send ( cleanupPeekTrackers ( logData . getPtr ( ) ) ) ;
2017-05-26 04:48:44 +08:00
2018-04-17 14:17:16 +08:00
if ( ! logData - > isPrimary ) {
std : : vector < Tag > tags ;
tags . push_back ( logData - > remoteTag ) ;
2019-11-02 05:02:44 +08:00
logData - > addActor . send ( pullAsyncData ( self , logData , tags , pulledRecoveryVersions ? logData - > recoveredAt + 1 : logData - > unrecoveredBefore , Optional < Version > ( ) , true ) ) ;
2018-04-17 14:17:16 +08:00
}
2017-05-26 04:48:44 +08:00
try {
2018-08-11 04:57:10 +08:00
wait ( error ) ;
2017-05-26 04:48:44 +08:00
throw internal_error ( ) ;
} catch ( Error & e ) {
if ( e . code ( ) ! = error_code_worker_removed )
throw ;
2017-06-23 08:21:42 +08:00
removeLog ( self , logData ) ;
return Void ( ) ;
2017-05-26 04:48:44 +08:00
}
}
ACTOR Future < Void > checkEmptyQueue ( TLogData * self ) {
TraceEvent ( " TLogCheckEmptyQueueBegin " , self - > dbgid ) ;
try {
2019-03-16 12:01:22 +08:00
bool recoveryFinished = wait ( self - > persistentQueue - > initializeRecovery ( 0 ) ) ;
if ( recoveryFinished )
return Void ( ) ;
2018-03-30 06:12:38 +08:00
TLogQueueEntry r = wait ( self - > persistentQueue - > readNext ( self ) ) ;
2017-05-26 04:48:44 +08:00
throw internal_error ( ) ;
} catch ( Error & e ) {
if ( e . code ( ) ! = error_code_end_of_stream ) throw ;
TraceEvent ( " TLogCheckEmptyQueueEnd " , self - > dbgid ) ;
return Void ( ) ;
}
}
2018-01-05 03:33:02 +08:00
ACTOR Future < Void > checkRecovered ( TLogData * self ) {
TraceEvent ( " TLogCheckRecoveredBegin " , self - > dbgid ) ;
Optional < Value > v = wait ( self - > persistentData - > readValue ( StringRef ( ) ) ) ;
TraceEvent ( " TLogCheckRecoveredEnd " , self - > dbgid ) ;
return Void ( ) ;
}
2017-09-16 01:57:58 +08:00
ACTOR Future < Void > restorePersistentState ( TLogData * self , LocalityData locality , Promise < Void > oldLog , Promise < Void > recovered , PromiseStream < InitializeTLogRequest > tlogRequests ) {
2017-05-26 04:48:44 +08:00
state double startt = now ( ) ;
state Reference < LogData > logData ;
state KeyRange tagKeys ;
// PERSIST: Read basic state from persistentData; replay persistentQueue but don't erase it
TraceEvent ( " TLogRestorePersistentState " , self - > dbgid ) ;
2017-09-22 14:51:55 +08:00
state IKeyValueStore * storage = self - > persistentData ;
2018-09-20 18:39:55 +08:00
wait ( storage - > init ( ) ) ;
2017-05-26 04:48:44 +08:00
state Future < Optional < Value > > fFormat = storage - > readValue ( persistFormat . key ) ;
2019-03-16 12:01:22 +08:00
state Future < Optional < Value > > fRecoveryLocation = storage - > readValue ( persistRecoveryLocationKey ) ;
2017-05-26 04:48:44 +08:00
state Future < Standalone < VectorRef < KeyValueRef > > > fVers = storage - > readRange ( persistCurrentVersionKeys ) ;
2018-04-21 08:55:46 +08:00
state Future < Standalone < VectorRef < KeyValueRef > > > fKnownCommitted = storage - > readRange ( persistKnownCommittedVersionKeys ) ;
2018-06-18 05:44:33 +08:00
state Future < Standalone < VectorRef < KeyValueRef > > > fLocality = storage - > readRange ( persistLocalityKeys ) ;
2018-04-09 12:24:05 +08:00
state Future < Standalone < VectorRef < KeyValueRef > > > fLogRouterTags = storage - > readRange ( persistLogRouterTagsKeys ) ;
2019-06-20 09:15:09 +08:00
state Future < Standalone < VectorRef < KeyValueRef > > > fTxsTags = storage - > readRange ( persistTxsTagsKeys ) ;
2017-05-26 04:48:44 +08:00
state Future < Standalone < VectorRef < KeyValueRef > > > fRecoverCounts = storage - > readRange ( persistRecoveryCountKeys ) ;
2019-03-16 12:01:17 +08:00
state Future < Standalone < VectorRef < KeyValueRef > > > fProtocolVersions = storage - > readRange ( persistProtocolVersionKeys ) ;
2017-05-26 04:48:44 +08:00
// FIXME: metadata in queue?
2019-07-19 13:27:36 +08:00
wait ( waitForAll ( std : : vector { fFormat , fRecoveryLocation } ) ) ;
wait ( waitForAll ( std : : vector { fVers , fKnownCommitted , fLocality , fLogRouterTags , fTxsTags , fRecoverCounts , fProtocolVersions } ) ) ;
2017-05-26 04:48:44 +08:00
if ( fFormat . get ( ) . present ( ) & & ! persistFormatReadableRange . contains ( fFormat . get ( ) . get ( ) ) ) {
2018-01-31 09:10:50 +08:00
//FIXME: remove when we no longer need to test upgrades from 4.X releases
2018-06-15 04:48:30 +08:00
if ( g_network - > isSimulated ( ) ) {
TraceEvent ( " ElapsedTime " ) . detail ( " SimTime " , now ( ) ) . detail ( " RealTime " , 0 ) . detail ( " RandomUnseed " , 0 ) ;
flushAndExit ( 0 ) ;
}
2018-01-29 03:52:54 +08:00
2019-03-19 06:03:43 +08:00
TraceEvent ( SevError , " UnsupportedDBFormat " , self - > dbgid ) . detail ( " Format " , fFormat . get ( ) . get ( ) ) . detail ( " Expected " , persistFormat . value . toString ( ) ) ;
2017-05-26 04:48:44 +08:00
throw worker_recovery_failed ( ) ;
}
if ( ! fFormat . get ( ) . present ( ) ) {
Standalone < VectorRef < KeyValueRef > > v = wait ( self - > persistentData - > readRange ( KeyRangeRef ( StringRef ( ) , LiteralStringRef ( " \xff " ) ) , 1 ) ) ;
if ( ! v . size ( ) ) {
TEST ( true ) ; // The DB is completely empty, so it was never initialized. Delete it.
throw worker_removed ( ) ;
} else {
// This should never happen
2019-03-19 06:03:43 +08:00
TraceEvent ( SevError , " NoDBFormatKey " , self - > dbgid ) . detail ( " FirstKey " , v [ 0 ] . key ) ;
2017-05-26 04:48:44 +08:00
ASSERT ( false ) ;
throw worker_recovery_failed ( ) ;
}
}
state std : : vector < Future < ErrorOr < Void > > > removed ;
2019-03-16 12:01:13 +08:00
ASSERT ( fFormat . get ( ) . get ( ) = = LiteralStringRef ( " FoundationDB/LogServer/3/0 " ) ) ;
2017-05-26 04:48:44 +08:00
ASSERT ( fVers . get ( ) . size ( ) = = fRecoverCounts . get ( ) . size ( ) ) ;
2018-06-18 05:44:33 +08:00
state std : : map < UID , int8_t > id_locality ;
for ( auto it : fLocality . get ( ) ) {
id_locality [ BinaryReader : : fromStringRef < UID > ( it . key . removePrefix ( persistLocalityKeys . begin ) , Unversioned ( ) ) ] = BinaryReader : : fromStringRef < int8_t > ( it . value , Unversioned ( ) ) ;
2018-01-07 05:49:13 +08:00
}
2018-04-09 12:24:05 +08:00
state std : : map < UID , int > id_logRouterTags ;
for ( auto it : fLogRouterTags . get ( ) ) {
id_logRouterTags [ BinaryReader : : fromStringRef < UID > ( it . key . removePrefix ( persistLogRouterTagsKeys . begin ) , Unversioned ( ) ) ] = BinaryReader : : fromStringRef < int > ( it . value , Unversioned ( ) ) ;
}
2019-06-20 09:15:09 +08:00
state std : : map < UID , int > id_txsTags ;
for ( auto it : fTxsTags . get ( ) ) {
id_txsTags [ BinaryReader : : fromStringRef < UID > ( it . key . removePrefix ( persistTxsTagsKeys . begin ) , Unversioned ( ) ) ] = BinaryReader : : fromStringRef < int > ( it . value , Unversioned ( ) ) ;
}
2018-04-21 08:55:46 +08:00
state std : : map < UID , Version > id_knownCommitted ;
for ( auto it : fKnownCommitted . get ( ) ) {
id_knownCommitted [ BinaryReader : : fromStringRef < UID > ( it . key . removePrefix ( persistKnownCommittedVersionKeys . begin ) , Unversioned ( ) ) ] = BinaryReader : : fromStringRef < Version > ( it . value , Unversioned ( ) ) ;
}
2019-03-16 12:01:22 +08:00
state IDiskQueue : : location minimumRecoveryLocation = 0 ;
if ( fRecoveryLocation . get ( ) . present ( ) ) {
minimumRecoveryLocation = BinaryReader : : fromStringRef < IDiskQueue : : location > ( fRecoveryLocation . get ( ) . get ( ) , Unversioned ( ) ) ;
}
2017-05-26 04:48:44 +08:00
state int idx = 0 ;
2017-09-19 08:39:12 +08:00
state Promise < Void > registerWithMaster ;
2017-10-25 06:09:31 +08:00
state std : : map < UID , TLogInterface > id_interf ;
2019-03-16 12:01:20 +08:00
state std : : vector < std : : pair < Version , UID > > logsByVersion ;
2017-05-26 04:48:44 +08:00
for ( idx = 0 ; idx < fVers . get ( ) . size ( ) ; idx + + ) {
state KeyRef rawId = fVers . get ( ) [ idx ] . key . removePrefix ( persistCurrentVersionKeys . begin ) ;
UID id1 = BinaryReader : : fromStringRef < UID > ( rawId , Unversioned ( ) ) ;
UID id2 = BinaryReader : : fromStringRef < UID > ( fRecoverCounts . get ( ) [ idx ] . key . removePrefix ( persistRecoveryCountKeys . begin ) , Unversioned ( ) ) ;
ASSERT ( id1 = = id2 ) ;
2018-03-03 09:56:49 +08:00
TLogInterface recruited ( id1 , self - > dbgid , locality ) ;
2017-05-26 04:48:44 +08:00
recruited . initEndpoints ( ) ;
DUMPTOKEN ( recruited . peekMessages ) ;
DUMPTOKEN ( recruited . popMessages ) ;
DUMPTOKEN ( recruited . commit ) ;
DUMPTOKEN ( recruited . lock ) ;
DUMPTOKEN ( recruited . getQueuingMetrics ) ;
DUMPTOKEN ( recruited . confirmRunning ) ;
2019-06-19 08:55:27 +08:00
ProtocolVersion protocolVersion = BinaryReader : : fromStringRef < ProtocolVersion > ( fProtocolVersions . get ( ) [ idx ] . value , Unversioned ( ) ) ;
2019-03-16 12:01:17 +08:00
2017-07-10 05:46:16 +08:00
//We do not need the remoteTag, because we will not be loading any additional data
2019-06-20 09:15:09 +08:00
logData = Reference < LogData > ( new LogData ( self , recruited , Tag ( ) , true , id_logRouterTags [ id1 ] , id_txsTags [ id1 ] , UID ( ) , protocolVersion , std : : vector < Tag > ( ) ) ) ;
2018-06-18 05:44:33 +08:00
logData - > locality = id_locality [ id1 ] ;
2017-05-26 04:48:44 +08:00
logData - > stopped = true ;
self - > id_data [ id1 ] = logData ;
2017-10-25 06:09:31 +08:00
id_interf [ id1 ] = recruited ;
2017-05-26 04:48:44 +08:00
2018-04-21 08:55:46 +08:00
logData - > knownCommittedVersion = id_knownCommitted [ id1 ] ;
2017-05-26 04:48:44 +08:00
Version ver = BinaryReader : : fromStringRef < Version > ( fVers . get ( ) [ idx ] . value , Unversioned ( ) ) ;
logData - > persistentDataVersion = ver ;
logData - > persistentDataDurableVersion = ver ;
logData - > version . set ( ver ) ;
logData - > recoveryCount = BinaryReader : : fromStringRef < DBRecoveryCount > ( fRecoverCounts . get ( ) [ idx ] . value , Unversioned ( ) ) ;
2018-03-30 06:12:38 +08:00
logData - > removed = rejoinMasters ( self , recruited , logData - > recoveryCount , registerWithMaster . getFuture ( ) , false ) ;
2017-05-26 04:48:44 +08:00
removed . push_back ( errorOr ( logData - > removed ) ) ;
2019-03-16 12:01:20 +08:00
logsByVersion . push_back ( std : : make_pair ( ver , id1 ) ) ;
2017-05-26 04:48:44 +08:00
2019-03-16 12:01:22 +08:00
TraceEvent ( " TLogPersistentStateRestore " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " Ver " , ver ) ;
2017-05-26 04:48:44 +08:00
// Restore popped keys. Pop operations that took place after the last (committed) updatePersistentDataVersion might be lost, but
// that is fine because we will get the corresponding data back, too.
tagKeys = prefixRange ( rawId . withPrefix ( persistTagPoppedKeys . begin ) ) ;
loop {
if ( logData - > removed . isReady ( ) ) break ;
Standalone < VectorRef < KeyValueRef > > data = wait ( self - > persistentData - > readRange ( tagKeys , BUGGIFY ? 3 : 1 < < 30 , 1 < < 20 ) ) ;
if ( ! data . size ( ) ) break ;
( ( KeyRangeRef & ) tagKeys ) = KeyRangeRef ( keyAfter ( data . back ( ) . key , tagKeys . arena ( ) ) , tagKeys . end ) ;
for ( auto & kv : data ) {
Tag tag = decodeTagPoppedKey ( rawId , kv . key ) ;
Version popped = decodeTagPoppedValue ( kv . value ) ;
2018-08-04 06:53:38 +08:00
TraceEvent ( " TLogRestorePopped " , logData - > logId ) . detail ( " Tag " , tag . toString ( ) ) . detail ( " To " , popped ) ;
2018-03-18 01:36:19 +08:00
auto tagData = logData - > getTagData ( tag ) ;
ASSERT ( ! tagData ) ;
2018-03-30 06:12:38 +08:00
logData - > createTagData ( tag , popped , false , false , false ) ;
2017-05-26 04:48:44 +08:00
}
}
}
2019-03-16 12:01:20 +08:00
std : : sort ( logsByVersion . begin ( ) , logsByVersion . end ( ) ) ;
for ( const auto & pair : logsByVersion ) {
// TLogs that have been fully spilled won't have queue entries read in the loop below.
self - > popOrder . push_back ( pair . second ) ;
}
logsByVersion . clear ( ) ;
2017-05-26 04:48:44 +08:00
state Future < Void > allRemoved = waitForAll ( removed ) ;
state UID lastId = UID ( 1 , 1 ) ; //initialized so it will not compare equal to a default UID
2018-08-22 12:11:23 +08:00
state double recoverMemoryLimit = SERVER_KNOBS - > TLOG_RECOVER_MEMORY_LIMIT ;
2019-03-16 12:01:23 +08:00
if ( BUGGIFY ) recoverMemoryLimit = std : : max < double > (
2019-03-16 12:01:20 +08:00
SERVER_KNOBS - > BUGGIFY_RECOVER_MEMORY_LIMIT ,
2019-03-16 12:01:23 +08:00
( double ) SERVER_KNOBS - > TLOG_SPILL_THRESHOLD ) ;
2017-11-28 09:23:20 +08:00
2017-05-26 04:48:44 +08:00
try {
2019-03-16 12:01:22 +08:00
bool recoveryFinished = wait ( self - > persistentQueue - > initializeRecovery ( minimumRecoveryLocation ) ) ;
if ( recoveryFinished )
throw end_of_stream ( ) ;
2017-05-26 04:48:44 +08:00
loop {
if ( allRemoved . isReady ( ) ) {
TEST ( true ) ; //all tlogs removed during queue recovery
throw worker_removed ( ) ;
}
choose {
2018-03-30 06:12:38 +08:00
when ( TLogQueueEntry qe = wait ( self - > persistentQueue - > readNext ( self ) ) ) {
2017-05-26 04:48:44 +08:00
if ( qe . id ! = lastId ) {
lastId = qe . id ;
2017-08-12 09:08:09 +08:00
auto it = self - > id_data . find ( qe . id ) ;
if ( it ! = self - > id_data . end ( ) ) {
logData = it - > second ;
} else {
logData = Reference < LogData > ( ) ;
}
2017-05-26 04:48:44 +08:00
}
2018-06-09 02:11:08 +08:00
//TraceEvent("TLogRecoveredQE", self->dbgid).detail("LogId", qe.id).detail("Ver", qe.version).detail("MessageBytes", qe.messages.size()).detail("Tags", qe.tags.size())
// .detail("Tag0", qe.tags.size() ? qe.tags[0].tag : invalidTag).detail("Version", logData->version.get());
2017-05-26 04:48:44 +08:00
2017-08-12 09:08:09 +08:00
if ( logData ) {
2019-03-16 12:01:20 +08:00
if ( ! self - > spillOrder . size ( ) | | self - > spillOrder . back ( ) ! = qe . id ) {
self - > spillOrder . push_back ( qe . id ) ;
}
2017-08-12 09:08:09 +08:00
logData - > knownCommittedVersion = std : : max ( logData - > knownCommittedVersion , qe . knownCommittedVersion ) ;
if ( qe . version > logData - > version . get ( ) ) {
2018-08-22 13:18:38 +08:00
commitMessages ( self , logData , qe . version , qe . arena ( ) , qe . messages ) ;
2017-08-12 09:08:09 +08:00
logData - > version . set ( qe . version ) ;
logData - > queueCommittedVersion . set ( qe . version ) ;
while ( self - > bytesInput - self - > bytesDurable > = recoverMemoryLimit ) {
TEST ( true ) ; // Flush excess data during TLog queue recovery
2019-03-16 12:01:12 +08:00
TraceEvent ( " FlushLargeQueueDuringRecovery " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " BytesInput " , self - > bytesInput ) . detail ( " BytesDurable " , self - > bytesDurable ) . detail ( " Version " , logData - > version . get ( ) ) . detail ( " PVer " , logData - > persistentDataVersion ) ;
2017-08-12 09:08:09 +08:00
choose {
2018-08-11 04:57:10 +08:00
when ( wait ( updateStorage ( self ) ) ) { }
when ( wait ( allRemoved ) ) { throw worker_removed ( ) ; }
2017-08-12 09:08:09 +08:00
}
2017-05-26 04:48:44 +08:00
}
2019-03-16 12:01:22 +08:00
} else {
// Updating persistRecoveryLocation and persistCurrentVersion at the same time,
// transactionally, should mean that we never read any TLogQueueEntry that has already
// been spilled.
2019-03-21 09:12:56 +08:00
ASSERT_WE_THINK ( qe . version = = logData - > version . get ( ) ) ;
2017-05-26 04:48:44 +08:00
}
}
}
2018-08-11 04:57:10 +08:00
when ( wait ( allRemoved ) ) { throw worker_removed ( ) ; }
2017-05-26 04:48:44 +08:00
}
}
} catch ( Error & e ) {
if ( e . code ( ) ! = error_code_end_of_stream ) throw ;
}
TraceEvent ( " TLogRestorePersistentStateDone " , self - > dbgid ) . detail ( " Took " , now ( ) - startt ) ;
TEST ( now ( ) - startt > = 1.0 ) ; // TLog recovery took more than 1 second
for ( auto it : self - > id_data ) {
if ( it . second - > queueCommittedVersion . get ( ) = = 0 ) {
2018-06-09 02:11:08 +08:00
TraceEvent ( " TLogZeroVersion " , self - > dbgid ) . detail ( " LogId " , it . first ) ;
2017-05-26 04:48:44 +08:00
it . second - > queueCommittedVersion . set ( it . second - > version . get ( ) ) ;
}
2018-01-07 05:49:13 +08:00
it . second - > recoveryComplete . sendError ( end_of_stream ( ) ) ;
2018-11-03 05:11:39 +08:00
self - > sharedActors . send ( tLogCore ( self , it . second , id_interf [ it . first ] , false ) ) ;
2017-05-26 04:48:44 +08:00
}
2017-09-19 08:39:12 +08:00
if ( registerWithMaster . canBeSet ( ) ) registerWithMaster . send ( Void ( ) ) ;
2017-05-26 04:48:44 +08:00
return Void ( ) ;
}
bool tlogTerminated ( TLogData * self , IKeyValueStore * persistentData , TLogQueue * persistentQueue , Error const & e ) {
// Dispose the IKVS (destroying its data permanently) only if this shutdown is definitely permanent. Otherwise just close it.
if ( e . code ( ) = = error_code_worker_removed | | e . code ( ) = = error_code_recruitment_failed ) {
persistentData - > dispose ( ) ;
persistentQueue - > dispose ( ) ;
} else {
persistentData - > close ( ) ;
persistentQueue - > close ( ) ;
}
if ( e . code ( ) = = error_code_worker_removed | |
e . code ( ) = = error_code_recruitment_failed | |
e . code ( ) = = error_code_file_not_found )
{
TraceEvent ( " TLogTerminated " , self - > dbgid ) . error ( e , true ) ;
return true ;
} else
return false ;
}
ACTOR Future < Void > updateLogSystem ( TLogData * self , Reference < LogData > logData , LogSystemConfig recoverFrom , Reference < AsyncVar < Reference < ILogSystem > > > logSystem ) {
loop {
2017-07-10 05:46:16 +08:00
bool found = false ;
2018-04-21 04:25:22 +08:00
if ( self - > dbInfo - > get ( ) . logSystemConfig . recruitmentID = = logData - > recruitmentID ) {
if ( self - > dbInfo - > get ( ) . logSystemConfig . isNextGenerationOf ( recoverFrom ) ) {
logSystem - > set ( ILogSystem : : fromOldLogSystemConfig ( logData - > logId , self - > dbInfo - > get ( ) . myLocality , self - > dbInfo - > get ( ) . logSystemConfig ) ) ;
found = true ;
} else if ( self - > dbInfo - > get ( ) . logSystemConfig . isEqualIds ( recoverFrom ) ) {
2018-06-02 09:42:48 +08:00
logSystem - > set ( ILogSystem : : fromLogSystemConfig ( logData - > logId , self - > dbInfo - > get ( ) . myLocality , self - > dbInfo - > get ( ) . logSystemConfig , false , true ) ) ;
2018-04-21 04:25:22 +08:00
found = true ;
}
2018-07-05 15:08:51 +08:00
else if ( self - > dbInfo - > get ( ) . recoveryState > = RecoveryState : : ACCEPTING_COMMITS ) {
2018-04-21 04:25:22 +08:00
logSystem - > set ( ILogSystem : : fromLogSystemConfig ( logData - > logId , self - > dbInfo - > get ( ) . myLocality , self - > dbInfo - > get ( ) . logSystemConfig , true ) ) ;
found = true ;
}
2018-02-22 06:06:44 +08:00
}
2017-07-10 05:46:16 +08:00
if ( ! found ) {
2017-05-26 04:48:44 +08:00
logSystem - > set ( Reference < ILogSystem > ( ) ) ;
2018-04-20 05:33:31 +08:00
} else {
2018-04-28 03:18:42 +08:00
logData - > logSystem - > get ( ) - > pop ( logData - > logRouterPoppedVersion , logData - > remoteTag , logData - > durableKnownCommittedVersion , logData - > locality ) ;
2017-05-26 04:48:44 +08:00
}
2018-05-09 08:17:17 +08:00
TraceEvent ( " TLogUpdate " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " RecruitmentID " , logData - > recruitmentID ) . detail ( " DbRecruitmentID " , self - > dbInfo - > get ( ) . logSystemConfig . recruitmentID ) . detail ( " RecoverFrom " , recoverFrom . toString ( ) ) . detail ( " DbInfo " , self - > dbInfo - > get ( ) . logSystemConfig . toString ( ) ) . detail ( " Found " , found ) . detail ( " LogSystem " , ( bool ) logSystem - > get ( ) ) . detail ( " RecoveryState " , ( int ) self - > dbInfo - > get ( ) . recoveryState ) ;
2018-02-21 06:50:13 +08:00
for ( auto it : self - > dbInfo - > get ( ) . logSystemConfig . oldTLogs ) {
2018-06-09 02:11:08 +08:00
TraceEvent ( " TLogUpdateOld " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " DbInfo " , it . toString ( ) ) ;
2018-02-21 06:50:13 +08:00
}
2018-08-11 04:57:10 +08:00
wait ( self - > dbInfo - > onChange ( ) ) ;
2017-05-26 04:48:44 +08:00
}
}
2019-07-30 14:40:28 +08:00
void stopAllTLogs ( TLogData * self , UID newLogId ) {
2017-05-26 04:48:44 +08:00
for ( auto it : self - > id_data ) {
2017-08-04 07:16:36 +08:00
if ( ! it . second - > stopped ) {
2019-07-30 14:40:28 +08:00
TraceEvent ( " TLogStoppedByNewRecruitment " , self - > dbgid ) . detail ( " LogId " , it . second - > logId ) . detail ( " StoppedId " , it . first . toString ( ) ) . detail ( " RecruitedId " , newLogId ) . detail ( " EndEpoch " , it . second - > logSystem - > get ( ) . getPtr ( ) ! = 0 ) ;
2018-03-30 06:12:38 +08:00
if ( ! it . second - > isPrimary & & it . second - > logSystem - > get ( ) ) {
2017-08-04 07:16:36 +08:00
it . second - > removed = it . second - > removed & & it . second - > logSystem - > get ( ) - > endEpoch ( ) ;
}
2018-05-07 11:37:44 +08:00
if ( it . second - > committingQueue . canBeSet ( ) ) {
it . second - > committingQueue . sendError ( worker_removed ( ) ) ;
}
2017-08-04 07:16:36 +08:00
}
2017-05-26 04:48:44 +08:00
it . second - > stopped = true ;
2017-10-25 06:09:31 +08:00
if ( ! it . second - > recoveryComplete . isSet ( ) ) {
it . second - > recoveryComplete . sendError ( end_of_stream ( ) ) ;
2018-01-13 09:18:14 +08:00
}
2018-03-20 08:48:28 +08:00
it . second - > stopCommit . trigger ( ) ;
2017-05-26 04:48:44 +08:00
}
2019-07-30 14:40:28 +08:00
}
// Start the tLog role for a worker
ACTOR Future < Void > tLogStart ( TLogData * self , InitializeTLogRequest req , LocalityData locality ) {
state TLogInterface recruited ( self - > dbgid , locality ) ;
recruited . initEndpoints ( ) ;
DUMPTOKEN ( recruited . peekMessages ) ;
DUMPTOKEN ( recruited . popMessages ) ;
DUMPTOKEN ( recruited . commit ) ;
DUMPTOKEN ( recruited . lock ) ;
DUMPTOKEN ( recruited . getQueuingMetrics ) ;
DUMPTOKEN ( recruited . confirmRunning ) ;
stopAllTLogs ( self , recruited . id ( ) ) ;
2017-05-26 04:48:44 +08:00
2019-06-20 09:15:09 +08:00
state Reference < LogData > logData = Reference < LogData > ( new LogData ( self , recruited , req . remoteTag , req . isPrimary , req . logRouterTags , req . txsTags , req . recruitmentID , currentProtocolVersion , req . allTags ) ) ;
2017-05-26 04:48:44 +08:00
self - > id_data [ recruited . id ( ) ] = logData ;
2018-04-09 12:24:05 +08:00
logData - > locality = req . locality ;
2017-05-26 04:48:44 +08:00
logData - > recoveryCount = req . epoch ;
2018-03-30 06:12:38 +08:00
logData - > removed = rejoinMasters ( self , recruited , req . epoch , Future < Void > ( Void ( ) ) , req . isPrimary ) ;
2019-03-16 12:01:20 +08:00
self - > popOrder . push_back ( recruited . id ( ) ) ;
self - > spillOrder . push_back ( recruited . id ( ) ) ;
2017-05-26 04:48:44 +08:00
TraceEvent ( " TLogStart " , logData - > logId ) ;
2019-04-21 03:58:24 +08:00
registerTLog ( logData - > logId ) ;
2018-04-09 12:24:05 +08:00
state Future < Void > updater ;
2018-11-03 05:11:39 +08:00
state bool pulledRecoveryVersions = false ;
2017-05-26 04:48:44 +08:00
try {
if ( logData - > removed . isReady ( ) ) {
throw logData - > removed . getError ( ) ;
}
2019-04-09 05:45:16 +08:00
if ( req . recoverFrom . logSystemType = = LogSystemType : : tagPartitioned ) {
2018-04-09 12:24:05 +08:00
logData - > unrecoveredBefore = req . startVersion ;
2018-04-23 06:08:38 +08:00
logData - > recoveredAt = req . recoverAt ;
2018-04-21 15:41:15 +08:00
logData - > knownCommittedVersion = req . startVersion - 1 ;
2018-04-10 08:17:11 +08:00
logData - > persistentDataVersion = logData - > unrecoveredBefore - 1 ;
logData - > persistentDataDurableVersion = logData - > unrecoveredBefore - 1 ;
logData - > queueCommittedVersion . set ( logData - > unrecoveredBefore - 1 ) ;
logData - > version . set ( logData - > unrecoveredBefore - 1 ) ;
2017-05-26 04:48:44 +08:00
2018-04-01 07:47:56 +08:00
logData - > unpoppedRecoveredTags = req . allTags . size ( ) ;
2018-08-11 04:57:10 +08:00
wait ( initPersistentState ( self , logData ) | | logData - > removed ) ;
2017-05-26 04:48:44 +08:00
2018-06-09 02:11:08 +08:00
TraceEvent ( " TLogRecover " , self - > dbgid ) . detail ( " LogId " , logData - > logId ) . detail ( " At " , req . recoverAt ) . detail ( " Known " , req . knownCommittedVersion ) . detail ( " Unrecovered " , logData - > unrecoveredBefore ) . detail ( " Tags " , describe ( req . recoverTags ) ) . detail ( " Locality " , req . locality ) . detail ( " LogRouterTags " , logData - > logRouterTags ) ;
2017-09-12 06:15:56 +08:00
2017-10-25 06:09:31 +08:00
if ( logData - > recoveryComplete . isSet ( ) ) {
throw worker_removed ( ) ;
}
2018-04-09 12:24:05 +08:00
updater = updateLogSystem ( self , logData , req . recoverFrom , logData - > logSystem ) ;
2018-03-30 06:12:38 +08:00
2018-04-16 05:33:07 +08:00
logData - > initialized = true ;
self - > newLogData . trigger ( ) ;
2018-11-03 05:11:39 +08:00
if ( ( req . isPrimary | | req . recoverFrom . logRouterTags = = 0 ) & & ! logData - > stopped & & logData - > unrecoveredBefore < = req . recoverAt ) {
2018-06-16 02:06:38 +08:00
if ( req . recoverFrom . logRouterTags > 0 & & req . locality ! = tagLocalitySatellite ) {
2018-06-02 09:42:48 +08:00
logData - > logRouterPopToVersion = req . recoverAt ;
std : : vector < Tag > tags ;
tags . push_back ( logData - > remoteTag ) ;
2019-11-02 05:02:44 +08:00
wait ( pullAsyncData ( self , logData , tags , logData - > unrecoveredBefore , req . recoverAt , true ) | | logData - > removed ) ;
2018-06-02 09:42:48 +08:00
} else if ( ! req . recoverTags . empty ( ) ) {
ASSERT ( logData - > unrecoveredBefore > req . knownCommittedVersion ) ;
2019-11-02 05:02:44 +08:00
wait ( pullAsyncData ( self , logData , req . recoverTags , req . knownCommittedVersion + 1 , req . recoverAt , false ) | | logData - > removed ) ;
2018-06-02 09:42:48 +08:00
}
2018-11-03 05:11:39 +08:00
pulledRecoveryVersions = true ;
logData - > knownCommittedVersion = req . recoverAt ;
2018-03-30 06:12:38 +08:00
}
2018-11-03 05:11:39 +08:00
if ( ( req . isPrimary | | req . recoverFrom . logRouterTags = = 0 ) & & logData - > version . get ( ) < req . recoverAt & & ! logData - > stopped ) {
2018-03-30 06:12:38 +08:00
// Log the changes to the persistent queue, to be committed by commitQueue()
TLogQueueEntryRef qe ;
qe . version = req . recoverAt ;
2018-04-09 12:24:05 +08:00
qe . knownCommittedVersion = logData - > knownCommittedVersion ;
2018-03-30 06:12:38 +08:00
qe . messages = StringRef ( ) ;
qe . id = logData - > logId ;
self - > persistentQueue - > push ( qe , logData ) ;
self - > diskQueueCommitBytes + = qe . expectedSize ( ) ;
if ( self - > diskQueueCommitBytes > SERVER_KNOBS - > MAX_QUEUE_COMMIT_BYTES ) {
self - > largeDiskQueueCommitBytes . set ( true ) ;
}
logData - > version . set ( req . recoverAt ) ;
}
2018-04-29 04:34:06 +08:00
if ( logData - > recoveryComplete . isSet ( ) ) {
throw worker_removed ( ) ;
}
2018-03-30 06:12:38 +08:00
logData - > addActor . send ( respondToRecovered ( recruited , logData - > recoveryComplete ) ) ;
2017-05-26 04:48:44 +08:00
} else {
// Brand new tlog, initialization has already been done by caller
2018-08-11 04:57:10 +08:00
wait ( initPersistentState ( self , logData ) | | logData - > removed ) ;
2018-02-14 09:01:34 +08:00
if ( logData - > recoveryComplete . isSet ( ) ) {
throw worker_removed ( ) ;
}
2018-04-16 05:33:07 +08:00
logData - > initialized = true ;
self - > newLogData . trigger ( ) ;
2017-10-25 06:09:31 +08:00
logData - > recoveryComplete . send ( Void ( ) ) ;
2017-05-26 04:48:44 +08:00
}
2018-08-11 04:57:10 +08:00
wait ( logData - > committingQueue . getFuture ( ) | | logData - > removed ) ;
2017-05-26 04:48:44 +08:00
} catch ( Error & e ) {
if ( e . code ( ) ! = error_code_actor_cancelled ) {
req . reply . sendError ( e ) ;
}
if ( e . code ( ) ! = error_code_worker_removed ) {
throw ;
}
2018-08-11 04:57:10 +08:00
wait ( delay ( 0.0 ) ) ; // if multiple recruitment requests were already in the promise stream make sure they are all started before any are removed
2017-06-03 02:27:37 +08:00
2017-06-23 08:21:42 +08:00
removeLog ( self , logData ) ;
return Void ( ) ;
2017-05-26 04:48:44 +08:00
}
req . reply . send ( recruited ) ;
2018-06-12 02:34:10 +08:00
TraceEvent ( " TLogReady " , logData - > logId ) . detail ( " AllTags " , describe ( req . allTags ) ) . detail ( " Locality " , logData - > locality ) ;
2017-10-25 06:09:31 +08:00
2018-04-09 12:24:05 +08:00
updater = Void ( ) ;
2018-11-11 05:04:24 +08:00
wait ( tLogCore ( self , logData , recruited , pulledRecoveryVersions ) ) ;
2017-05-26 04:48:44 +08:00
return Void ( ) ;
}
2019-07-30 14:40:28 +08:00
ACTOR Future < Void > startSpillingInTenSeconds ( TLogData * self , UID tlogId , Reference < AsyncVar < UID > > activeSharedTLog ) {
wait ( delay ( 10 ) ) ;
if ( activeSharedTLog - > get ( ) ! = tlogId ) {
// TODO: This should fully spill, but currently doing so will cause us to no longer update poppedVersion
// and QuietDatabase will hang thinking our TLog is behind.
TraceEvent ( " SharedTLogBeginSpilling " , self - > dbgid ) . detail ( " NowActive " , activeSharedTLog - > get ( ) ) ;
self - > targetVolatileBytes = SERVER_KNOBS - > REFERENCE_SPILL_UPDATE_STORAGE_BYTE_LIMIT * 2 ;
} else {
TraceEvent ( " SharedTLogSkipSpilling " , self - > dbgid ) . detail ( " NowActive " , activeSharedTLog - > get ( ) ) ;
}
return Void ( ) ;
}
2017-05-26 04:48:44 +08:00
// New tLog (if !recoverFrom.size()) or restore from network
2019-07-30 14:40:28 +08:00
ACTOR Future < Void > tLog ( IKeyValueStore * persistentData , IDiskQueue * persistentQueue , Reference < AsyncVar < ServerDBInfo > > db , LocalityData locality , PromiseStream < InitializeTLogRequest > tlogRequests , UID tlogId , bool restoreFromDisk , Promise < Void > oldLog , Promise < Void > recovered , std : : string folder , Reference < AsyncVar < bool > > degraded , Reference < AsyncVar < UID > > activeSharedTLog ) {
2019-05-29 09:21:06 +08:00
state TLogData self ( tlogId , persistentData , persistentQueue , db , degraded , folder ) ;
2017-05-26 04:48:44 +08:00
state Future < Void > error = actorCollection ( self . sharedActors . getFuture ( ) ) ;
TraceEvent ( " SharedTlog " , tlogId ) ;
2018-03-03 08:50:30 +08:00
// FIXME: Pass the worker id instead of stubbing it
2018-09-06 06:06:14 +08:00
startRole ( Role : : SHARED_TRANSACTION_LOG , tlogId , UID ( ) ) ;
2017-05-26 04:48:44 +08:00
try {
if ( restoreFromDisk ) {
2018-08-11 04:57:10 +08:00
wait ( restorePersistentState ( & self , locality , oldLog , recovered , tlogRequests ) ) ;
2017-05-26 04:48:44 +08:00
} else {
2018-08-11 04:57:10 +08:00
wait ( checkEmptyQueue ( & self ) & & checkRecovered ( & self ) ) ;
2017-05-26 04:48:44 +08:00
}
2018-06-11 11:27:19 +08:00
//Disk errors need a chance to kill this actor.
2018-08-11 04:57:10 +08:00
wait ( delay ( 0.000001 ) ) ;
2018-06-11 11:27:19 +08:00
2017-09-16 01:57:58 +08:00
if ( recovered . canBeSet ( ) ) recovered . send ( Void ( ) ) ;
2017-05-26 04:48:44 +08:00
self . sharedActors . send ( commitQueue ( & self ) ) ;
self . sharedActors . send ( updateStorageLoop ( & self ) ) ;
2019-10-24 02:15:54 +08:00
state Future < Void > activeSharedChange = Void ( ) ;
2017-05-26 04:48:44 +08:00
loop {
choose {
when ( InitializeTLogRequest req = waitNext ( tlogRequests . getFuture ( ) ) ) {
if ( ! self . tlogCache . exists ( req . recruitmentID ) ) {
self . tlogCache . set ( req . recruitmentID , req . reply . getFuture ( ) ) ;
self . sharedActors . send ( self . tlogCache . removeOnReady ( req . recruitmentID , tLogStart ( & self , req , locality ) ) ) ;
} else {
forwardPromise ( req . reply , self . tlogCache . get ( req . recruitmentID ) ) ;
}
}
2018-08-11 04:57:10 +08:00
when ( wait ( error ) ) { throw internal_error ( ) ; }
2019-10-24 02:15:54 +08:00
when ( wait ( activeSharedChange ) ) {
if ( activeSharedTLog - > get ( ) = = tlogId ) {
TraceEvent ( " SharedTLogNowActive " , self . dbgid ) . detail ( " NowActive " , activeSharedTLog - > get ( ) ) ;
self . targetVolatileBytes = SERVER_KNOBS - > TLOG_SPILL_THRESHOLD ;
} else {
stopAllTLogs ( & self , tlogId ) ;
TraceEvent ( " SharedTLogQueueSpilling " , self . dbgid ) . detail ( " NowActive " , activeSharedTLog - > get ( ) ) ;
self . sharedActors . send ( startSpillingInTenSeconds ( & self , tlogId , activeSharedTLog ) ) ;
}
activeSharedChange = activeSharedTLog - > onChange ( ) ;
}
2017-05-26 04:48:44 +08:00
}
}
} catch ( Error & e ) {
2018-08-10 03:38:35 +08:00
self . terminated . send ( Void ( ) ) ;
2017-08-26 01:12:58 +08:00
TraceEvent ( " TLogError " , tlogId ) . error ( e , true ) ;
2018-09-06 06:06:14 +08:00
endRole ( Role : : SHARED_TRANSACTION_LOG , tlogId , " Error " , true ) ;
2017-09-16 01:57:58 +08:00
if ( recovered . canBeSet ( ) ) recovered . send ( Void ( ) ) ;
2017-08-24 04:45:00 +08:00
while ( ! tlogRequests . isEmpty ( ) ) {
tlogRequests . getFuture ( ) . pop ( ) . reply . sendError ( recruitment_failed ( ) ) ;
2017-05-26 04:48:44 +08:00
}
2017-07-20 06:11:18 +08:00
for ( auto & it : self . id_data ) {
2017-10-25 06:09:31 +08:00
if ( ! it . second - > recoveryComplete . isSet ( ) ) {
it . second - > recoveryComplete . sendError ( end_of_stream ( ) ) ;
2018-01-13 09:18:14 +08:00
}
2017-07-20 06:11:18 +08:00
}
2017-05-26 04:48:44 +08:00
if ( tlogTerminated ( & self , persistentData , self . persistentQueue , e ) ) {
return Void ( ) ;
} else {
throw ;
}
}
}
// UNIT TESTS
struct DequeAllocatorStats {
static int64_t allocatedBytes ;
} ;
int64_t DequeAllocatorStats : : allocatedBytes = 0 ;
template < class T >
struct DequeAllocator : std : : allocator < T > {
template < typename U >
struct rebind {
typedef DequeAllocator < U > other ;
} ;
DequeAllocator ( ) { }
template < typename U >
DequeAllocator ( DequeAllocator < U > const & u ) : std : : allocator < T > ( u ) { }
T * allocate ( std : : size_t n , std : : allocator < void > : : const_pointer hint = 0 ) {
DequeAllocatorStats : : allocatedBytes + = n * sizeof ( T ) ;
//fprintf(stderr, "Allocating %lld objects for %lld bytes (total allocated: %lld)\n", n, n * sizeof(T), DequeAllocatorStats::allocatedBytes);
return std : : allocator < T > : : allocate ( n , hint ) ;
}
void deallocate ( T * p , std : : size_t n ) {
DequeAllocatorStats : : allocatedBytes - = n * sizeof ( T ) ;
//fprintf(stderr, "Deallocating %lld objects for %lld bytes (total allocated: %lld)\n", n, n * sizeof(T), DequeAllocatorStats::allocatedBytes);
return std : : allocator < T > : : deallocate ( p , n ) ;
}
} ;
2018-10-06 13:09:58 +08:00
TEST_CASE ( " /fdbserver/tlogserver/VersionMessagesOverheadFactor " ) {
2017-05-26 04:48:44 +08:00
typedef std : : pair < Version , LengthPrefixedStringRef > TestType ; // type used by versionMessages
for ( int i = 1 ; i < 9 ; + + i ) {
for ( int j = 0 ; j < 20 ; + + j ) {
DequeAllocatorStats : : allocatedBytes = 0 ;
DequeAllocator < TestType > allocator ;
std : : deque < TestType , DequeAllocator < TestType > > d ( allocator ) ;
2019-05-11 05:01:52 +08:00
int numElements = deterministicRandom ( ) - > randomInt ( pow ( 10 , i - 1 ) , pow ( 10 , i ) ) ;
2017-05-26 04:48:44 +08:00
for ( int k = 0 ; k < numElements ; + + k ) {
d . push_back ( TestType ( ) ) ;
}
2019-05-11 05:01:52 +08:00
int removedElements = 0 ; //deterministicRandom()->randomInt(0, numElements); // FIXME: the overhead factor does not accurately account for removal!
2017-05-26 04:48:44 +08:00
for ( int k = 0 ; k < removedElements ; + + k ) {
d . pop_front ( ) ;
}
int64_t dequeBytes = DequeAllocatorStats : : allocatedBytes + sizeof ( std : : deque < TestType > ) ;
int64_t insertedBytes = ( numElements - removedElements ) * sizeof ( TestType ) ;
double overheadFactor = std : : max < double > ( insertedBytes , dequeBytes - 10000 ) / insertedBytes ; // We subtract 10K here as an estimated upper bound for the fixed cost of an std::deque
//fprintf(stderr, "%d elements (%d inserted, %d removed):\n", numElements-removedElements, numElements, removedElements);
//fprintf(stderr, "Allocated %lld bytes to store %lld bytes (%lf overhead factor)\n", dequeBytes, insertedBytes, overheadFactor);
ASSERT ( overheadFactor * 1024 < = SERVER_KNOBS - > VERSION_MESSAGES_OVERHEAD_FACTOR_1024THS ) ;
}
}
return Void ( ) ;
}