Skip to content

Commit

Permalink
Harden publishing (#4555)
Browse files Browse the repository at this point in the history
This PR contains two changes:
* Properly fsync HAS files that act as a "publish queue". Note that the
checkpoints themselves are using XDR streams with fsync turned on
already, so this change impacts HAS files only.
* Gracefully handle situations where nodes enable publish
mid-checkpoint. Core will wait until the _next_ checkpoint to begin
publishing. Without this change, nodes would need to rebuild state
before enabling publishing (although it's unclear how often partial
archives occur in practice).

Additionally, I added a few more thing to aid debugging, such as
printing checkpoint files with dump-xdr and an offline command to dump
all checkpoints scheduled to publish.
  • Loading branch information
marta-lokhova authored Nov 22, 2024
2 parents e1af87b + 71b31ed commit 0bda87b
Show file tree
Hide file tree
Showing 7 changed files with 105 additions and 28 deletions.
36 changes: 24 additions & 12 deletions src/history/CheckpointBuilder.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -7,7 +7,7 @@

namespace stellar
{
void
bool
CheckpointBuilder::ensureOpen(uint32_t ledgerSeq)
{
ZoneScoped;
Expand All @@ -17,6 +17,15 @@ CheckpointBuilder::ensureOpen(uint32_t ledgerSeq)
releaseAssert(!mTxResults);
releaseAssert(!mTxs);
releaseAssert(!mLedgerHeaders);
// Don't start writing checkpoint until proper checkpoint boundary
// This can occur if a node enabled publish mid-checkpoint
if (mPublishWasDisabled &&
!mApp.getHistoryManager().isFirstLedgerInCheckpoint(ledgerSeq))
{
return false;
}

mPublishWasDisabled = false;

auto checkpoint =
mApp.getHistoryManager().checkpointContainingLedger(ledgerSeq);
Expand All @@ -41,6 +50,7 @@ CheckpointBuilder::ensureOpen(uint32_t ledgerSeq)
mLedgerHeaders->open(ledger.localPath_nogz_dirty());
mOpen = true;
}
return true;
}

void
Expand Down Expand Up @@ -124,7 +134,11 @@ CheckpointBuilder::appendTransactionSet(uint32_t ledgerSeq,
{
throw std::runtime_error("Startup validation not performed");
}
ensureOpen(ledgerSeq);

if (!ensureOpen(ledgerSeq))
{
return;
}

if (!resultSet.results.empty())
{
Expand All @@ -147,7 +161,11 @@ CheckpointBuilder::appendLedgerHeader(LedgerHeader const& header,
{
throw std::runtime_error("Startup validation not performed");
}
ensureOpen(header.ledgerSeq);

if (!ensureOpen(header.ledgerSeq))
{
return;
}

LedgerHeaderHistoryEntry lhe;
lhe.header = header;
Expand Down Expand Up @@ -225,17 +243,11 @@ CheckpointBuilder::cleanup(uint32_t lcl)

if (!fs::exists(ft.localPath_nogz_dirty()))
{
// No dirty file exists, nothing to do (this can only happen on a
// checkpoint boundary)
if (!mApp.getHistoryManager().isLastLedgerInCheckpoint(lcl))
{
throw std::runtime_error(
fmt::format("Missing dirty checkpoint file {}",
ft.localPath_nogz_dirty()));
}
CLOG_INFO(History,
"Skipping recovery of file {}, does not exist yet",
"Skipping recovery of file {}, does not exist. This can "
"occur if publish was previously disabled.",
ft.localPath_nogz_dirty());
mPublishWasDisabled = true;
return;
}

Expand Down
3 changes: 2 additions & 1 deletion src/history/CheckpointBuilder.h
Original file line number Diff line number Diff line change
Expand Up @@ -57,8 +57,9 @@ class CheckpointBuilder
std::unique_ptr<XDROutputFileStream> mLedgerHeaders;
bool mOpen{false};
bool mStartupValidationComplete{false};
bool mPublishWasDisabled{false};

void ensureOpen(uint32_t ledgerSeq);
bool ensureOpen(uint32_t ledgerSeq);

public:
CheckpointBuilder(Application& app);
Expand Down
53 changes: 42 additions & 11 deletions src/history/HistoryManagerImpl.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,10 @@
#include "crypto/Hex.h"
#include "crypto/SHA.h"
#include "herder/HerderImpl.h"
#include <cereal/archives/binary.hpp>
#include <cereal/cereal.hpp>
#include <cereal/types/vector.hpp>

#include "history/HistoryArchive.h"
#include "history/HistoryArchiveManager.h"
#include "history/HistoryManagerImpl.h"
Expand All @@ -30,6 +34,7 @@
#include "overlay/StellarXDR.h"
#include "process/ProcessManager.h"
#include "transactions/TransactionSQL.h"
#include "util/BufferedAsioCerealOutputArchive.h"
#include "util/GlobalChecks.h"
#include "util/Logging.h"
#include "util/Math.h"
Expand Down Expand Up @@ -80,13 +85,13 @@ HistoryManager::createPublishQueueDir(Config const& cfg)
std::filesystem::path
publishQueueFileName(uint32_t seq)
{
return fs::hexStr(seq) + ".json";
return fs::hexStr(seq) + ".checkpoint";
}

std::filesystem::path
publishQueueTmpFileName(uint32_t seq)
{
return fs::hexStr(seq) + ".json.dirty";
return fs::hexStr(seq) + ".checkpoint.dirty";
}

void
Expand All @@ -97,7 +102,21 @@ writeCheckpointFile(Application& app, HistoryArchiveState const& has,
app.getHistoryManager().isLastLedgerInCheckpoint(has.currentLedger));
auto filename = publishQueueFileName(has.currentLedger);
auto tmpOut = app.getHistoryManager().getTmpDir() / filename;
has.save(tmpOut.string());
{
// Always fsync in prod paths, but allow disabling for tests for
// performance
OutputFileStream out(
app.getClock().getIOContext(),
#ifdef BUILD_TESTS
/* fsyncOnClose */ !app.getConfig().DISABLE_XDR_FSYNC
#else
/* fsyncOnClose */ true
#endif
);
out.open(tmpOut.string());
cereal::BufferedAsioOutputArchive ar(out);
has.serialize(ar);
}

// Immediately produce a final checkpoint JSON (suitable for confirmed
// ledgers)
Expand Down Expand Up @@ -271,15 +290,15 @@ HistoryManagerImpl::logAndUpdatePublishStatus()
bool
isPublishFile(std::string const& name)
{
std::regex re("^[a-z0-9]{8}\\.json$");
std::regex re("^[a-z0-9]{8}\\.checkpoint$");
auto a = regex_match(name, re);
return a;
}

bool
isPublishTmpFile(std::string const& name)
{
std::regex re("^[a-z0-9]{8}\\.json.dirty$");
std::regex re("^[a-z0-9]{8}\\.checkpoint.dirty$");
auto a = regex_match(name, re);
return a;
}
Expand Down Expand Up @@ -467,6 +486,22 @@ HistoryManagerImpl::takeSnapshotAndPublish(HistoryArchiveState const& has)
"delay-publishing-to-archive", delayTimeout, publishWork);
}

HistoryArchiveState
loadCheckpointHAS(std::string const& filename)
{
HistoryArchiveState has;
std::ifstream in(filename, std::ios::binary);
if (!in)
{
throw std::runtime_error(
fmt::format(FMT_STRING("Error opening file {}"), filename));
}
in.exceptions(std::ios::badbit);
cereal::BinaryInputArchive ar(in);
has.serialize(ar);
return has;
}

size_t
HistoryManagerImpl::publishQueuedHistory()
{
Expand All @@ -485,17 +520,14 @@ HistoryManagerImpl::publishQueuedHistory()
#endif

ZoneScoped;
HistoryArchiveState has;
auto seq = getMinLedgerQueuedToPublish();

if (seq == std::numeric_limits<uint32_t>::max())
{
return 0;
}

auto file = publishQueuePath(mApp.getConfig()) / publishQueueFileName(seq);
has.load(file.string());
takeSnapshotAndPublish(has);
takeSnapshotAndPublish(loadCheckpointHAS(file.string()));
return 1;
}

Expand Down Expand Up @@ -541,8 +573,7 @@ HistoryManagerImpl::getPublishQueueStates()
HistoryArchiveState has;
auto fullPath =
publishQueuePath(mApp.getConfig()) / f;
has.load(fullPath.string());
states.push_back(has);
states.push_back(loadCheckpointHAS(fullPath));
});
return states;
}
Expand Down
23 changes: 23 additions & 0 deletions src/main/CommandLine.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -39,6 +39,7 @@
#include <catch.hpp>
#include <cereal/archives/json.hpp>
#include <cereal/cereal.hpp>
#include <cereal/types/vector.hpp>

#ifdef BUILD_TESTS
#include "simulation/ApplyLoad.h"
Expand Down Expand Up @@ -1384,6 +1385,26 @@ getSettingsUpgradeTransactions(CommandLineArgs const& args)
});
}

int
runPrintPublishQueue(CommandLineArgs const& args)
{
CommandLine::ConfigOption configOption;

return runWithHelp(args, {configurationParser(configOption)}, [&] {
auto cfg = configOption.getConfig();
VirtualClock clock(VirtualClock::REAL_TIME);
cfg.setNoListen();
Application::pointer app = Application::create(clock, cfg, false);
cereal::JSONOutputArchive archive(std::cout);
archive.makeArray();
for (auto const& has : app->getHistoryManager().getPublishQueueStates())
{
has.serialize(archive);
}
return 0;
});
}

int
runCheckQuorumIntersection(CommandLineArgs const& args)
{
Expand Down Expand Up @@ -2057,6 +2078,8 @@ handleCommandLine(int argc, char* const* argv)
"check that a given network specified as a JSON file enjoys a quorum "
"intersection",
runCheckQuorumIntersection},
{"print-publish-queue", "print all checkpoints scheduled for publish",
runPrintPublishQueue},
#ifdef BUILD_TESTS
{"load-xdr", "load an XDR bucket file, for testing", runLoadXDR},
{"rebuild-ledger-from-buckets",
Expand Down
2 changes: 1 addition & 1 deletion src/main/dumpxdr.cpp
Original file line number Diff line number Diff line change
Expand Up @@ -66,7 +66,7 @@ void
dumpXdrStream(std::string const& filename, bool compact)
{
std::regex rx(
R"(.*\b(debug-tx-set|(?:(ledger|bucket|transactions|results|meta-debug|scp)-.+))\.xdr$)");
R"(.*\b(debug-tx-set|(?:(ledger|bucket|transactions|results|meta-debug|scp)-.+))\.xdr(?:\.dirty)?$)");
std::smatch sm;
if (std::regex_match(filename, sm, rx))
{
Expand Down
1 change: 1 addition & 0 deletions src/util/BufferedAsioCerealOutputArchive.h
Original file line number Diff line number Diff line change
Expand Up @@ -3,6 +3,7 @@
#include "util/XDRStream.h"
#include <cereal/archives/binary.hpp>
#include <cereal/cereal.hpp>
#include <cereal/types/string.hpp>

namespace cereal
{
Expand Down
15 changes: 12 additions & 3 deletions src/util/XDRStream.h
Original file line number Diff line number Diff line change
Expand Up @@ -224,8 +224,16 @@ class XDRInputFileStream
}
};

// OutputFileStream needs access to a file descriptor to do fsync, so we use
// asio's synchronous stream types here rather than fstreams.
/*
IMPORTANT: some areas of core require durable writes that
are resistant to application and system crashes. If you need durable writes:
1. Use a stream implementation that supports fsync, e.g. OutputFileStream
2. Write to a temp file first. If you don't intent to persist temp files across
runs, fsyncing on close is sufficient. Otherwise, use durableWriteOne to flush
and fsync after every write.
3. Close the temp stream to make sure flush and fsync are called.
4. Rename the temp file to the final location using durableRename.
*/
class OutputFileStream
{
protected:
Expand All @@ -237,7 +245,8 @@ class OutputFileStream
fs::native_handle_t mHandle;
FILE* mOut{nullptr};
#else
// buffered stream
// use buffered stream which supports accessing a file descriptor needed to
// fsync
asio::buffered_write_stream<stellar::fs::stream_t> mBufferedWriteStream;
#endif

Expand Down

0 comments on commit 0bda87b

Please sign in to comment.